스택 연결리스트로 구현하기
2019. 11. 15. 00:57ㆍ알고리즘/백준
struct node *top으로 스택의 top으로 지정해서 malloc, free로 노드를 생성하고 삭제할 수 있다
[참고] https://www.tutorialspoint.com/cplusplus-program-to-implement-stack-using-linked-list
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <cstdlib> | |
#include <iostream> | |
using namespace std; | |
struct Node { | |
int data; | |
struct Node *next; | |
}; | |
struct Node *top = NULL; | |
void push(int num) { | |
struct Node *tmp = (struct Node *)malloc(sizeof(struct Node)); | |
tmp->data = num; | |
tmp->next = top; | |
top = tmp; | |
} | |
void pop() { | |
struct Node *tmp = top; | |
if (tmp != NULL) { | |
cout << "pop data : " << tmp->data << '\n'; | |
top = top->next; | |
free(tmp); | |
} | |
} | |
void display() { | |
struct Node *ptr = top; | |
while (ptr != NULL) { | |
cout << ptr->data << '\n'; | |
ptr = ptr->next; | |
} | |
} | |
int main() { | |
int ch, val; | |
cout << "1) Push in stack" << endl; | |
cout << "2) Pop from stack" << endl; | |
cout << "3) Display stack" << endl; | |
cout << "4) Exit" << endl; | |
do { | |
cout << "Enter choice: " << endl; | |
cin >> ch; | |
switch (ch) { | |
case 1: { | |
cout << "Enter value to be pushed:" << endl; | |
cin >> val; | |
push(val); | |
break; | |
} | |
case 2: { | |
pop(); | |
break; | |
} | |
case 3: { | |
display(); | |
break; | |
} | |
case 4: { | |
cout << "Exit" << endl; | |
break; | |
} | |
default: { | |
cout << "Invalid Choice" << endl; | |
} | |
} | |
} while (ch != 4); | |
return 0; | |
} |
'알고리즘 > 백준' 카테고리의 다른 글
2004 조합 0의 개수 (0) | 2019.11.15 |
---|---|
17299 오등큰수 (0) | 2019.11.15 |
17837 새로운 게임 2 (0) | 2019.11.14 |
17836 공주님을 구해라! (0) | 2019.11.13 |
[삼성] 17825 주사위 윷놀이 (1) | 2019.11.05 |