我已经有很多标签,并且我已经有很多帖子。我只想发布2个ID,然后将这2个ID插入我的多对多表格中,以便将2条记录链接起来。
我正在使用Entity Framework和Fluent Api。
表1称为标签, 表2称为帖子, 表3称为TagsPosts
我的TagsPosts表具有以下内容:
Tag_Id
Post_Id
我只想使用以下2个ID添加新记录:
var entry = new TagPost()
{
Tag_Id = tagId,
Post_Id = postId
};
ApplicationDbContext.TagsPosts.Add(entry);
就我而言,我有:
public class ApplicationDbContext
{
public DbSet<Tag> Tags{ get; set; }
public DbSet<Post> Posts{ get; set; }
public DbSet<TagPost> TagsPosts { get; set; }
}
我流利的API关系:
ToTable("Tags");
HasKey(t => t.Id);
HasMany(t => t.Posts).WithMany(p => p.Tags);
问题是,我尝试先使用代码添加迁移时遇到错误:
EntityType 'TagPost' has no key defined. Define the key for this EntityType.
TagsPosts: EntityType: EntitySet 'TagsPosts' is based on type 'TagPost' that has no keys defined.
这是TagPost的样子:
public class TagPost
{
public int Tag_Id { get; set; }
public int Post_Id { get; set; }
}
我在做什么错了?
答案 0 :(得分:1)
如果按照约定映射此M2M关系,则不必包括TagPost类。
modelBuilder.Entity<Tag>()
.ToTable("Tags")
.HasKey(t => t.Id)
.HasMany(t => t.Posts)
.WithMany(p => p.Tags)
.Map(cs =>
{
cs.MapLeftKey("Tag_Id");
cs.MapRightKey("Post_Id");
cs.ToTable("TagPost");
});
请阅读以下内容以获取更多信息:http://www.entityframeworktutorial.net/code-first/configure-many-to-many-relationship-in-code-first.aspx
编辑:
//get post object from context
var post = context.Posts.Find(postId);
//get tag object from context
var tag = context.Tags.Find(tagId);
//associate objects
post.Tags.Add(tag);
//commit to db
context.SaveChanges();