我正在将两个字典(dic1和dic2)与从dic2获取键匹配但值不匹配或dic2中缺少键的规则进行比较。
对于dic1中缺少/不同的值,无需遍历dic2。

下面的代码可以正常工作,我想知道使用.NET 2.0(NO LINQ)还有什么更好的方法。

如果需要优化,哪个选项更好?

Dictionary<string,List<foo>> dic1 = new Dictionary<string,List<foo>>();
Dictionary<string,List<foo>> dic2 = new Dictionary<string,List<foo>>();

dic1.add("1", new foo("a"));
dic1.add("2", new foo("b"));
dic1.add("3", new foo("c"));
dic1.add("3", new foo("c1"));
dic1.add("4", new foo("d"));

dic2.add("1", new foo("a"));
dic2.add("2", new foo("b1"));
dic2.add("3", new foo("c"));
dic2.add("3", new foo("c2"));

//I write code which allow duplicate key in dictionary


选项1

foreach (KeyValuePair<string, List<foo>> var in dic1)
{
    if (dic2.ContainsKey(var.Key))
    {
        List<foo> tempList = var.Value.FindAll(delegate(foo s)
        {
            return !dic2[var.Key].Contains(s);
        });
        result.AddRange(tempList);
    }
    else
    {
        result.Add(var.Value);
    }

}


选项2

List<string> list1key = new List<string>(dic1.Keys);

list1key.ForEach(delegate(string key)
{
    if (dic2.ContainsKey(key))
    {
        List<foo> tempList = dic1[key].FindAll(delegate(foos)
           {
               return !dic2[key].Contains(s);
           });
        result.AddRange(tempList);
    }
    else
    {
        result.AddRange(dic1[key]);
    }
});

最佳答案

如果在访问dic2时使用TryGetValue,则可以使用任一选项来加快处理速度,因此您只需进行一次键查找。

您的第一个选择看起来更简单,甚至可能更快,我会同意的。
干杯

关于c# - 比较Dictionary <string,List <object >>,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/4029244/

10-08 21:45