在 C# 中複製一個列表

Muhammad Maisam Abbas 2023年1月30日 2021年4月29日
  1. 在 C# 中使用 Linq 複製列表
  2. 使用 C# 中的列表構造器複製列表
在 C# 中複製一個列表

本教程將介紹在 C# 中複製列表的方法。

在 C# 中使用 Linq 複製列表

Linq 可以對 C# 中的資料結構執行類似 SQL 的查詢。我們可以使用 Linq 與預定義的 item.Clone() 方法來建立一個列表的副本。請參見以下示例。

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

namespace copy_a_list
{
    static class Extensions
    {
        public static List<T> Clone<T>(this List<T> listToClone) where T : ICloneable
        {
            return listToClone.Select(item => (T)item.Clone()).ToList();
        }
    }
    class Program
    {
        static void Main(string[] args)
        {
            List<string> slist = new List<string> { "ABC", "DEF", "GHI" };
            List<string> tlist = slist.Clone();
            foreach (var t in tlist)
            {
                Console.WriteLine(t);
            }
        }
    }
}

輸出:

ABC
DEF
GHI

我們建立了擴充套件功能 Clone() 以與通用列表一起使用。Clone() 函式使用 item.Clone() 函式為列表中的每個元素建立一個單獨的副本,然後使用 C# 中的 ToList() 函式以列表的形式返回結果。在主函式中,我們初始化了字串 slist 的列表,並將其克隆到另一個字串 tlist 的列表中。我們可以將這種方法與值列表和引用列表一起使用。

使用 C# 中的列表構造器複製列表

建立列表副本的另一種更簡單的方法是在 C# 中使用列表建構函式。我們可以將先前的列表傳遞給新列表的建構函式,以建立先前列表的副本。以下程式碼示例向我們展示瞭如何使用 C# 中的列表建構函式建立列表的單獨副本。

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

namespace copy_a_list
{
    class Program
    {
        static void method2()
        {
        }
        static void Main(string[] args)
        {
            List<string> slist = new List<string> { "ABC", "DEF", "GHI" };
            List<string> tlist = new List<string>(slist);
            foreach (var t in tlist)
            {
                Console.WriteLine(t);
            }
        }
    }
}

輸出:

ABC
DEF
GHI

與以前的方法相比,此程式碼更簡單,更易於理解。在上面的程式碼中,我們通過將 slist 作為 tlist 建構函式的引數傳遞,將列表 slist 單獨建立到 tlist 中。我們只能將這種方法與值列表一起使用。

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 List