我正在尝试在Contact表中将SpouseId中的外键引用到Id。这样做的语法是什么?我似乎无法找到一个例子。感谢。
我有一个这样的课程:
public class Contact
{
public int Id {get;set;}
public string Name {get;set;}
public int? SpouseId {get;set;}
}
EDIT1 根据Joel Cunningham提供的link和Morteza的回答,我添加了一些额外的代码。
ContactMap.cs
public partial class ContactMap : EntityTypeConfiguration<Contact>
{
public ContactMap()
{
this.ToTable("Contact");
this.HasKey(c => c.Id);
this.HasOptional(c => c.Spouse)
.WithMany()
.IsIndependent()
.Map(m => m.MapKey(fk => fk.Id, "SpouseId"));
}
}
MyObjectContext.cs
public class MyObjectContext : DbContext, IDbContext
{
public DbSet<Contact> Contacts {get;set;}
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
modelBuilder.Configurations.Add(new ContactMap());
}
}
注意:我还在我的Contact类中将“[ForeignKey(”SpouseId“)]”属性添加到我的Spouse属性中。不幸的是,我一直得到“序列包含多个匹配元素”。
EDIT2: Morteza的答案如下是正确的。总结一下:对于自引用外键,你可以将属性标记为“[ForeginKey(”SpouseId“)]或使用下面的流畅API示例。我在一些评论中报告的错误是由我的单元测试引起的。以正确的方式生成数据库。我找到了一个好的link,其中Craig Stuntz概述了为什么自动增加密钥和自引用外键可能导致“无法确定依赖操作的有效排序”错误。我相信这就是我的问题。希望这有助于某人。
答案 0 :(得分:55)
这样的事情会起作用:
public class Contact
{
public int Id {get;set;}
public string Name {get;set;}
public int? SpouseId {get;set;}
[ForeignKey("SpouseId")]
public Contact Spouse {get;set;}
}
CTP5程序集已将 ForeignKeyAttribute 添加到System.ComponentModel.DataAnnotations
。
由于CTP5中存在错误,因此创建独立自引用关联会引发异常。解决方法是改为使用外键关联(无论如何总是推荐)。
如果您愿意,也可以使用流畅的API实现此目的:
public class Contact
{
public int Id { get; set; }
public string Name { get; set; }
public int? SpouseId { get; set; }
public Contact Spouse { get; set; }
}
public class Ctp5Context : DbContext
{
public DbSet<Contact> Contacts { get; set; }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<Contact>()
.HasOptional(c => c.Spouse)
.WithMany()
.HasForeignKey(c => c.SpouseId);
}
}
使用模型:
using (var context = new Ctp5Context())
{
Contact contact = new Contact()
{
Name = "Morteza",
Spouse = new Contact()
{
Name = "Code-First"
}
};
context.Contacts.Add(contact);
context.SaveChanges();
}
答案 1 :(得分:6)
[Table("Move")]
public class Move
{
[DatabaseGenerated(DatabaseGeneratedOption.Identity)]
public long ID { get; set; }
public long? ParentID { get; set; }
[InverseProperty("Children")]
public virtual Move Parent { get; set; }
public virtual ICollection<Move> Children { get; set; }
}
答案 2 :(得分:4)
此外,导航属性Spouse
应该是虚拟的,以避免不必要的JOIN查询:
public virtual Contact Spouse { get; set; }
答案 3 :(得分:0)
_ = builder.HasMany(e => e.Children)
.WithOne(e => e.Parent)
.HasForeignKey(e => e.ParentId);
以上代码对我有用