我正在开始使用EF核心的新项目。 我在MSSQL服务器上有一个现有的数据库,我运行此命令以包含其EF的结构。
Scaffold-DbContext "Server={My Server};Database={My DB};Trusted_Connection=True;" Microsoft.EntityFrameworkCore.SqlServer
这为我创建了模型类,例如:
public partial class Cameras
{
public int CameraId { get; set; }
public string Description { get; set; }
}
以及以下上下文类:
public partial class SetupToolContext : DbContext
{
public virtual DbSet<Cameras> Cameras { get; set; }
public SetupToolContext(DbContextOptions<SetupToolContext> options) : base(options)
{ }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<Cameras>(entity =>
{
entity.HasKey(e => e.CameraId)
.HasName("PK_Cameras");
entity.Property(e => e.Description).HasColumnType("varchar(500)");
});
}
}
我的解决方案中有4层:
以下是我的代码中流程的样子:
控制器类
public class ValuesController : Controller
{
ICameraRepository cameraRepository;
public ValuesController(ICameraRepository cameraRepository)
{
this.cameraRepository = cameraRepository;
}
[HttpGet]
public IEnumerable<Cameras> Get()
{
//ERROR: "Invalid object name 'Cameras'."
return cameraRepository.List();
}
}
CameraRepository类
public class CamerasRepository : GenericRepository<Cameras>, ICameraRepository
{
private readonly SetupToolContext dbContext;
public CamerasRepository(SetupToolContext dbContext) : base(dbContext)
{
this.dbContext = dbContext;
}
}
public interface ICameraRepository : IRepository<Cameras>
{ }
GenericRepository类(尝试遵循Repository Pattern)
public class GenericRepository<T> : IRepository<T> where T : class
{
private readonly SetupToolContext dbContext;
public GenericRepository(SetupToolContext dbContext)
{
this.dbContext = dbContext;
}
public IEnumerable<T> List()
{
return dbContext.Set<T>().AsEnumerable();
}
}
public interface IRepository<T>
{
IEnumerable<T> List();
}
启动类ConfigureServices方法
public void ConfigureServices(IServiceCollection services)
{
services.AddDbContext<SetupToolContext>(options => options.UseSqlServer(Configuration.GetConnectionString("SQLServerConnection")));
services.AddMvc();
services.AddScoped<ICameraRepository, CamerasRepository>();
}
问题是我收到了错误:"Invalid object name 'Cameras'."
答案 0 :(得分:2)
说这有点令人尴尬,但我仍然会发布这个答案,以防其他人因为没有注意到这个“次要”细节而会有同样的错误。
我有2个数据库,结果我忘记将连接字符串中的数据库名称更改为正确的数据库。
我在Scaffold-DbContext
命令中更改了它,只是忘了在连接字符串中更改它......
{
"ConnectionStrings": {
"SQLServerConnection": "Server=localhost;Database={I had the wrong db name here};Trusted_Connection=True;"
}
}
所以改变它,正确的解决了它。
答案 1 :(得分:-1)
尝试删除virtual
上的DbSet<Cameras>
关键字,因为EntityFramework Core目前不支持延迟加载。请ToList()
代替AsEnumerable()
。