鉴于这种结构..
我基本上希望能够获取具有多种类型的项目列表,并创建一个新的列表,该列表会压缩每个类似类型的值的总和。但是,类型的名称是动态的(它们可能有也可能没有特定的顺序,并且没有有限的列表)
using System.Linq;
using System.Collections.Generic;
class Item
{
public ItemType Type;
public int Value;
public int Add(Item item)
{
return this.Value + item.Value;
}
}
class ItemType
{
public string Name;
}
class Test
{
public static void Main()
{
List<ItemType> types = new List<ItemType>();
types.Add(new ItemType { Name = "Type1" });
types.Add(new ItemType { Name = "Type2" });
types.Add(new ItemType { Name = "Type3" });
List<Item> items = new List<Item>();
for (int i = 0; i < 10; i++)
{
items.Add(new Item
{
Type = types.Single(t => t.Name == "Type1"),
Value = 1
});
}
for (int i = 0; i < 10; i++)
{
items.Add(new Item
{
Type = types.Single(t => t.Name == "Type2"),
Value = 1
});
}
for (int i = 0; i < 10; i++)
{
items.Add(new Item
{
Type = types.Single(t => t.Name == "Type3"),
Value = 1
});
}
List<Item> combined = new List<Item>();
// create a list with 3 items, one of each 'type', with the sum of the total values of that type.
// types included are not always known at runtime.
}
}
答案 0 :(得分:7)
这样的事情应该有效。警告:我没有编译它。
items.GroupBy(i => i.Name)
.Select(g => new Item { Type= g.First().Name, Value = g.Sum(i => i.Value)})
.ToList()
答案 1 :(得分:0)
在我看来,您正在尝试获取类型列表及其计数(因为在您的示例中,值将始终为1)。以下是一些应该执行此操作的代码:
from i in items
group i by i.Type into t
select new { t.Key, TypeCount = t.Count() }
这将返回3个对象(以下表格形式显示):
Type TypeCount
-------- ---------
Type1 10
Type2 10
Type3 10
如果价值总是一个,那么我相信它与获得计数相同。
答案 2 :(得分:0)
List<Item> combined = items.GroupBy(i => i.Type).Select(g => new Item { Type = g.Key, Value = g.Sum(i => i.Value) }).ToList();
答案 3 :(得分:0)
var itemsByType = items.ToLookup(i => i.Type);
var sums = from g in itemsByType
select new Item {
Type = g.Key,
Value = g.Sum(i => i.Value)
};
var sumList = sums.ToList();