在C#的Entity Framework Core中,懒加载是一种常见的优化策略,用于在需要时才加载关联的实体。要实现懒加载,你需要使用virtual
关键字来声明导航属性,并在查询时启用延迟加载。以下是一个简单的示例:
Author
和Book
,它们之间具有关联关系。使用virtual
关键字声明导航属性。public class Author
{
public int Id { get; set; }
public string Name { get; set; }
public virtual List<Book> Books { get; set; } // 懒加载导航属性
}
public class Book
{
public int Id { get; set; }
public string Title { get; set; }
public int AuthorId { get; set; }
public Author Author { get; set; } // 懒加载导航属性
}
public class MyDbContext : DbContext
{
public DbSet<Author> Authors { get; set; }
public DbSet<Book> Books { get; set; }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<Author>()
.HasMany(a => a.Books)
.WithOne(b => b.Author)
.OnDelete(DeleteBehavior.Cascade);
}
}
Include()
方法来启用延迟加载。例如,获取一个作者及其所有书籍:using (var context = new MyDbContext())
{
var author = context.Authors.Include(a => a.Books).FirstOrDefault(a => a.Id == 1);
}
在这个例子中,Books
属性将使用懒加载策略。当你访问author.Books
时,如果尚未加载书籍,EF Core将自动发出额外的查询以加载它们。
注意:如果你需要在同一个上下文中多次访问已加载的导航属性,建议使用ToList()
或ToArray()
等方法将其立即加载到内存中,以避免潜在的性能问题。