Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Violation of primary key Entity Framework Code First

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 string Name { get; set; }
    public int Count { get; set; }
    public AModel()
    {
        this.ID = Guid.NewGuid();
    }
}

public class BModel 
{
    public Guid ID { get; private set; }
    public string Name { get; set; }
    public AModel Model { get; set; }
    public BModel()
    {
        this.ID = Guid.NewGuid();
    }
}

When I try to save BModel to DB, I get this error:

Violation of PRIMARY KEY constraint 'PK_dbo.AModels'. Cannot insert duplicate key in object 'dbo.AModels'. The duplicate key value is (48ee1711-8da4-46c1-a714-19e985211fed).\r\nThe statement has been terminated.

I thought it would be solved by this

modelBuilder.Entity<BModel>().HasRequired(t => t.Model).WithMany();

but it looks like I am completely lost. Could anybody help me with this simple example?

like image 732
Tomas Bruckner Avatar asked Apr 18 '15 19:04

Tomas Bruckner


1 Answers

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;
like image 75
Jeroen Vannevel Avatar answered Oct 26 '22 13:10

Jeroen Vannevel