Given this structure..
I basically want to be able to take a list of items with multiple types, and create a new list that condenses down the sum of the values of each like-type. However the names of the types are dynamic (they may or may not have a specific order, and there is no finite list of them)
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.
}
}