有人可以写迷你指南,解释如何在EF中使用馆藏吗?
例如,我有以下模型:
public class PostContext : DbContext
{
public DbSet<BlogPost> Posts { get; set; }
protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{
optionsBuilder.UseSqlServer(@"Server=(localdb)\mssqllocaldb;Database=Posts;Trusted_Connection=True;MultipleActiveResultSets=true");
}
protected override void OnModelCreating(ModelBuilder builder)
{
base.OnModelCreating(builder);
}
}
上下文类:
list()
我需要在OnModelCreating方法中编写什么才能在代码中的任何地方使用Posts.Add等?
答案 0 :(得分:17)
以下是我在Entity Framework Core中使用导航属性的提示。
提示1:初始化集合
class Post
{
public int Id { get; set; }
// Initialize to prevent NullReferenceException
public ICollection<Comment> Comments { get; } = new List<Comment>();
}
class Comment
{
public int Id { get; set; }
public string User { get; set; }
public int PostId { get; set; }
public Post Post { get; set; }
}
提示2:使用HasOne
和WithMany
或HasMany
和WithOne
方法进行构建
protected override void OnModelCreating(ModelBuilder model)
{
model.Entity<Post>()
.HasMany(p => p.Comments).WithOne(c => c.Post)
.HasForeignKey(c => c.PostId);
}
提示3:急切加载集合
var posts = db.Posts.Include(p => p.Comments);
提示4:如果您没有急切地明确加载
db.Comments.Where(c => c.PostId == post.Id).Load();
答案 1 :(得分:1)
似乎Comments
导航属性无法正常工作。尝试向BlogPost
模型提供PostComment
表的实际参考字段。同时在PostComments中重命名导航属性以获得EF命名合规性。
public class BlogPost
{
public int Id { get; set; }
public string Title { get; set; }
public string Content { get; set; }
public DateTime DateTime { get; set; }
public int PosCommentId {get; set; }
public List<PostComment> PostComments { get; set; }
}
如果这不起作用,您必须手动定义您的关系,但在此之前的帮助中,您最好在数据库中提供这两个表的模式。
更新01:
第一个提示:
您正在使用单数命名表。这不符合EF命名约定。必须关闭多元化。只需将此行放在OnModelCreating
方法中。
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
第二个提示: 我以前的建议是完全错误的不再考虑,只需使用您的旧模型架构。现在,假设评论与帖子之间存在一对多的关系:
protected override void OnModelCreating(ModelBuilder builder)
{
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
modelBuilder.Entity<PostComment>().HasRequired<BlogPost>(c => c.ParentPost)
.WithMany(p => p.Comments);
base.OnModelCreating(builder);
}
更多信息:
EF one-to-many relationship tutorial
答案 2 :(得分:0)
只是添加来自@FabioCarello和@bricela的答案,我建议在导航属性上使用虚拟关键字:
public virtual ICollection<Comment> { get; set; }
这将允许延迟加载,这意味着只有在第一次调用时才加载集合/引用,而不是在第一次数据检索期间加载。这对于避免例如递归引用上的堆栈溢出非常有用。
对于像您这样的简单一对多关系,不需要流利,除非您需要非标准行为,例如明确要求不可为空的引用。
您还可以明确使用外键,这非常有用,因此当您只需要 ID 时,您不必加载父:
public class PostComment
{
public int Id { get; set; }
public BlogPost ParentPost { get; set; }
// //
public int? ParentPostId { get; set; }
// //
public string Content { get; set; }
public DateTime DateTime { get; set; }
}