6

我无法将我的 Entity Framework 4.3 代码第一个数据库中的外键更新为 null。

我的视图模型:

public class AccountViewModel
{
    public int Id { get; set; }
    public int? CorporationId { get; set; } 
    public CorporationModel Corporation { get; set; }
}

var corporation = db.Corporation.Where(x => x.Id == model.CorporationId).FirstOrDefault();  // shows as null
account.Corporation = corporation;  // sets the value to null

db.Entry(account).State = EntityState.Modified;
db.SaveChanges();  // does not save the null value in the FK field!!!

任何帮助将不胜感激。

4

1 回答 1

11

您必须将外键属性设置为null。将状态设置为Modified仅影响标量属性(外键属性是其中之一,但不影响导航属性):

account.CorporationId = null;

db.Entry(account).State = EntityState.Modified;
db.SaveChanges();

如果您没有外键属性,则Account必须加载包括公司在内的帐户:

var account = db.Account.Include(a => a.Corporation)
    .Where(a => a.Id == accountId)
    .SingleOrDefault();

if (account != null)
{
    account.Corporation = null;
    db.SaveChanges();
}
于 2012-06-07T15:50:59.760 回答