1

我想创建一个具有以下设置的关联属性:

public class ClassType1{
    [Key]
    public int type1_ID { get;set; }
    public int type2_ID { get;set; }  // In database, this is a foreign key linked to ClassType2.type2_ID
    public ClassType2 type2Prop { get;set; }
}

public class ClassType2{
    [Key]
    public int type2_ID { get;set; }
}

我的问题是 type2Prop 找不到它的前键。它正在尝试寻找不存在的“type2Prop_ID”,而实际上它应该寻找“type2_ID”。这是我得到的错误:

{"Invalid column name 'type2Prop_ID'."}

我如何告诉它使用哪个属性作为 ClassType2 的键?

4

2 回答 2

3

试一试:ForeignKeyAttribute_type2Prop

using System.ComponentModel.DataAnnotations.Schema;

public class ClassType1
{
  [Key]
  public int type1_ID { get; set; }

  public int type2_ID { get; set; }  // In database, this is a foreign key linked to ClassType2.type2_ID

  [ForeignKey("type2_ID")]
  public virtual ClassType2 type2Prop { get; set; }
}

public class ClassType2
{
  [Key]
  public int type2_ID { get;set; }
}

您也可以使用 Fluent API 以防重构的方式来完成(即,如果您将来更改属性的名称,编译器会通知您也必须更改映射)。对于像这样的简单情况,它有点难看,但它也更健壮。在您的DbContext课程中,您可以添加以下内容:

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
  modelBuilder.Entity<ClassType1>().HasRequired(x => x.type2Prop)
                                   .WithMany()
                                   .HasForeignKey(x => x.type2_ID);
}
于 2013-05-06T18:40:18.053 回答
0
public class ClassType1{
    [Key]
    public int type1_ID { get;set; }
    [ForeignKey("type2Prop")]
    public int type2_ID { get;set; }  // In database, this is a foreign key linked to ClassType2.type2_ID
    public ClassType2 type2Prop { get;set; }
}

public class ClassType2{
    [Key]
    public int type2_ID { get;set; }
}
于 2013-05-06T18:41:42.880 回答