我有两个“假型”哈希(int键,列表值)对象,我需要根据键组合成一个。例如,
[{1, {a, b, c}},
{2, {apple, pear}},
{3, {blue, red}}]
和
[{2, {tomato}},
{3, {pink, red}},
{4, {x, y, z}}]
我需要的结果是:
[{1, {a, b, c}},
{2, {apple, pear, tomato}},
{3, {blue, red, pink, red}},
{4, {x, y, z}}]
(类似JSON的格式是为了便于阅读)
我可以在服务器(C#)或客户端(Javascript / Angular)上执行此操作。 C#中是否有一个聚合类型,它有一个方法可以做到这一点?或者也许一些熟练的LINQ表达式做同样的事情?
或者最好的方法是将它们设为Hashtable<int, List<object>>
,然后“手动”加入它们?
更新:根据以下答案,这是提出问题的更好方式:
Dictionary<int, string[]> Dict1 = new Dictionary<int, string[]>();
Dict1.Add(1, new string[] { "a", "b", "c" });
Dict1.Add(2, new string[] { "apple", "pear" });
Dict1.Add(3, new string[] { "blue", "red" });
Dictionary<int, string[]> Dict2 = new Dictionary<int, string[]>();
Dict2.Add(2, new string[] { "tomato" });
Dict2.Add(3, new string[] { "pink", "red" });
Dict2.Add(4, new string[] { "x", "y", "z" });
foreach (var item in Dict2) {
if (Dict1.ContainsKey(item.Key)) {
Dict1[item.Key] = Dict1[item.Key].Concat(item.Value).ToArray();
} else {
Dict1.Add(item.Key, item.Value);
}
}
是否有一些Collection类型允许我加入两个对象而不是通过循环?
答案 0 :(得分:1)
有几种方法可以实现这一点,我猜你想使用json文件作为源文件,所以为什么不将所有内容转换为对象并以这种方式处理它们,这将提供更多的灵活性如果需要,可以操纵它们并执行更多的复杂处理。
这是我的草稿版本:
using System;
using System.Collections.Generic;
using System.Linq;
public class Program
{
public static void Main()
{
List<JsonModel> ListJson1 = new List<JsonModel>();
ListJson1.Add(new JsonModel(1, new List<string>(new string[] {"a", "b", "c"})));
ListJson1.Add(new JsonModel(2, new List<string>(new string[] {"apple", "pear"})));
ListJson1.Add(new JsonModel(3, new List<string>(new string[] {"blue", "red"})));
List<JsonModel> ListJson2 = new List<JsonModel>();
ListJson2.Add(new JsonModel(2, new List<string>(new string[] {"tomato"})));
ListJson2.Add(new JsonModel(3, new List<string>(new string[] {"pink", "red"})));
ListJson2.Add(new JsonModel(4, new List<string>(new string[] {"x", "y", "z"})));
List<JsonModel> result = ListJson1.Concat(ListJson2)
.ToLookup(p => p.Index)
.Select(g => g.Aggregate((p1,p2) =>
new JsonModel(p1.Index,p1.Names.Union(p2.Names)))).ToList();
foreach(var item in result)
{
Console.WriteLine(item.Index);
foreach(var Item in item.Names)
Console.WriteLine(Item);
}
}
}
public class JsonModel
{
public int Index;//you can use your private set and public get here
public IEnumerable<string> Names;//you can use your private set and public get here
public JsonModel(int index, IEnumerable<string> names)
{
Index = index;
Names = names;
}
}
输出:1 a b c 2苹果梨番茄3蓝红色粉红色4 x y z
检查此link