The principal end of this association must be explicitly configured using either the relationship fluent API or data annotations

后端 未结 1 403
忘掉有多难
忘掉有多难 2020-12-03 13:30

\"The principal end of this association must be explicitly configured using either the relationship fluent API or data annotations.\"

I am getting t

1条回答
  •  天命终不由人
    2020-12-03 14:03

    Entity Framework Code-First conventions are assuming that EntityA.EntityB and EntityB.PreferredEntityA belong to the same relationship and are the inverse navigation properties of each other. Because both navigation properties are references (not collections) EF infers a one-to-one relationship.

    Since you actually want two one-to-many relationships you must override the conventions. With your model it's only possible with Fluent API:

    modelBuilder.Entity()
        .HasRequired(a => a.EntityB)
        .WithMany()
        .HasForeignKey(a => a.EntityBID);
    
    modelBuilder.Entity()
        .HasOptional(b => b.PreferredEntityA)
        .WithMany()
        .HasForeignKey(b => b.PreferredEntityAID);
    

    (If you use this you can remove the [ForeignKey] attributes.)

    You cannot specify a mapping that would ensure that the preferred child is always one of the associated childs.

    If you don't want to use Fluent API but only data annotations you can add a collection property in EntityB and relate it to EntityA.EntityB using the [InverseProperty] attribute:

    public class EntityB
    {
        public int ID { get; set; }
        public Nullable PreferredEntityAID { get; set; }
    
        [ForeignKey("PreferredEntityAID")]
        public virtual EntityA PreferredEntityA { get; set; }
    
        [InverseProperty("EntityB")] // <- Navigation property name in EntityA
        public virtual ICollection EntityAs { get; set; }
    }
    

    0 讨论(0)
提交回复
热议问题