Entity Framework 6.x Code First Ошибка ограничения первичного ключа при сохранении поля «многие ко многим» - PullRequest
0 голосов
/ 20 сентября 2018

Я использую Code First и пытаюсь добавить 2 записи, которые имеют один и тот же (фасетный) объект.EF пытается добавить один и тот же общий объект дважды, поэтому я получаю ошибку Violation of PRIMARY KEY constraint.Учитывайте это ..

XML

<RecipeSet xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">  
    <Recipes>
        <Recipe author="Mr. Cook" createdDate="08/30/2018" description="Cheesesteak with mushrooms" name="Mushroom Cheesesteak" recipe_id="13">
            <Facet Taxonomy_id="1" name="Lunch" />
            <Facet Taxonomy_id="1" name="Dinner" />
            <Facet Taxonomy_id="2" name="American" />
        </Recipe>
        <Recipe author="Jane Doe" createdDate="10/01/2018" description="Vegan Hotdog" name="Vegan Hotdog" recipe_id="9">
            <Facet Taxonomy_id="1" name="Snack" />
            <Facet Taxonomy_id="1" name="Lunch" />  <!-- This is breaking EF! -->
            <Facet Taxonomy_id="2" name="Vegetarian" />
        </Recipe>
    </Recipes>
</RecipeSet>

Рецепт и аспекты имеют отношение многие ко многим.

public class Recipe
{
    [Key]
    public int Recipe_id { get; set; }  
    public string Author { get; set; }
    public DateTime CreatedDate { get; set; }
    public string Description { get; set; }
    public string Name { get; set; }

    public virtual ICollection<Facet> Facets { get; set; }
}

//Facet needs to have a unique taxonomy id and name combination
public class Facet
{
    [DatabaseGenerated(DatabaseGeneratedOption.Identity)]
    public int Facet_id { get; set; }

    [Key]
    [Column(Order = 0)]
    public int Taxonomy_id { get; set; }

    [Key]
    [Column(Order = 1)]
    [StringLength(500)]
    public string Name { get; set; }

    public virtual ICollection<Recipe> Recipes { get; set; }
}

public class RecipeContext : DbContext
{
    public RecipeContext() : base("name=RecipeContextConn")
    {
        Database.SetInitializer<RecipeContext>(new CreateDatabaseIfNotExists<RecipeContext>());
    }

    public DbSet<Recipe> Recipe { get; set; }
    public DbSet<Facet> Facet { get; set; }

    protected override void OnModelCreating(DbModelBuilder modelBuilder)
    {
        base.OnModelCreating(modelBuilder);
    }
}

// Automapper configuration
var config = new MapperConfiguration(cfg =>
{
    cfg.CreateMap<RecipeElement, Recipe>()
        .ForMember(dest => dest.Facets, opt => opt.MapFrom(src => src.Facet));

    cfg.CreateMap<FacetElement, Facet>();
});

Mapper = config.CreateMapper();

Мой код прерывается при сохранении после цикла Foreach.

foreach (var recipeElement in fullRecipeSet.Recipes.Recipe)
{
    // Using Automapper to map from one object to another
    Recipe recipeDto = Mapper.Map<Recipe>(recipeElement);

    ctx.Recipe.Add(recipeDto);
}

ctx.SaveChanges();

Как сказать EF сохранять уникальные аспекты только один раз?

1 Ответ

0 голосов
/ 20 сентября 2018

Я нашел несколько предложений здесь Entity Framework 6 со вставкой повторяющихся значений .

Сначала мне нужно было сохранить уникальные фасеты в БД.Затем, когда я сопоставляю xml с рецептом, удалите сопоставленные фасеты и назначьте созданные фасеты из базы данных.Это гарантирует, что все рецепты имеют один и тот же объект фасета

Recipe recipeDto = MapInitializer.Mapper.Map<Recipe>(recipeElement);

var facs = recipeDto.Facets;

// Null out the facets that gets mapped from the xml. 
recipeDto.Facets = new List<Facet>();

// Reassign facet from the db. Otherwise, trying to save the recipe with the 
// facets that was mapped from the xml will cause duplicate facts trying to insert.
foreach (var f in facs)
{
    var dbFacet = ctx.Facet.Where(x => x.Taxonomy_id == f.Taxonomy_id && x.Name == f.Name).First();
    recipeDto.Facets.Add(dbFacet);
}

ctx.Recipe.Add(recipeDto);
...