ReSharper 建议枚举IEnumerable<T>
一个列表或数组,因为我有“可能的多个枚举IEnumerable<T>
”。
建议的自动代码重构内置了一些优化,以查看IEnumerable<T>
在调用之前是否已经是一个数组ToArray()
。
var list = source as T[] ?? source.ToArray();
- 这个优化不是已经内置在原始的 LINQ 方法中了吗?
- 如果没有,不这样做的动机是什么?
不,没有这样的优化。如果 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
}