6

我仔细研究了 StackOverflow、Google 和 asp.net,试图找到一个明确的基本示例来说明如何做到这一点。所有示例都是抽象的或涉及不适用的复杂情况。我无法从它们中提取很多有用的信息。到目前为止,他们都没有完全回答我的问题或解决我的问题。

我正在使用以下模型开发一个 MVC 项目:

文章.cs:

public class Article
{

    public int ArticleId { get; set; }
    public string Title { get; set; }
    .
    .
    .
    public virtual ICollection<Category> Categories { get; set; }

    public Article()
    {
        Categories = new HashSet<Category>();
    }
}

类别.cs:

public class Category
{
    public int CategoryId { get; set; }
    public string Name { get; set; }

    public virtual ICollection<Article> Articles { get; set; }

    public Category()
    {
        Articles = new HashSet<Article>();
    }
}

文章实体.cs:

public class ArticleEntities : DbContext
{
    public DbSet<Article> Articles { get; set; }
    public DbSet<Category> Categories { get; set; }

}

一篇文章可以有很多分类,一个分类可以属于很多篇文章。

到目前为止,我可以保存/更新/创建除类别之外的所有文章字段。

我将它们表示为视图中的复选框。我可以将所选复选框的值获取到控制器中,但是,我每次尝试将它们与文章一起存储在数据库中都失败了。

我如何能:

1)保存编辑文章时,更新关系表中的现有关系而不创建重复项?

2)保存新文章时,在关系表中创建选择的关系?

4

1 回答 1

10

我假设您CategoryId从控制器发布操作中获得了一个 s 列表,一个List<int>或更一般的只是一个IEnumerable<int>.

1)保存编辑文章时,更新关系表中的现有关系而不创建重复项?

Article article; // from post action parameters
IEnumerable<int> categoryIds; // from post action parameters

using (var ctx = new MyDbContext())
{
    // Load original article from DB including its current categories
    var articleInDb = ctx.Articles.Include(a => a.Categories)
        .Single(a => a.ArticleId == article.ArticleId);

    // Update scalar properties of the article
    ctx.Entry(articleInDb).CurrentValues.SetValues(article);

    // Remove categories that are not in the id list anymore
    foreach (var categoryInDb in articleInDb.Categories.ToList())
    {
        if (!categoryIds.Contains(categoryInDb.CategoryId))
            articleInDb.Categories.Remove(categoryInDb);
    }

    // Add categories that are not in the DB list but in id list
    foreach (var categoryId in categoryIds)
    {
        if (!articleInDb.Categories.Any(c => c.CategoryId == categoryId))
        {
            var category = new Category { CategoryId = categoryId };
            ctx.Categories.Attach(category); // this avoids duplicate categories
            articleInDb.Categories.Add(category);
        }
    }

    ctx.SaveChanges();
}

请注意,当您使用 aArticleViewModel而不是a 时,代码也可以工作Article,因为属性名称是相同的(SetValues采用任意的object)。

2)保存新文章时,在关系表中创建选择的关系?

或多或少与上面的想法相同,但更简单,因为您不需要与数据库中的原始状态进行比较:

Article article; // from post action parameters
IEnumerable<int> categoryIds; // from post action parameters

using (var ctx = new MyDbContext())
{
    foreach (var categoryId in categoryIds)
    {
        var category = new Category { CategoryId = categoryId };
        ctx.Categories.Attach(category); // this avoids duplicate categories
        article.Categories.Add(category);
        // I assume here that article.Categories was empty before
    }
    ctx.Articles.Add(article);

    ctx.SaveChanges();
}
于 2012-07-08T18:48:51.930 回答