I don't know how to configure following relations in EF:
Imagine I need to create some language dictionary model. I have an item (word for example) in one language and in another language. There is some relation between these two items.
For instance: "hund" (German) -> "dog" (English), relation type is "Translate"
public enum Language
{
English,
German,
}
public class Item
{
public long ID { get; set; }
[Required]
public string Value { get; set; }
[Required]
public Language Language { get; set; }
public virtual ICollection<ItemRelation> ItemRelations { get; set; }
}
public enum ItemRelationType
{
Translate,
Synonym,
}
public class ItemRelation
{
public long ID { get; set; }
[ForeignKey("ItemID")]
public Item Item { get; set; }
[ForeignKey("RelativeItemID")]
public Item RelativeItem { get; set; }
[Required]
public ItemRelationType Type { get; set; }
}
EF standard migration throw some error in one case or creates columns or FKs I don't wont (Item_ID
etc.) in the other.
I guess I need to configure some fluent api - but I am not sure how...
You are missing the actual FK fields
ItemID
andRelativeItemID
:And to configure the navigation property you can use
InverseProperty
attribute, along with disabling a bit of EF convention(shown below).The declaration above uses
virtual
so that lazy loading works. It's not necessary and you can remove it. The consequence is that lazy loading won't work, which is ok too.Assuming you want a navigation property for the second relation you need to add the property:
And then disable the cascading delete convention by overriding
OnModelCreating
, if you haven't already, in your context class as follows:This solution should work but it is effectively disabling cascade delete to all one to many relationships. The upside is that you can get it back on a case by case basis by using fluent api.
The second way to achieve what you want is to just use fluent api as follows:
Add the second navigation property to your
Item
entity:ItemRelation
entity is missing the FKs, so here it is:public class ItemRelation { public long ID { get; set; }
And to configure the navigation property, and avoid the cascading issue, you just define the relationship using fluent api:
Read here for an opinion on why you might consider disabling those conventions.