Last Updated: 28 Jul, 2020

Implement Stack With Linked List

Moderate
Asked in companies
AmazonMathworksDell Technologies

Problem statement

You must implement the Stack data structure using a Singly Linked List.


Create a class named 'Stack' which supports the following operations(all in O(1) time):


getSize: Returns an integer. Gets the current size of the stack

isEmpty: Returns a boolean. Gets whether the stack is empty

push: Returns nothing. Accepts an integer. Puts that integer at the top of the stack

pop: Returns nothing. Removes the top element of the stack. It does nothing if the stack is empty.

getTop: Returns an integer. Gets the top element of the stack. Returns -1 if the stack is empty

Input format:

The first line of the input will contain the number of queries, 'q'.

The next 'q' lines will contain the queries. They can be of the following five types:

'1': Print the current size of the stack

'2': Find whether the stack is empty. Print "true" if yes, and "false" otherwise.

'3': This query will be like "3 val," where 'val' can be any non-negative integer. Put 'val' on the top of the stack. Print nothing

'4': Remove the top element of the stack. Print nothing

'5': Print the top element of the stack. If the stack is empty, print -1

Output format:

Print the result of each query on a separate line. If the query is '3' or '4', print nothing (not even an empty line)

The output of each test case will be printed in a separate line.

Note:

You do not need to print anything. It has already been taken care of. Just implement the given function.

Approaches

01 Approach

  1. Maintain a linked list. Keep track of its head, and size at all times, and update them accordingly whenever a new operation is performed.
  2. Following is the way we can implement all functions of the stack using linked list:
    1. First, initialize a head node, and the size of the list as NULL and 0 respectively.
    2. Then for push function, insert new elements at the head of the list, i.e. the new element will become the new head of the list and the previous head will become the next of new head. Also, increase the size by 1.
    3. For pop, just move the head to its next and delete the original head(if required). Also, decrease the size by 1. If the head was null or None (i,e, the list is empty), do nothing.
    4. For getTop, simply return the head’s data or -1 if the list is empty.
    5. For getSize, simply return the size of the list
    6. For isEmpty, return true if the size is 0, otherwise, return false