C# | Convert Stack to array (original) (raw)

Last Updated : 01 Feb, 2019

Stack represents a last-in, first out collection of object. It is used when you need a last-in, first-out access of items. When you add an item in the list, it is called pushing the item and when you remove it, it is called popping the item. Stack.ToArray Method is used to copy a Stack to a new array.Properties:

Syntax:

public T[] ToArray ();

Return Type: This method returns a new array t[] which contains the copy of the elements of the Stack. Below given are some examples to understand the implementation in a better way :Example 1:

CSHARP `

// C# code to Convert Stack to array using System; using System.Collections.Generic;

class GFG {

// Driver code
public static void Main()
{

    // Creating a Stack of strings
    Stack<string> myStack = new Stack<string>();

    // Inserting the elements into the Stack
    myStack.Push("Geeks");
    myStack.Push("Geeks Classes");
    myStack.Push("Noida");
    myStack.Push("Data Structures");
    myStack.Push("GeeksforGeeks");

    // Converting the Stack into array
    String[] arr = myStack.ToArray();

    // Displaying the elements in array
    foreach(string str in arr)
    {
        Console.WriteLine(str);
    }
}

}

`

Output:

GeeksforGeeks Data Structures Noida Geeks Classes Geeks

Example 2:

CSHARP `

// C# code to Convert Stack to array using System; using System.Collections.Generic;

class GFG {

// Driver code
public static void Main()
{

    // Creating a Stack of Integers
    Stack<int> myStack = new Stack<int>();

    // Inserting the elements into the Stack
    myStack.Push(2);
    myStack.Push(3);
    myStack.Push(4);
    myStack.Push(5);
    myStack.Push(6);

    // Converting the Stack into array
    int[] arr = myStack.ToArray();

    // Displaying the elements in array
    foreach(int i in arr)
    {
        Console.WriteLine(i);
    }
}

}

`

Reference:

Similar Reads