此问题是Convert List<T> to Dictionary with strategy
的略微修改版本我有List&lt; DTO&gt; DTO类看起来像这样,
private class DTO
{
public string Name { get; set; }
public int Count { get; set; }
}
我创建对象并将其添加到List。
var dto1 = new DTO { Name = "test", Count = 2 };
var dto2 = new DTO { Name = "test", Count = 3 };
var dtoCollection = new List<DTO> {dto1, dto2};
现在我的要求是我需要从dtoCollection创建一个List,其中Name字段在整个List中应该是唯一的。
例如,如果将上面的dtoCollection转换为所需的List,则结果列表应如下所示:
列表&lt; DTO&gt; count应为1;
列表中的对象应该是单个DTO,名称为“test”,计数为5
其中Count是通过汇总所有名称字段相同的DTO中的计数字段获得的
答案 0 :(得分:6)
尝试:
var result = dtoCollection.GroupBy(dto => dto.Name)
.Select(group => new DTO
{
Name = group.Key,
Count = group.Sum(dto => dto.Count)
})
.ToList();
这可以通过按名称对DTO进行分组,然后从每个组中提取一个新的DTO,该DTO以组的密钥和计数设置为其成员计数的总和。
答案 1 :(得分:3)
var newList = dtoCollection.GroupBy(d => d.Name)
.Select(g => new DTO(){ Name=g.Key, Count=g.Select(d => d.Count).Sum()})
.ToList();