我想在运行时将表添加到SQLCe数据库,因为表名不是静态的,在编译时是已知的。 我尝试使用Entity Framework 4.1和DbContext执行此操作,如下所示:
public class PersonContext : DbContext
{
public PersonContext()
: base("UnicornsCEDatabase")
{
}
}
public class Person
{
public int NameId { get; set; }
public string Name { get; set; }
}
public class Program
{
static void Main(string[] args)
{
using (var db = new PersonContext())
{
db.Database.Delete();
//Try to create table
DbSet per = db.Set<Person>();
var per1 = new Person { NameId = 1, Name = "James"};
per.Add(per1);
int recordsAffected = db.SaveChanges();
Console.WriteLine(
"Saved {0} entities to the database, press any key to exit.",
recordsAffected);
Console.ReadKey();
}
}
}
尝试运行时会抛出此错误: 实体类型Person不是当前上下文的模型的一部分。
是否可以在运行时向DbContext 添加DbSet而不必在数据库中定义DbSet(及其模式)?
当使用Person静态定义DbContext时,EF将动态创建整个数据库和表格,这很棒。
例如:
foreach (var item in collection)
{
string tableName = "PersonTable_"+item.Name;
//Add a table with the name tableName to DbContext
}
这在某种程度上可能与EF有关,还是我必须使用其他技术创建这些?
谢谢,Juergen
答案 0 :(得分:1)
您可以使用以下内容,它会根据需要创建表或更新它们,不确定这是否适用于生产,因为它在模型更改时丢弃了数据库
Database.SetInitializer<DataContext>(
new DropCreateDatabaseIfModelChanges<DataContext>());
或者是否可以创建自己的System.Data.Entity.IDatabaseInitializer接口实现
答案 1 :(得分:1)
实体框架不支持动态创建表。因此,如果您使用的是Code-First,则必须在DbContext中定义DbSet以创建相应的表。
http://entityframework.codeplex.com/discussions/448452
有一些解决方法就像这个问题
Entity Framework (Code First) - Dynamically Building a Model
但EF并不是最好的ORM,请尝试使用ServiceStack.OrmLite(它是一个轻量级的ORM)。
答案 2 :(得分:1)
现在在EF8中,您可以这样做:
public DbSet<Person> List { get; set; }
public string tablename = "list";
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<Person>()
.ToTable(tablename)
.HasKey(s => s.NameId);
}
https://docs.microsoft.com/zh-cn/ef/core/modeling/entity-types?tabs=fluent-api
答案 3 :(得分:0)
namespace ConsoleApplication31
{
public class PersonContext : DbContext
{
public PersonContext() : base("UnicornsCEDatabase")
{
}
public DbSet<Person> Persons { get; set; }
}
public class Person
{
public int PersonId { get; set; }
public int NameId { get; set; }
public string Name { get; set; }
}
public class Program
{
static void Main(string[] args)
{
using (var db = new PersonContext())
{
db.Database.Delete();
//Try to create table
DbSet per = db.Set<Person>();
var per1 = new Person { NameId = 1, Name = "James" };
per.Add(per1);
int recordsAffected = db.SaveChanges();
Console.WriteLine(
"Saved {0} entities to the database, press any key to exit.",
recordsAffected);
Console.ReadKey();
}
}
}
}