9

我已经搜索了互联网以尝试找到解决方案,也许我没有以正确的方式解决这个问题。

我需要比较两个结构相同的数据集,并希望找到新的和更改的对象(使用 LINQ)。

使用我在CodeProject找到的内容,我能够汇总一个已更改的项目列表,但这是通过对每一列(并且会有很多列)进行硬编码并检查相同的值来完成的:

var updRec = from u in updated
             join o in orig
                on u.KeyValue equals o.KeyValue
             where
                (o.Propery1 != u.Propery1) ||
                (o.Propery2 != u.Propery2)
             select new record
             {
                 KeyValue = u.KeyValue,
                 Propery1 = u.Propery1,
                 Propery2 = u.Propery2 ,
                 RecordType = "mod" // Modified
             };

我可以在两件事上使用帮助:

  1. 是否有更有效的方法来遍历每一列,因为我计划添加更多需要比较的属性?必须有更好的方法来动态检查 2 个相同的数据集是否有变化。
  2. 如何查看哪些属性已更改?例如,为所有不相同的项目创建一个“属性、原始值、更新值”列表?

希望这能很好地解释它。如果我没有正确看待它,请随时向我指出处理这种情况的其他方法。

4

2 回答 2

1

您可以使用 LINQ except() 扩展方法。这将返回列表中的所有内容,但第二个列表中的内容除外。

var orignalContacts = GetOrignal();
var updatedContacts = GetUpdated();

var changedAndNew = updatedContacts.Except(orignalContacts);
var unchanged     = orignalContacts.Except(updatedContacts);

根据您的数据提供者,您可能需要覆盖对象上的 Equals() 和 GetHashCode()。

于 2013-10-23T23:27:09.630 回答
0
  1. 更快,但如果您添加新属性,则需要维护代码是编写自定义比较器并使用您的方法。
  2. 较慢的使用反射来遍历所有属性并动态比较它们

    IDictionary<string, Tuple<object, object>> GetDifferentProperties<T>(T keyValue1, T keyValue2)
    {
       var diff = new Dictionary<string, object>();
       foreach (var prop in typeof(T).GetProperties(BindingFlags.Public))
       {
          var prop1Value = prop.GetValue(keyvalue1);
          var prop2Value = prop.GetValue(keyValue2);
          if (prop1Value != prop2Value)
            diff.Add(prop.Name, Tuple.Create(prop1Value, prop2Value));
       }
       return diff;
    }
    

然后在你的代码中

    var = results = (from u in updated
                    join o in orig
                    select new
                    {
                       Value1 = o.KeyValue,
                       Value2 = u.KeyValue
                    }).ToArray()
                    .Select(x => GetDifferentProperties(x.Value1, x.Value2))
                    .Select(DoSomestufWithDifference);
于 2013-08-29T19:47:34.363 回答