Linq / .NET3.5是否支持'zip'方法?

时间:2010-05-11 15:04:04

标签: .net linq list-manipulation

在其他语言中(ruby,python,...)我可以使用zip(list1, list2),其工作原理如下:

如果list1 is {1,2,3,4}list2 is {a,b,c}

然后zip(list1, list2)将返回:{(1,a), (2,b), (3,c), (d,null)}

这种方法在.NET的Linq扩展中是否可用?

2 个答案:

答案 0 :(得分:13)

.NET 4为我们提供了Zip方法,但它在.NET 3.5中不可用。如果您感到好奇,Eric Lippert provides an implementation of Zip可能会觉得有用。

答案 1 :(得分:0)

任何实现都不会填写缺失值(或检查长度是否相同)。

这是一个可以实现的实现:

    public static IEnumerable<TResult> Zip<TFirst, TSecond, TResult> (this IEnumerable<TFirst> first,  IEnumerable<TSecond> second,  Func<TFirst, TSecond, TResult> selector, bool checkLengths = true, bool fillMissing = false) {
        if (first == null)    { throw new ArgumentNullException("first");}
        if (second == null)   { throw new ArgumentNullException("second");}
        if (selector == null) { throw new ArgumentNullException("selector");}

        using (IEnumerator<TFirst> e1 = first.GetEnumerator()) {
            using (IEnumerator<TSecond> e2 = second.GetEnumerator()) {
                while (true) {
                    bool more1 = e1.MoveNext();
                    bool more2 = e2.MoveNext();

                    if( ! more1 || ! more2) { //one finished
                        if(checkLengths && ! fillMissing && (more1 || more2)) { //checking length && not filling in missing values && ones not finished
                            throw new Exception("Enumerables have different lengths (" + (more1 ? "first" : "second") +" is longer)");
                        }

                        //fill in missing values with default(Tx) if asked too
                        if (fillMissing) {
                            if ( more1 ) {
                                while ( e1.MoveNext() ) {
                                    yield return selector(e1.Current, default(TSecond));        
                                }
                            } else {
                                while ( e2.MoveNext() ) {
                                    yield return selector(default(TFirst), e2.Current);        
                                }
                            }
                        }

                        yield break;
                    }

                    yield return selector(e1.Current, e2.Current);
                }
            }
        }
    }