C# 中的列表陣列

Muhammad Maisam Abbas 2023年10月12日
  1. C# 中帶有 List<T>[] 表示法的列表陣列
  2. C# 中使用 LINQ 方法的列表陣列
C# 中的列表陣列

本教程將討論在 C# 中建立列表陣列的方法。

C# 中帶有 List<T>[] 表示法的列表陣列

List<T>[] 表示法可用於宣告 C# 中 T 型別的列表的陣列。請記住,這隻會宣告一個空引用陣列。我們仍然必須使用 new 關鍵字在 List<T>[] 的每個索引處初始化每個列表。

using System;
using System.Collections.Generic;

namespace array_of_lists {
  class Program {
    static void Main(string[] args) {
      List<int>[] arrayList = new List<int>[3];
      arrayList[0] = new List<int> { 1, 2, 3 };
      arrayList[1] = new List<int> { 4, 5, 6 };
      arrayList[2] = new List<int> { 7, 8, 9 };
      foreach (var list in arrayList) {
        foreach (var element in list) {
          Console.WriteLine(element);
        }
      }
    }
  }
}

輸出:

1
2
3
4
5
6
7
8
9

在上面的程式碼中,我們用 C# 中的 List<T>[] 表示法和 new 關鍵字宣告並初始化了包含整數值的列表 arrayList 的陣列。對於小型陣列,上述方法是可以的。但是,如果我們的陣列很大,則此方法可能會變得非常費力,並且會佔用大量程式碼。此方法僅適用於長度較小的陣列。

C# 中使用 LINQ 方法的列表陣列

LINQ 用於將查詢功能與 C# 中的資料結構整合在一起。我們可以使用 LINQ 在 C# 中宣告和初始化列表陣列。

using System;
using System.Collections.Generic;

namespace array_of_lists {
  class Program {
    static void Main(string[] args) {
      List<int>[] arrayList = new List<int> [3].Select(item => new List<int> { 1, 2, 3 }).ToArray();
      foreach (var list in arrayList) {
        foreach (var element in list) {
          Console.WriteLine(element);
        }
      }
    }
  }
}

輸出:

1
2
3
1
2
3
1
2
3

在上面的程式碼中,我們用 C# 中的 List<T>[] 表示法和 new 關鍵字宣告並初始化了包含整數值的列表 arrayList 的陣列。對於較大的陣列,此方法比以前的示例勞動強度低,因此它更適合於具有較大長度的陣列。

Muhammad Maisam Abbas avatar Muhammad Maisam Abbas avatar

Maisam is a highly skilled and motivated Data Scientist. He has over 4 years of experience with Python programming language. He loves solving complex problems and sharing his results on the internet.

LinkedIn

相關文章 - Csharp Array