我的Entity Framework 6.0出现问题,我的设置如下
public Post
{
[Key]
public int Id {get;set;}
public String Name {get;set;}
public virtual List<Category> Categories {get;set;}
}
public Category
{
[Key]
public int Id {get;set;}
public string Name {get;set;}
public virtual List<Post> Posts {get;set;}
}
所以当我尝试修改其中一个列表时会出现问题
Posts.Categories.Remove(category);
Posts.Categories.Add(newCategory);
entities.SaveChanges();
我收到以下异常,只有当我尝试修改已创建且类别的帖子时才会发生异常。
如果外键不支持空值,则必须定义新关系,必须为外键属性分配另一个非空值,或者必须删除不相关的对象。
我不太确定在这种情况下该怎么做,我应该从类别中删除帖子吗?请记住,通过从列表中删除类别,我只想将其从该集合中删除,而不是从我的数据库中删除整个对象。有什么建议吗?
这是我向StackOverflow发表的第一篇文章,如果有人需要更多信息请告诉我。
答案 0 :(得分:0)
我处理这些多对多关系的方式如下:(假设Post是来自DB的对象)
var tmp = Post.Categories.Select(q => q).ToList();
//delete all links
foreach (var lab in tmp) {
Posts.Categories.Remove(lab);
}
db.SaveChanges();
//add new cats
foreach (var lblgroup in myListofNewCats) {
Post.Categories.Add(db.Categories.Single(q => q.ID=something);
}
删除后提交更改时效果最佳。 如果没有任何更改,或者如果您再次删除并添加相同的实体而未在其间提交,则可能会产生一些错误。
我确定可能有更好的解决方案。
答案 1 :(得分:0)
您可以定义中间表,然后只删除其中的记录。这样,你就不会删除你自己现在正在做的类别本身。我建议您修改模型如下:
public Post
{
[Key]
public int Id {get;set;}
public String Name {get;set;}
//For the many to 1 relationship
public virtual ICollection <PostCategory> PostCategories{get;set;}
//You wont need this anymore
//public virtual List<Category> Categories {get;set;}
}
和...
public Category
{
[Key]
public int Id {get;set;}
public string Name {get;set;}
//For the many to 1 relationship
public virtual ICollection <PostCategory> PostCategories{get;set;}
//You wont need this anymore
//public virtual List<Post> Posts {get;set;}
}
现在为新表创建模型,PostCategory,这将是中间表。我喜欢使用单个键而不是双键。您可以获得更大的灵活性,并且在使用存储库和开箱即用的控制器删除方法时很容易使用,但如果您愿意,可以使用双键 - 我没有在此处显示。在此方法中,您需要在将记录添加到数据库之前自行检查重复项。
public PostCategory
{
[Key]
public int Id {get;set;}
public int PostId {get;set;}
public virtual Post Post {get;set;}
public int CategoryId {get;set;}
public virtual Category Category {get;set;}
}
请记住定义&#34; PostCategories&#34;在你的dbcontext中也是如此。 (我猜你知道怎么......?)
现在,当您要删除帖子和类别之间的链接时,只需删除控制器中的PostCategory记录,如下所示:
//Find the record where postId is the PostId and the categoryId is the CategoryId
var postRecord = db.PostCategories.FirstOrDefault(x=>x.PostId==postId && x.CategoryId==categoryId);
if(postRecord!=null)
{
db.PostCategories.Remove(postRecord)
db.SaveChanges();
}
添加记录也很容易。我在控制器中这样做......
//First create a record to add
PostCategory pc= new PostCategory()
//wire it up... EF adds the Id fields into the record. If you have a problem
// you can even add those.
pc.Category = category;
pc.Post = post;
//add it
db.PostCategories.Add(pc);
db.SaveChanges();
我喜欢这种方法,因为现在你可以在PostCategory表格中保存其他内容,例如Post等日期。我不喜欢很多很多关系,我相信它们迟早会被分解为一对多,多对一......以后当你必须修复代码时#34; - 至少可以说是一种痛苦。我希望这会有所帮助。