C# List<Dictionary<string,object>> 去重
时间: 2023-11-11 16:52:04 浏览: 257
你可以使用 LINQ 来对 `List<Dictionary<string, object>>` 去重。以下是一个示例代码:
```csharp
using System;
using System.Collections.Generic;
using System.Linq;
class Program
{
static void Main()
{
List<Dictionary<string, object>> myList = new List<Dictionary<string, object>>();
// 添加示例数据
Dictionary<string, object> dict1 = new Dictionary<string, object>();
dict1.Add("Key", 1);
dict1.Add("Value", "A");
myList.Add(dict1);
Dictionary<string, object> dict2 = new Dictionary<string, object>();
dict2.Add("Key", 2);
dict2.Add("Value", "B");
myList.Add(dict2);
Dictionary<string, object> dict3 = new Dictionary<string, object>();
dict3.Add("Key", 1); // 与 dict1 的 Key 相同
dict3.Add("Value", "C");
myList.Add(dict3);
// 去重
List<Dictionary<string, object>> distinctList = myList
.GroupBy(dict => dict["Key"])
.Select(group => group.First())
.ToList();
// 输出去重后的结果
foreach (var dict in distinctList)
{
Console.WriteLine($"Key: {dict["Key"]}, Value: {dict["Value"]}");
}
}
}
```
这段代码使用 `GroupBy` 方法按照字典中的 "Key" 进行分组,并通过 `Select` 方法选择每个组中的第一个字典,从而实现去重操作。输出结果为:
```
Key: 1, Value: A
Key: 2, Value: B
```
注意,这里假设字典中的 "Key" 是可以用于比较相等性的,如果你的字典中有其他复杂类型的值,你可能需要自定义比较器来进行去重。
阅读全文