使用EF创建多个2对多的引用

时间:2012-04-22 09:35:12

标签: entity-framework many-to-many poco

在我目前的项目中(实际上很小)我有3个表/ POCO实体我想用EF操作。

表格是:

  1. 状态(包含状态详细信息)
  2. StatusStatusType (由于多对多关系而需要)
  3. StatusType (用于按类型对状态进行分组的表)
  4. 我现在想在数据库和用户代码中创建一个新状态,如下所示

    //Create new status (POCO) entity
    var newStatus = new Status {
        StatusId = status.Id,
        UserId = user.Id,
        Text = status.text,
        CreateDate = DateTime.Now
    };
    
    // Persist need status to database
    using (var db = new demoEntities())
    {
        db.Statuses.AddObject(newStatus);
        db.SaveChanges();
    }
    

    此代码工作正常,但我还要设置状态实体的 StatusType 。所有可能的状态类型都已包含在 StatusType 表中。我不想创建新的状态只创建引用。

    我想我应该使用类似的东西:

    status.StatusTypes == "new";
    

    更新22-04-2012 13:31

    该示例已简化,并涵盖解决方案中的多个项目。因此,我不想在创建部分中使用代码(例如demoEntities)。但我确实知道我需要引用的状态的PK。

1 个答案:

答案 0 :(得分:2)

如果您知道您的状态类型已经存在,那么您现在也必须使用其主键。获得主键值后,您可以使用此方法:

var newStatus = new Status {
    StatusId = status.Id,
    UserId = user.Id,
    Text = status.text,
    CreateDate = DateTime.Now
};

// Just dummy object for existing status type
var existingStatusType = new StatusType {
    Id = existingStatusTypeId
};

// Persist need status to database
using (var db = new demoEntities())
{
    db.Statuses.AddObject(newStatus);
    // First let EF know that the status type already exists
    // Attaching prior to making relation is important!
    db.StatusTypes.Attach(existingStatusType);
    // Now make relation between new and existing entity 
    newStatus.StatusTypes.Add(existingStatusType);
    db.SaveChanges();
}

如果您不想在持久性代码中创建关系,则必须使用一些不同的方法。

var newStatus = new Status {
    StatusId = status.Id,
    UserId = user.Id,
    Text = status.text,
    CreateDate = DateTime.Now
};

// Just dummy object for existing status type
var existingStatusType = new StatusType {
    Id = existingStatusTypeId
};

newStatus.StatusTypes.Add(existingStatusType);

// Persist need status to database
using (var db = new demoEntities())
{
    // This will add both newStatus and existingStatusType as new entities
    db.Statuses.AddObject(newStatus);
    // You must fix it to make sure that existingStatusType is not inserted 
    // to database again
    status.StatusTypes.ForEach(st =>
        db.ObjectStateManager.ChangeObjectState(st, EntityState.Unchanged));
    db.SaveChanges();
}