如何在c#中将IEnumerable变量转换为int []?
答案 0 :(得分:18)
如果您能够使用System.Linq
,请使用.ToArray()
扩展名方法
如果您在.Net 2中,那么可以扯掉System.Linq.Enumerable如何实现。ToArray
扩展方法(我几乎逐字地提取了代码) - 它需要Microsoft®吗?):
struct Buffer<TElement>
{
internal TElement[] items;
internal int count;
internal Buffer(IEnumerable<TElement> source)
{
TElement[] array = null;
int num = 0;
ICollection<TElement> collection = source as ICollection<TElement>;
if (collection != null)
{
num = collection.Count;
if (num > 0)
{
array = new TElement[num];
collection.CopyTo(array, 0);
}
}
else
{
foreach (TElement current in source)
{
if (array == null)
{
array = new TElement[4];
}
else
{
if (array.Length == num)
{
TElement[] array2 = new TElement[checked(num * 2)];
Array.Copy(array, 0, array2, 0, num);
array = array2;
}
}
array[num] = current;
num++;
}
}
this.items = array;
this.count = num;
}
public TElement[] ToArray()
{
if (this.count == 0)
{
return new TElement[0];
}
if (this.items.Length == this.count)
{
return this.items;
}
TElement[] array = new TElement[this.count];
Array.Copy(this.items, 0, array, 0, this.count);
return array;
}
}
有了这个你就可以做到这一点:
public int[] ToArray(IEnumerable<int> myEnumerable)
{
return new Buffer<int>(myEnumerable).ToArray();
}
答案 1 :(得分:14)
在LINQ的using指令后调用ToArray
:
using System.Linq;
...
IEnumerable<int> enumerable = ...;
int[] array = enumerable.ToArray();
这需要.NET 3.5或更高版本。如果您使用的是.NET 2.0,请告诉我们。
答案 2 :(得分:3)
IEnumerable<int> i = new List<int>{1,2,3};
var arr = i.ToArray();
答案 3 :(得分:1)
IEnumerable to int[] - enumerable.Cast<int>().ToArray();
IEnumerable<int> to int[] - enumerable.ToArray();
答案 4 :(得分:1)
IEnumerable<int> ints = new List<int>();
int[] arrayInts = ints.ToArray();
如果您使用的是Linq:)