使用 Linq + 包含排序



我与两个实体有一对多关系:

Order:
int OrderId 
string OrderNumber
...
OrderItem:
int ItemId
int sequence
...
Product:
int ProductId
string ProductName
ProductType:
int ProductTypeid
string Title

一个Order有多个OrderItems,每个OrderItem都有一个Product,每个Product都有一个ProductType

我想编写一个 Linq,它返回所有订单及其itemsProductProductType和按序列字段排序的项目。如何编写查询,例如以下查询?

在 Order by with Linq 的帮助下,我写了这个查询:

var myOrder= db.Orders.Include("OrderItems")
         .Where(x => x.OrderId == 3)
         .Include("OrderItems.Product") 
         .Include("OrderItems.Product.ProductType") 
         .Select(o => new {
             order = o,
             orderItems = o.OrderItems.OrderBy(i => i.sequence)
         }).FirstOrDefault();

但是当它返回结果时,它不包含产品和产品类型数据。我的错误在哪里?

您需要

先将所有调用放在Include()。这应该有效:

var myOrder= db.Orders.Include("OrderItems")
     .Include("OrderItems.Product") 
     .Include("OrderItems.Product.ProductType") 
     .Where(x => x.OrderId == 3)
     .Select(o => new {
         order = o,
         orderItems = o.OrderItems.OrderBy(i => i.sequence)
     }).FirstOrDefault();

此外,当你有.Include("OrderItems.Product.ProductType")时,你不需要.Include("OrderItems").Include("OrderItems.Product"),因为它将包括OrderItems及其产品,包括产品类型。它必须这样做,否则您将无法在代码中导航到它们 - 它会将它们附加到什么?

在这种情况下,看起来这似乎可以解释它:http://wildermuth.com/2008/12/28/Caution_when_Eager_Loading_in_the_Entity_Framework

您可以在不使用包括的情况下四处走动:

var query = db.Orders
.Where(x => x.OrderId == 3)
.Select(o => new {
order = o,
orderItems = o.OrderItems.OrderBy(i => i.sequence),
products = o.OrderItems.Select(i => new { i, i.Product, i.Product.ProductType })
});

您投影到输出选择中的任何内容都将自动加载。像这样的预先加载在某些方面实际上是可取的,因为你只是具体化你需要的东西,而不是完整的对象图。(尽管在这种情况下,我们的具体化与包含相同。

相关内容

  • 没有找到相关文章

最新更新