如何在 C # 中将 Array 转换为 List < object > ?

如何在 C # 中将 Array转换为 List<object>

161037 次浏览
List<object> list = myArray.Cast<Object>().ToList();

If the type of the array elements is a reference type, you can leave out the .Cast<object>() since C#4 added interface co-variance i.e. an IEnumerable<SomeClass> can be treated as an IEnumerable<object>.

List<object> list = myArray.ToList<object>();
private List<object> ConvertArrayToList(object[] array)
{
List<object> list = new List<object>();


foreach(object obj in array)
list.add(obj);


return list;
}

List<object>.AddRange(object[]) should do the trick. It will avoid all sorts of useless memory allocation. You could also use Linq, somewhat like this: object[].Cast<object>().ToList()

Use the constructor: new List<object>(myArray)

The List<> constructor can accept anything which implements IEnumerable, therefore...

        object[] testArray = new object[] { "blah", "blah2" };
List<object> testList = new List<object>(testArray);

another way

List<YourClass> list = (arrayList.ToArray() as YourClass[]).ToList();

This allow you to send an object:

private List<object> ConvertArrayToList(dynamic array)

If array item and list item are same

List<object> list=myArray.ToList();

You can also initialize the list with an array directly:

List<int> mylist= new List<int>(new int[]{6, 1, -5, 4, -2, -3, 9});

Everything everyone is saying is correct so,

int[] aArray = {1,2,3};
List<int> list = aArray.OfType<int> ().ToList();

would turn aArray into a list, list. However the biggest thing that is missing from a lot of comments is that you need to have these 2 using statements at the top of your class

using System.Collections.Generic;
using System.Linq;

I hope this helps!

Here is my version:

  List<object> list = new List<object>(new object[]{ "test", 0, "hello", 1, "world" });


foreach(var x in list)
{
Console.WriteLine("x: {0}", x);
}

You can try this,

using System.Linq;
string[] arrString = { "A", "B", "C"};
List<string> listofString = arrString.OfType<string>().ToList();

Hope, this code helps you.