我正在寻找一种从锯齿状数组中获取不同值的方法。我已经尝试将它放在字典中,但似乎没有看到这些值是不同的。任何有解决方案的想法?以下是我到目前为止的情况:
int[][] connectionList = GetArray();
从此返回的示例数据:
[0][1, 130, 136, 138]
[1][1, 78, 126, 138]
[2][1, 10, 125, 138]
[3][1, 130, 136, 138]
[4][1, 78, 126, 138]
[5][1, 130, 136, 138]
[6][1, 72, 135, 138]
[7][1, 73, 135, 138]
[8][1, 130, 136, 138]
尝试过添加字典。我试图捕捉重复的值,因为它们被添加,但这不起作用,所以试图添加.Distinct(),但没有任何欢乐
Dictionary<int, int[]> myDictionary = new Dictionary<int, int[]>();
for (int i = 0; i < connectionList.Length; i++)
{
List<int> list = new List<int>();
for (int j = 0; j < connectionList[i].Length; j++)
{
list.Add(connectionList[i][j]);
}
if (myDictionary.Where(x => x.Value == list.ToArray()).Count() == 0)
myDictionary.Add(i, list.ToArray());
}
var distinctList = myDictionary.Values.Distinct().ToList();
从上面的列表中,我正在寻找的输出是:
[0][1, 130, 136, 138]
[1][1, 78, 126, 138]
[2][1, 10, 125, 138]
[4][1, 72, 135, 138]
[5][1, 73, 135, 138]
有什么想法我能做到这一点吗?
答案 0 :(得分:4)
这是一种方法:
var distinctList = connectionList.GroupBy(x => string.Join(",", x))
.Select(g => g.First())
.ToList();
尽管根据IEqualityComparer<T>
和Crab Bucket的建议创建自定义Tobias可能更为可取 - 而不是创建一个用于比较的一次性字符串。
答案 1 :(得分:2)
使用LINQ Distinct
这很容易,您只需要为IEqualityComparer
提供自己的实现:
public class IntArrayComparer : IEqualityComparer<int[]>
{
public bool Equals(int[] i1, int[] i2)
{
if(ReferenceEquals(i1, i2))
{
return true;
}
else if(i1 == null || i2 == null)
{
return false;
}
else if(i1.Length != i2.Length)
{
return false;
}
for(int i = 0; i < i1.Length; ++i)
{
if(i1[i] != i2[i]) return false;
}
return true;
}
public int GetHashCode(int[] obj)
{
// Average is probably not the best hash for an int array,
// but I'm lazy right now and this is only for demonstration purposes
return obj != null ? (int)obj.Average() : 0;
}
}
并在您的代码中使用它,如下所示:
int[][] connectionList = GetArray().Distinct(new IntArrayComparer()).ToArray();
答案 2 :(得分:1)
您可以使用IEqualityComparer
吗? public class MyComparer : IEqualityComparer<int []>
{
bool IEqualityComparer<int[]>.Equals(int[] x, int[] y)
{
//.. your particular comparison logic goes here
}
int IEqualityComparer<int[]>.GetHashCode(int [] obj)
{
return obj.GetHashCode();
}
}
然后像这样打电话
var distinctList = myDictionary.Values.Distinct(new MyComparer()).ToList();