Stack implementation using Linked List

Rumman Ansari   Software Engineer   2023-03-27   6488 Share
☰ Table of Contents

Table of Content:


The first implementation of a stack uses a singly linked list. We perform a push by inserting at the front of the list. We perform a pop by deleting the element at the front of the list. A top operation merely examines the element at the front of the list, returning its value. Sometimes the pop and top operations are combined into one. We could use calls to the linked list routines of the previous section, but we will rewrite the stack routines from scratch for the sake of clarity.

/* STACK IMPLEMENTATION USING LINKED LIST */
 

# include
# include

struct link
{
	int info;
	struct link *next;
} *start;


void display(struct link *);
struct link *push(struct link *);
struct link *pop(struct link *);
int main_menu();

void display(struct link *rec)
{
	while(rec != NULL)
	{
		printf(" %d ",rec->info);
		rec = rec->next;
	}
}

struct link * push(struct link *rec)
{
	struct link *new_rec;
	printf("\n Input the new value for next location of the stack:");

	new_rec = (struct link *)malloc(sizeof(struct link));
	scanf("%d", &new_rec->info);
	new_rec->next = rec;
	rec = new_rec;
	return(rec);
}

struct  link * pop(struct link *rec)
{
	struct link *temp;

	if(rec == NULL)
	{
		printf("\n Stack is empty");
	}
	else
	{
		temp = rec->next;
		free(rec);
		rec = temp;
		printf("\n After pop operation the stack is as follows:\n");
		display(rec);
		if(rec  == NULL)
			printf("\n Stack is empty");
	}
	return(rec);
}

int main_menu ()
{
	int choice;
	do
	{
		printf("\n 1<-Push ");
		printf("\n 2<-Pop");
		printf("\n 3<-Quit");
		printf("\n Input your choice :");
		scanf("%d", &choice);
		if(choice <1 || choice >3)
			printf("\n Incorrect choice-> Try once again");
	} while(choice <1 || choice >3);

	return(choice);
}


/* main function */

void main()
{
	struct link *start ;
	int choice;
	start = NULL;
	do
	{
		choice = main_menu();
		switch(choice)
		{
		case 1:
			start = push(start);
			printf("\n After push operation stack is as follows:\n");
			display(start);
			break;
		case 2:
			start = pop(start);
			break;
		default : 
			printf("\n End of session");
		}
	} while(choice != 3);
}

 

Output


 1<-Push
 2<-Pop
 3<-Quit
 Input your choice :2

 Stack is empty
 1<-Push
 2<-Pop
 3<-Quit
 Input your choice :1

 Input the new value for next location of the stack:10

 After push operation stack is as follows:
 10
 1<-Push
 2<-Pop
 3<-Quit
 Input your choice :1

 Input the new value for next location of the stack:12

 After push operation stack is as follows:
 12  10
 1<-Push
 2<-Pop
 3<-Quit
 Input your choice :2

 After pop operation the stack is as follows:
 10
 1<-Push
 2<-Pop
 3<-Quit
 Input your choice :3

 End of sessionPress any key to continue . . .