是否可以与Code First创建一对多关系,在它们之间使用链接/连接表?
public class Foo {
public int FooId { get; set; }
// ...
public int? BarId { get; set; }
public virtual Bar Bar { get; set; }
}
public class Bar {
public int BarId { get; set; }
// ...
public virtual ICollection<Foo> Foos { get; set; }
}
我希望这个映射如下:
TABLE Foo
FooId INT PRIMARY KEY
...
TABLE Bar
BarId INT PRIMARY KEY
TABLE FooBar
FooId INT PRIMARY KEY / FOREIGN KEY
BarId INT FOREIGN KEY
有了这个,我就能确保Foo只有一个Bar,但是这个Bar可以被许多不同的Foo重复使用。
这是否可以使用Entity Framework?我宁愿不必将密钥放在Foo本身,因为我不想要一个可以为空的外键。如果可能,请使用Fluent API提供示例,而不是数据注释。
答案 0 :(得分:3)
您可以使用实体拆分来实现此目的
public class Foo
{
public int FooId { get; set; }
public string Name { get; set; }
public int BarId { get; set; }
public virtual Bar Bar { get; set; }
}
然后在你的自定义DbContext类
中 protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Entity<Foo>().HasKey(f => f.FooId);
modelBuilder.Entity<Foo>()
.Map(m =>
{
m.Properties(b => new {b.Name});
m.ToTable("Foo");
})
.Map(m =>
{
m.Properties(b => new {b.BarId});
m.ToTable("FooBar");
});
modelBuilder.Entity<Foo>().HasRequired(f => f.Bar)
.WithMany(b => b.Foos)
.HasForeignKey(f => f.BarId);
modelBuilder.Entity<Bar>().HasKey(b => b.BarId);
modelBuilder.Entity<Bar>().ToTable("Bar");
}
BarId
列将在FooBar
表中创建为非空列。您可以查看Code First in the ADO.NET Entity Framework 4.1了解详情