我有一个List<int>
数组,我正在使用LINQ(感谢这个论坛)来查找重复项,但在将列表合并为一个列表后,我如何检索这样的字典:
KEY -> duplicate value | VALUE -> list index where duplicate was found
事实上我在做这个:
List<int> duplicates = hits.GroupBy(x => x)
.Where(g => g.Count() > 1)
.Select(g => g.Key)
.ToList();
我想我应该使用SelectMany
您可以将每个元素映射到(item,index),然后可以很容易地为每个键选择受影响的索引。
var duplicates = hits.Select((item, index) => new {item, index})
.GroupBy(x => x.item)
.Where(g => g.Count() > 1)
.Select(g => new {Key = g.Key, Indexes = g.ToList().Select(x => x.index)})
.ToList();
首先,向元素中"添加"一个索引,指示它们是哪个列表的一部分,然后它们合并所有元素,最后使用与代码类似的东西。
var query = arr.Select((x,i) => x.Select(y=>new{Elem = y, Index = i}))
.SelectMany(x=>x)
.GroupBy(x => x.Elem)
.Where(x => x.Count() > 1)
.ToDictionary(x => x.First().Elem, y => y.Select(z => z.Index).ToList());
主要区别在于创建字典的方式,因为您必须在找到重复项的地方建立索引列表。
例如,在此输入上:
List<int>[] arr = new List<int>[3];
arr[0] = new List<int>() { 1, 2, 3 };
arr[1] = new List<int>() { 1 };
arr[2] = new List<int>() { 1, 3 };
你得到:
[1, {0,1,2}]
[3, {0,2}]