Violation of primary key Entity Framework Code First

前端 未结 1 1805
再見小時候
再見小時候 2020-12-20 13:52

I have started with C# and I wanted to make my own DB.

I have two models

public class AModel 
{
    public Guid ID { get; private set; }
    public s         


        
相关标签:
1条回答
  • 2020-12-20 14:27

    Your comment reveals vital information. When you add that AModel from your combobox to your BModel, it will have become detached from your DbContext by then. When you then add it to your model, Entity Framework will think that you have a new object.

    Since you have your Ids configured as DatabaseGenerationOptions.None, it will use the primary key you provide yourself. In your case this is the PK of the detached object. Thus, when EF tries to insert this entry it will throw the above exception because an entity with that key is already in there.

    There are a few ways to solve this:

    • Retrieve the existing entity

    This entity will be attached to your context upon retrieval, allowing you to use this. This means an extra lookup however: first to get them into the combobox and then to use the Id from the entity in the combobox to retrieve it again from the database.

    Example usage:

    AModel Get(AModel detachedModel)
    {
        using(var context = new MyContext())
        {
            return context.AModels.Single(x => x.ID == detachedModel.ID);
        }
    }
    
    • Attach the existing model

    This should just make Entity-Framework aware that the entity already exists in the database.

    using(var context = new MyContext())
    {
        context.AModels.Attach(detachedModel);
    }
    

    Other ways to attach is by setting the state to Unchanged

    context.Entry(detachedModel).State = EntityState.Unchanged;
    

    or Modified (in case you also changed values)

    context.Entry(detachedModel).State = EntityState.Modified;
    
    0 讨论(0)
提交回复
热议问题