https://www.acmicpc.net/problem/10828
버전1 : 구현 버전
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
|
#include <iostream>
using namespace std;
struct Stack {
int data[10000];
int size;
void push(int num)
{
data[size] = num;
size++;
}
int pop()
{
if (empty())
{
return -1;
}
size--;
return data[size];
}
bool empty()
{
return (size == 0);
}
int top()
{
if (empty())
{
return -1;
}
return data[size - 1];
}
};
int main()
{
int count;
cin >> count;
Stack stack{};
while (count-- > 0) {
string command;
cin >> command;
if (command == "push") {
int num = 0;
cin >> num;
stack.push(num);
} else if (command == "pop") {
cout << stack.pop() << '\n';
} else if (command == "size") {
cout << stack.size << '\n';
} else if (command == "empty") {
cout << stack.empty() << '\n';
} else if (command == "top") {
cout << stack.top() << '\n';
}
}
return 0;
}
Colored by Color Scripter
|
버전2 : 라이브러리 사용
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
|
#include <iostream>
#include <stack>
using namespace std;
int main()
{
stack<int> stack;
int count;
cin >> count;
while (count-- > 0) {
string command;
cin >> command;
if (command == "push") {
int num = 0;
cin >> num;
stack.push(num);
} else if (command == "pop") {
cout << (stack.empty() ? -1 : stack.top()) << '\n';
if (!stack.empty()){
stack.pop();
}
} else if (command == "size") {
cout << stack.size() << '\n';
} else if (command == "empty") {
cout << stack.empty() << '\n';
} else if (command == "top") {
cout << (stack.empty() ? -1 : stack.top()) << '\n';
}
}
return 0;
}
Colored by Color Scripter
|
TIP1
버전1에서
스택의 변수와 함수들은
하나의 구조체로 묶이는 것이 논리적이다.
C/C++의 구조체 차이점이 잘 정리된 블로그 :
https://blog.hexabrain.net/165
TIP2
C++의 구조체 생성자 개념 :
'Algorithm > BOJ' 카테고리의 다른 글
[BOJ]9093번: 단어 뒤집기(c++) (0) | 2020.04.14 |
---|---|
[BOJ]11721번: 열 개씩 끊어 출력하기(c++) (0) | 2020.04.13 |
[BOJ]1987번 : 알파벳(java, c++) (0) | 2020.01.18 |
[BOJ]6603번: 로또(java, c++) (0) | 2020.01.18 |
[BOJ]7568번: 덩치 (0) | 2020.01.11 |
댓글