Day 6 of DSA in C
Write a menu driven C program to create a stack using linked lists and perform basic functions on it.
#include <stdio.h>
#include <stdlib.h>
#define MAX 5
struct Node {
int data;
struct Node* next;
};
struct Node* top = NULL;
int count = 0;
void push(int value) {
if (count == MAX) {
printf("Stack Overflow! (limit %d)\n", MAX);
return;
}
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
if (!newNode) {
printf("Memory allocation failed!\n");
return;
}
newNode->data = value;
newNode->next = top;
top = newNode;
count++;
printf("Pushed %d onto stack.\n", value);
}
void pop() {
if (top == NULL) {
printf("Stack Underflow!\n");
return;
}
struct Node* temp = top;
printf("Popped %d from stack.\n", temp->data);
top = top->next;
free(temp);
count--;
}
void display() {
if (top == NULL) {
printf("Stack is empty!\n");
return;
}
struct Node* temp = top;
printf("Stack elements: ");
while (temp != NULL) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
int main() {
int choice, value;
while (1) {
printf("\n---- STACK MENU ----\n");
printf("1. Push\n");
printf("2. Pop\n");
printf("3. Display\n");
printf("4. Exit\n");
printf("Enter your choice: ");
scanf("%d", &choice);
switch (choice) {
case 1:
printf("Enter value: ");
scanf("%d", &value);
push(value);
break;
case 2:
pop();
break;
case 3:
display();
break;
case 4:
printf("Exiting...\n");
exit(0);
default:
printf("Invalid choice! Try again.\n");
}
}
return 0;
}
Comments