📜  C#|复制整个LinkedList<T>排列

📅  最后修改于: 2021-05-29 15:13:38             🧑  作者: Mango

LinkedList < T > .CopyTo(T [],Int32)方法用于从目标数组的指定索引处开始,将整个LinkedList < T >复制到兼容的一维数组。

句法:

public void CopyTo (T[] array, int index);

参数:

  • array:它是一维数组,是从LinkedList复制的元素的目的地。数组必须具有从零开始的索引。
  • index:它是数组中从零开始的索引,从此处开始复制。

例外情况:

  • ArgumentNullException:如果数组为null。
  • ArgumentOutOfRangeException:如果索引小于零。
  • ArgumentException:如果源LinkedList中的元素数大于从索引到目标数组末尾的可用空间。

下面给出了一些示例,以更好地理解实现:

范例1:

// C# code to copy LinkedList to
// Array, starting at the specified
// index of the target array
using System;
using System.Collections;
using System.Collections.Generic;
  
class GFG {
  
    // Driver code
    public static void Main()
    {
        // Creating a LinkedList of Strings
        LinkedList myList = new LinkedList();
  
        // Adding nodes in LinkedList
        myList.AddLast("A");
        myList.AddLast("B");
        myList.AddLast("C");
        myList.AddLast("D");
        myList.AddLast("E");
  
        // Creating a string array
        string[] myArr = new string[1000];
  
        // Copying LinkedList to Array,
        // starting at the specified index
        // of the target array
        myList.CopyTo(myArr, 0);
  
        // Displaying elements in array myArr
        foreach(string str in myArr)
        {
            Console.WriteLine(str);
        }
    }
}

输出:

A
B
C
D
E

范例2:

// C# code to copy LinkedList to
// Array, starting at the specified
// index of the target array
using System;
using System.Collections;
using System.Collections.Generic;
  
class GFG {
  
    // Driver code
    public static void Main()
    {
        // Creating a LinkedList of Integers
        LinkedList myList = new LinkedList();
  
        // Adding nodes in LinkedList
        myList.AddLast(5);
        myList.AddLast(7);
        myList.AddLast(9);
        myList.AddLast(11);
        myList.AddLast(12);
  
        // Creating an Integer array
        int[] myArr = new int[100];
  
        // Copying LinkedList to Array,
        // starting at the specified index
        // of the target array
        // This should raise "ArgumentOutOfRangeException"
        // as index is less than 0
        myList.CopyTo(myArr, -2);
  
        // Displaying elements in array myArr
        foreach(int i in myArr)
        {
            Console.WriteLine(i);
        }
    }
}

运行时错误:

笔记:

  • 将元素以枚举器遍历LinkedList的相同顺序复制到Array。
  • 此方法是O(n)运算,其中n是Count。

参考:

  • https://docs.microsoft.com/zh-cn/dotnet/api/system.collections.generic.linkedlist-1.copyto?view=netframework-4.7.2