ToArray()是否针对数组进行了优化?

时间:2012-12-09 18:54:12

标签: c# arrays linq resharper

ReSharper建议枚举IEnumerable<T>到列表或数组,因为我有“可能的多个IEnumerable<T> 枚举。

建议的自动代码重新分解内置了一些优化,以便在调用IEnumerable<T>之前查看ToArray()是否已经是数组。

var list = source as T[] ?? source.ToArray();
  • 这个优化是不是已经内置了原始的LINQ方法?
  • 如果没有,那么不这样做的动机是什么?

1 个答案:

答案 0 :(得分:6)

不,没有这样的优化。如果source是ICollection,那么它将被复制到新数组。以下是Buffer<T>结构的代码,由Enumerable用于创建数组:

internal Buffer(IEnumerable<TElement> source)
{    
    TElement[] array = null;
    int length = 0;
    ICollection<TElement> is2 = source as ICollection<TElement>;
    if (is2 != null)
    {
         length = is2.Count;
         if (length > 0)
         {
             array = new TElement[length]; // create new array
             is2.CopyTo(array, 0); // copy items
         }
    }
    else // we don't care, because array is ICollection<TElement>

    this.items = array;
}

这是Enumerable.ToArray()方法:

public static TSource[] ToArray<TSource>(this IEnumerable<TSource> source)
{
    if (source == null)
    {
        throw Error.ArgumentNull("source");
    }
    Buffer<TSource> buffer = new Buffer<TSource>(source);
    return buffer.ToArray(); // returns items
}