在实体框架代码中首先有没有办法向导航集合添加分页?

问题描述 投票:0回答:1

如果我有一个带有 BlogEntries 集合的 Blog 实体,其中可能有数百个条目,有没有办法首先使用 EF 代码添加任何服务器端分页功能?例如,如果我像在 DbSet 上那样执行典型的 .Skip(x).Take(y) ,它会延迟加载整个集合并将其分页到内存中吗?

entity-framework collections pagination ef-code-first
1个回答
16
投票

如果你直接查询

DbSet
你可以使用Take和Skip,它确实会在数据库服务器上执行分页(这些方法调用被翻译为SQL)。所以这按预期工作:

// Loads only 10 expected entries through Linq-to-entities
var entries = context.BlogEntries.OrderBy(e => e.Date).Skip(10).Take(10);

请注意,加载实体上的分页导航属性不能以这种方式工作:

var blog = context.Blogs.First();
// Lazy loading always loads all related entries and executes ordering and 
// paging through Linq-to-objects!
var entires = blog.BlogEntries.OrderBy(e => e.Date).Skip(10).Take(10);

如果你想在导航属性上进行分页,你必须使用显式加载

var blog = context.Blogs.First();
var dbEntry = context.Entry(blog);
// This is the way to use Linq-to-entities on navigation property and 
// load only subset of related entities
var entries = dbEntry.Collection(b => b.BlogEntries)
                     .Query()
                     .OrderBy(e => e.Date)
                     .Skip(10)
                     .Take(10)
                     .Load();
© www.soinside.com 2019 - 2024. All rights reserved.