在保存具有多对多关系的对象时,如何避免保存重复记录?

时间:2015-05-21 03:07:28

标签: c# entity-framework asp.net-mvc-5 duplicates many-to-many

我正试图围绕这个问题,但我真的可以使用一些指针。

目前我在两个实体之间有多对多的关系,我的应用程序运行正常。但是,我想修改关于标签表的数据存储方式。我想只将唯一标签存储在标签表中。

Posts.cs:

public class Post : IEntity
{
    [Key]
    public int Id { get; set; }
    public string Title { get; set; }
    public List<Tag> Tags { get; set; }   // many
}

Tags.cs:

public class Tag : IEntity
{ 
    [Key]
    public int Id { get; set; }
    public string Name { get; set; }
    public List<Post> Posts { get; set; }   // many    
}

实体框架创建了3个表,每个类一个,一个导航表,如下所示。如您所见,我目前正在存储相同标签名称的重复副本。

enter image description here

如何避免像这样保存重复记录?

我的直觉是从我的PostController操作开始,我通过HttpPost接收表单数据。

PostController.cs

[HttpPost]
public ActionResult Create([Bind(Include = "Title,URL,IntroText,Body,Created,Modified,Author,Tags")] Post post)
{
    if (ModelState.IsValid)
    {
        using (UnitOfWork uwork = new UnitOfWork())
        {
            var newPost = new Post
            {
                Title = post.Title,
                URL = post.URL,
                IntroText = post.IntroText,
                Body = replace,
                Author = post.Author,
                //Tags = post.Tags 
            };

           // check for duplicate entries
           foreach (var tag in post.Tags) 
           {         
               var tagCount = uwork.TagRepository.GetAll().Where(s => s.Name.Equals(tag.Name)).Count();

                if (tagCount < 1) {
                    // not sure if I'm on the right track
                }
            }
            uwork.PostRepository.Insert(newPost);
            uwork.Commit();
            return RedirectToAction("Index", "Dashboard");
        }
    }
    return RedirectToAction("Index", "Dashboard");
}

一旦我开始这条路线,我开始猜测这个因为我意识到,如果我有条件地省略重复,那么帖子将完全丢失标签引用。任何指针都将非常感激。

1 个答案:

答案 0 :(得分:2)

我说你走在正确的轨道上。如果标签名称是唯一的,则不需要&#34; Count&#34;虽然。如果它存在,只需获得第一个。交换欺骗,不做任何事情

// check for duplicate entries
foreach (var tag in post.Tags.ToList()) 
{         
    var dupeTag = uwork.TagRepository.GetAll().FirstOrDefault(t => t.Name == tag.Name);

    //Replace tag with the dupe if found
    if(dupeTag != null)
    {
        post.Tags.Remove(tag);
        post.Tags.Add(dupeTag);
    }
}