2

我不认为SequenceEqual这两者之间起作用,因为“中间”元素 ( IEnumerable<int>) 没有使用SequenceEqual.

oneThingy.SequenceEqual(twoThingy)

没有在中间元素上使用String.Join,有没有办法获得平等?

4

3 回答 3

3

SequenceEqual使用Equals;进行测试 要使用SequenceEquals你需要自己实现它。尝试使用Zip带有序列等于的运算符。

// example
var first = Enumerable.Range(1, 10).Select(i => Enumerable.Range(1, i));
var second = Enumerable.Range(1, 10).Select(i => Enumerable.Range(1, i));

bool nestedSequencesEqual = 
    // test if each sequence index is equal        
    first.Zip(second, (f, s) => f.SequenceEqual(s))
    // ensure all like sequences are equal
    .All(b => b);
// returns true
于 2013-06-10T05:18:34.657 回答
1

+1 @BleuM937 答案。
作为另一种方法,您可以将SequenceEqual重载与相等比较器一起使用:

IEnumerable<IEnumerable<int>> one = new IEnumerable<int>[] { new int[] { 1 }, new int[] { 1, 2, 3 } };
IEnumerable<IEnumerable<int>> two = new IEnumerable<int>[] { new int[] { 1 }, new int[] { 1, 2, 3 } };

bool nestedSequencesEqual = one.SequenceEqual(two, new SequencesComparer<int>());

class SequencesComparer<T> : IEqualityComparer<IEnumerable<T>> {
    public bool Equals(IEnumerable<T> x, IEnumerable<T> y) {
        return x.SequenceEqual(y);
    }
    public int GetHashCode(IEnumerable<T> obj) {
        return obj.GetHashCode();
    }
}
于 2013-06-10T05:32:49.953 回答
0

以下代码适用于我...

public class IntList : List<int>, IEquatable<IntList>
{
    public bool Equals(IntList other)
    {
        return this.SequenceEqual(other);
    }
}

void Main()
{
    List<IntList> list1 = new List<IntList>(2);
    List<IntList> list2 = new List<IntList>(2);

    var list11 = new IntList() {1, 2, 3};
    list1.Add(list11);

    var list21 = new IntList() {1, 2, 3};
    list2.Add(list21);


    var result = list1.SequenceEqual(list2);
    Console.WriteLine(result);
}

参考: http: //msdn.microsoft.com/en-us/library/bb348567 (v=vs.100).aspx

于 2013-06-10T06:22:45.590 回答