如何在 C# 中將列舉轉換為列表
Minahil Noor
2020年10月15日
本文將介紹如何在 C# 中把一個列舉 IEnumerable
轉換為列表的方法。
- 使用
ToList()
方法
在 C# 中使用 ToList()
方法將列舉型別轉換為列表
在 C# 中,我們可以使用 Linq
類的 ToList()
方法將列舉轉換為列表。使用該方法的正確語法如下所示
Enumerable.ToList(source);
方法 ToList()
只有一個引數。它的詳細引數如下。
引數 | 說明 | |
---|---|---|
source |
強制 | 這是我們要轉換為列表的 IEnumerable |
這個函式返回一個代表給定 IEnumerable
元素的列表。
下面的程式顯示了我們如何使用 ToList()
方法將一個 IEnumerable
轉換為列表。
using System;
using System.Collections.Generic;
using System.Linq;
class StringToByteArray {
static void Main(string[] args) {
IEnumerable < int > enumerable = Enumerable.Range(1, 50);
List < int > mylist = enumerable.ToList();
Console.WriteLine("The List is:");
foreach(int length in mylist) {
Console.WriteLine(length);
}
}
}
輸出:
The List is:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50