2

我试图找出导致此错误的原因,我列出了我的代码的一些相关区域,希望能帮助回答我的问题。

配方实体的成员集合如下图所示:

public virtual IList<Member> Members { get; set; }

这是成员实体上的 Recipes 集合:

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

为了在单独的表中建立多对多关系,我在创建 DbContext 时执行以下操作

    protected override void OnModelCreating(DbModelBuilder modelBuilder)
    {
        // have to specify these mappings using the EF Fluent API otherwise I end up with
        // the foreign key fields being placed inside the Recipe and Member tables, which wouldn't
        // give a many-to-many relationship
        modelBuilder.Entity<Recipe>()
            .HasMany(r => r.Members)
            .WithMany(m => m.Recipes)
        .Map(x => {
            x.ToTable("Cookbooks"); // using a mapping table for a many-to-many relationship
            x.MapLeftKey("RecipeId");
            x.MapRightKey("MemberId");
        });

        modelBuilder.Entity<Recipe>()
            .HasRequired(x => x.Author)
            .WithMany()
            .WillCascadeOnDelete(false);

    }

当模型更改时,我也会为我的数据库播种,我所要做的就是添加到食谱的成员集合中,它似乎能够为我整理出其余部分并将相关键放在我的食谱关系表中。

这是我的配方控制器操作中执行工作的一些代码:

var memberEntity = memberRepository.Find((int)memberId);
var recipeEntity = recipeRepository.Find(recipeId);
recipeEntity.Members.Add(memberEntity);
recipeRepository.InsertOrUpdate(recipeEntity);
recipeRepository.Save();

这是我的食谱存储库中的插入或更新方法

    public void InsertOrUpdate(Recipe recipe)
    {
        if (recipe.Id == default(int))
        {
            // New entity
            context.Recipes.Add(recipe);
        } else
        {
            // Existing entity
            context.Entry(recipe).State = EntityState.Modified;
        }
    }

我收到“InvalidOperationException:无法定义两个对象之间的关系,因为它们附加到不同的 ObjectContext 对象”的错误。在这条线上:

context.Entry(recipe).State = EntityState.Modified;

有谁知道为什么会这样?我是否必须将成员添加到配方中,反之亦然才能使其正常工作?我不确定问题是什么,因为 recipeEntity 似乎是正确的。

任何帮助将不胜感激,谢谢。

编辑 如图所示,正在每个存储库(RecipeRepository 和 MemberRepository)中创建上下文,所以我认为这是每个 .Find() 请求使用不同的上下文的问题?这会导致问题吗?

private EatRateShareDbContext context = new EatRateShareDbContext();
4

2 回答 2

6

我不确定这是解决方案,但似乎您在存储库中使用了不同的上下文。
首先确保您在每个生命周期中都有相同的上下文。根据您的项目类型,生命周期可能会有所不同。(例如对于 web 项目,通常每个HttpContext都是相同的)。您可以使用 IoC 来管理您的上下文生命周期。.Net 的优秀 IoC 库是autofacCastle Windsor

另外,我认为您对InsertOrUpdate方法的调用是不必要的(除非您在Find没有跟踪的情况下调用方法。)只需删除该行并查看它是否有效:

var recipeEntity = recipeRepository.Find(recipeId);
recipeEntity.Members.Add(memberEntity);
recipeRepository.Save();

这里HttpRequest提到了一种共享 DbContext 的简单方法。

于 2012-09-05T20:29:42.097 回答
0

如果您使用 AutoFac,则必须将 SingleInstance() 添加到您的注册码中。

示例:builder.Register(a => new EntityContainer()).As().SingleInstance()

EntityContainer 是你的 DbContext

于 2014-03-15T16:37:47.663 回答