Home »
C# Tutorial
C# List<T>.ToArray() Method with Example
C# List<T>.ToArray() Method: In this tutorial, we will learn about the ToArray() method of List collection with its usage, syntax, and an example using C# program.
By IncludeHelp Last updated : April 15, 2023
C# List<T>.ToArray() Method
List<T>.ToArray() method is used to copy all list elements to a new array or we can say it is used to convert a list to an array.
Syntax
T[] List<T>.ToArray();
Parameter(s)
Return Value
It returns an array of type T.
Example
int list declaration:
List<int> a = new List<int>();
Copying list elements to a new array:
int[] arr = a.ToArray();
Output:
arr: 10 20 30 40 50
C# program to convert list elements to an array using List<T>.ToArray() method
using System;
using System.Text;
using System.Collections.Generic;
namespace Test {
class Program {
static void printList(List <int> lst) {
//printing elements
foreach(int item in lst) {
Console.Write(item + " ");
}
Console.WriteLine();
}
static void Main(string[] args) {
//integer list
List <int> a = new List <int> ();
//adding elements
a.Add(10);
a.Add(20);
a.Add(30);
a.Add(40);
a.Add(50);
//print the list
Console.WriteLine("list elements...");
printList(a);
//copying list elements to a new array
int[] arr = a.ToArray();
//printing types
Console.WriteLine("type of a: " + a.GetType());
Console.WriteLine("type of arr: " + arr.GetType());
//print the list
Console.WriteLine("array elements...");
foreach(int item in arr) {
Console.Write(item + " ");
}
//hit ENTER to exit
Console.ReadLine();
}
}
}
Output
list elements...
10 20 30 40 50
type of a: System.Collections.Generic.List`1[System.Int32]
type of arr: System.Int32[]
array elements...
10 20 30 40 50
Reference: List<T>.ToArray() Method