为了学习ASP.NET,我决定在其中编写自己的博客。我正在使用Entity Framework 6和MySQL 5.6.21。
我有一个BlogPost实体
public class BlogPost
{
public BlogPost()
{
Comments = new HashSet<Comment>();
BlogPostTags = new HashSet<BlogPostTag>();
}
public int BlogPostId { get; set; }
[Required]
[StringLength(150)]
public string Title { get; set; }
[Required]
[StringLength(16777215)]
public string Content { get; set; }
public DateTime PublishTime { get; set; }
public DateTime UpdateTime { get; set; }
[StringLength(500)]
public string Summary { get; set; }
public string Author { get; set; }
public virtual ICollection<Comment> Comments { get; set; }
public virtual ICollection<BlogPostTag> BlogPostTags { get; set; }
}
与BlogPostTag实体具有多对多关系,看起来像这样
public class BlogPostTag
{
public BlogPostTag()
{
BlogPosts = new HashSet<BlogPost>();
}
[Key]
[StringLength(50)]
public string TagName { get; set; }
public ICollection<BlogPost> BlogPosts { get; set; }
public override int GetHashCode()
{
return TagName.GetHashCode();
}
}
当我尝试编辑帖子并决定将一些标签添加到BlogPost实体时,EF6引发异常(这只是向上传播的MySQL异常):“键'PRIMARY'的条目'tag1'复制了”。仅当数据库中已经存在“ tag1”(=一些博客帖子已/具有此标签)时,才会发生这种情况。
这就是我更新BlogPost实体的方式:
public void EditBlogPost(BlogPost blogPost, string tags)
{
if (!string.IsNullOrEmpty(tags))
{
var splitTags = tags.Split(';');
foreach (var tag in splitTags)
{
blogPost.BlogPostTags.Add(new BlogPostTag() {TagName = tag});
}
}
blogPost.UpdateTime = DateTime.Now;
int bound = blogPost.Content.Length < 300 ? blogPost.Content.Length : 300;
blogPost.Summary = blogPost.Content.Substring(0, bound) + "...";
BlogPosts.Add(blogPost);
SaveChanges();
}
从ASP.NET MVC控制器调用此方法。
tags
参数是从POST接收的,并且是一个以分号分隔的字符串(例如tag1;tag2;tag3
)。 BlogPosts
声明为public DbSet<BlogPost> BlogPosts { get; set; }
有没有办法告诉EF首先检查数据库中是否已存在标签,如果存在,请使用它而不是尝试插入新标签?
最佳答案
看来您必须进行编程检查在blogposttag中是否已经存在某些内容。
就像是
Blogposttag.firstordefault(x => x.tagname ==名称);
然后,如果为空,则将其添加到博客文章标签。并且,如果它不为null,则可以跳过blogposttag.add(),而仅在Blogpost实体中使用该对象。
关于c# - 使用带有MySql的Entity Framework 6,对多对多实体更新中的键“PRIMARY”有重复的条目…,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/27579029/