Open In App

C# | How to create a Stack

Improve
Improve
Improve
Like Article
Like
Save Article
Save
Share
Report issue
Report

Stack() constructor is used to initialize a new instance of the Stack class which will be empty and will have the default initial capacity. Stack represents a last-in, first out collection of object. It is used when you need last-in, first-out access to 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. This class comes under System.Collections namespace.

Syntax:

public Stack ();

Important Points:

  • The number of elements that a Stack can hold is known as the Capacity of the Stack. If the elements will be added to the Stack then capacity will be automatically increased by reallocating the internal array.
  • Specifying the initial capacity will eliminate the requirement to perform a number of resizing operations while adding elements to the Stack if the size of the collection can be estimated.
  • This constructor is an O(1) operation.

Example 1:




// C# Program to illustrate how
// to create a Stack
using System;
using System.Collections;
  
class Geeks {
  
    // Main Method
    public static void Main(String[] args)
    {
  
        // st is the Stack object
        // Stack() is the constructor
        // used to initializes a new
        // instance of the Stack class
        Stack st = new Stack();
   
        // Count property is used to get the
        // number of elements in Stack
        // It will give 0 as no elements
        // are present currently
        Console.WriteLine(st.Count);
    }
}


Output:

0

Example 2:




// C# Program to illustrate how
// to create a Stack
using System;
using System.Collections;
  
class Geeks {
  
    // Main Method
    public static void Main(String[] args)
    {
  
        // st is the Stack object
        // Stack() is the constructor
        // used to initializes a new
        // instance of the Stack class
        Stack st = new Stack();
   
        Console.Write("Before Push Method: ");
          
        // Count property is used to get the
        // number of elements in Stack
        // It will give 0 as no elements
        // are present currently
        Console.WriteLine(st.Count);
  
        // Inserting the elements 
        // into the Stack
        st.Push("Chandigarh");
        st.Push("Delhi");
        st.Push("Noida");
        st.Push("Himachal");
        st.Push("Punjab");
        st.Push("Jammu");
  
        Console.Write("After Push Method: ");
          
        // Count property is used to get the
        // number of elements in st
        Console.WriteLine(st.Count);
    }
}


Output:

Before Push Method: 0
After Push Method: 6

Reference:



Last Updated : 18 Feb, 2019
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads