10

我有3张桌子,

1) 客户 (Id, Name, bla bla)

2) CustomerGroups (GroupId, GroupName)

3) CustomerInGroups (CustomerId, GroupId)

using (var context = DataObjectFactory.CreateContext())
{                
    context.Customers.Add(entity);
    context.SaveChanges();
    return entity.Id;
}

如何将记录添加到 CustomerInGroups?EntityFramework 不会为这种多对多映射表生成实体

编辑:

Customer 和 CustomerGroups 中的 Id 列都设置为自动递增。

所以在我的 CustomersGroup 表中,我有

Id          Name
----------------------------
1           Normal
2           VIP

我尝试按照其中一位海报的建议这样做:

entity.CustomerGroups = new List<CustomerGroup>
{
    new CustomerGroup {Id = 2 }
};
context.Customers.Add(entity);
context.SaveChanges();
return entity.Id;

但是,当我这样做时,而不是像这样在映射表中创建记录:

CustomerId          GroupId
----------------------------
1                   2

我得到的是

CustomerInGroups
    CustomerId          GroupId
    ----------------------------
    1                   3

CustomerGroups
    Id          Name
    ----------------------------
    1           Normal
    2           VIP
    3           NULL

它实际上在我的 CustomerGroups 表中创建了另一个条目,这不是我想要的

4

3 回答 3

8

飞行有点盲目,因为你没有包括什么属性entity。但是您应该拥有与 的关系的属性CustomerGroups。只需将该属性设置为您要关联的组即可。例如,这将创建一个新的组名称“foo bar”并将实体与该组相关联。

using (var context = DataObjectFactory.CreateContext())
{
    entity.CustomerGroups = new List<CustomerGroup> { GroupName = "Foo bar" };
    context.Customers.Add(entity);
    context.SaveChanges();
    return entity.Id;
}

如果关系设置正确,EF 会自动在表中插入一条记录CustomerGroups并将关系插入到CustomerInGroups表中。

编辑:

如果您尝试将现有客户添加CustomerGroup到新客户。您需要CustomerGroup先从数据库中获取,然后将其添加到您要插入的客户实体中。

using (var context = DataObjectFactory.CreateContext())
{
    var customerGroups = context.CustomerGroups.Where(...).ToList(); // get your CustomerGroup object(s) here, and ensure it's enumerated with ToList()
    entity.CustomerGroups = customerGroups;
    context.Customers.Add(entity);
    context.SaveChanges();
    return entity.Id;
}
于 2013-03-07T04:22:36.713 回答
2

如果您尝试将现有客户分配给 _existing 组并假设 CustomerGroup 对象公开 ICollection,请执行以下操作:

(var context = DataObjectFactory.CreateContext())
{
    context.Customers.Add(entity);
    var group = context.CustomerGroups.Find(2); // or however you retrieve the existing group
    group.Customers.Add(entity);
    context.SaveChanges();
    return entity.Id
}

Find() 方法是通过 Id 查找的实体框架代码优先 (DbContext) 方法。我不记得“正确的” ObjectContext 的做法,但是 .Single(g => g.Id == 2) 也可以。

理想情况下,您应该让我们更好地了解您的实体是如何映射的,以便我们知道您如何关联您的实体。

于 2013-03-07T10:16:28.263 回答
1

除了@Steven-v 的回答,如果您之前获取了客户组并且不想再次从数据库中获取它们,您也可以将它们附加到上下文中。

foreach (var c in customer.CustomerGroups)
{
     _db.CustomerGroups.Attach(c);
}        
_db.Customer.Add(customer);
_db.SaveChanges();
于 2015-06-10T15:45:50.583 回答