我正在努力计算一些没有孩子的父母以及父母的孩子。在我写这篇文章时,我意识到用代码更好地解释了..所以,在这里:
使用以下示例类型:
public class Customer
{
public int Id { get; set; }
public string Name { get; set; }
public List<Order> Orders { get; set; }
}
public class Order
{
public int Id { get; set; }
public string Description { get; set; }
}
这个数据:
var customers = new List<Customer>
{
new Customer
{
Id = 2,
Name = "Jane Doe"
},
new Customer
{
Id = 1,
Name = "John Doe",
Orders = new List<Order>
{
new Order { Id = 342, Description = "Ordered a ball" },
new Order { Id = 345, Description = "Ordered a bat" }
}
}
};
// I'm trying to get a count of customer orders added with customers with no orders
// In the above data, I would expect a count of 3 as detailed below
//
// CId Name OId
// ---- -------- ----
// 2 Jane Doe
// 1 John Doe 342
// 1 John Doe 345
int customerAndOrdersCount = {linq call here}; // equals 3
我想把数量计算为3回。
提前感谢您的帮助。
-Jessy Houle
后加:
我对所有伟大(和快速)的答案印象深刻。对于其他人来说,寻找一些选项,这里是一个单元测试,下面是一些工作示例。
[TestMethod]
public void TestSolutions()
{
var customers = GetCustomers(); // data from above
var count1 = customers.Select(customer => customer.Orders).Sum(orders => (orders != null) ? orders.Count() : 1);
var count2 = (from c in customers from o in (c.Orders ?? Enumerable.Empty<Order>() ).DefaultIfEmpty() select c).Count();
var count3 = customers.Sum(c => c.Orders == null ? 1 : c.Orders.Count());
var count4 = customers.Sum(c => c.Orders==null ? 1 : Math.Max(1, c.Orders.Count()));
Assert.AreEqual(3, count1);
Assert.AreEqual(3, count2);
Assert.AreEqual(3, count3);
Assert.AreEqual(3, count4);
}
再次感谢大家的帮助!
答案 0 :(得分:5)
怎么样
int customerAndOrdersCount = customers.Sum(c => c.Orders==null ? 1 : Math.Max(1, c.Orders.Count()));
答案 1 :(得分:1)
如果要使用空列表而不是null来初始化Order属性,则可以执行以下操作:
int count =
(
from c in customers
from o in c.Orders.DefaultIfEmpty()
select c
).Count();
如果您决定保留未初始化的财产,请执行以下操作:
int count =
(
from c in customers
from o in (c.Orders ?? Enumerable.Empty<Order>() ).DefaultIfEmpty()
select c
).Count();
答案 2 :(得分:1)
customers
.Select(customer => customer.Order)
.Sum(orders => (orders != null) ? orders.Count() : 1)
答案 3 :(得分:1)
如果您想将“no orders”计为1并计算订单,则此方法有效:
int customerOrders = customers.Sum(c => c.Orders == null ? 1 : c.Orders.Count());
顺便说一句,问题非常典范。
答案 4 :(得分:0)
你可能会搜索这样的东西:
customers.GroupBy(customer=>customer). //group by object iyself
Select(c=> //select
new
{
ID = c.Key.Id,
Name = c.Key.Name,
Count = (c.Key.Orders!=null)? c.Key.Orders.Count():0
}
);
答案 5 :(得分:0)
var orderFreeCustomers = customers.Where(c=>c.Orders== null || c.Orders.Any()==false);
var totalOrders = customers.Where (c => c.Orders !=null).
Aggregate (0,(v,e)=>(v+e.Orders.Count) );
结果是这两个值的总和