我正在尝试动态创建表达式树。
假设我有两个简单的类:
class CustomerType
{
public int Id { get; set; }
public string Name { get; set; }
public OrderType[] Orders { get; set; }
}
class OrderType
{
public int Id { get; set; }
public DateTime Date { get; set; }
public decimal Price { get; set; }
}
..和没有任何关联的相应实体类型(所以,我需要使用自定义连接)。
我需要使用相应的订单填充客户列表。 我知道Linq中有两种连接:左外连接和左内连接。
因此,使用Left Outer Join我可以编写以下查询(为了简化,我将使用Linq表达式而不是自定义ExpressionTree生成器代码来说明问题):
var query = from c in db.Customers
join o in db.Orders on c.Id equals o.CustomerId into g
select new AccountType()
{
Id = c.Id,
Name = c.Name,
Orders = g
};
因此,AccountType对象的Orders属性将包含所有相应的Orders。
我只是不明白如何使用左内连接来获得与过滤相同的结果,基于订单表字段(例如,我需要查询所有订单的价格大于100.00):
var query = from c in db.Customers
join o in db.Orders on c.Id equals o.CustomerId
where o.Price > 100.00
select new AccountType()
{
Id = c.Id,
Name = c.Name,
Orders = ???
};
感谢您的帮助!
答案 0 :(得分:3)
我会这样做:
var query = from c in db.Customers
join o in db.Orders on c.Id equals o.CustomerId into g
select new AccountType()
{
Id = c.Id,
Name = c.Name,
Orders = g.Where(o => o.Price > 100.00)
};
使用内部联接,您必须使用group by
子句:
var query = from c in db.Customers
join o in db.Orders on c.Id equals o.CustomerId
where o.Price > 100.00
group o by c into g
select new AccountType()
{
Id = g.Key.Id,
Name = g.Key.Name,
Orders = g
}