본문 바로가기
Algorithm/BOJ

[BOJ]1935번: 후위 표기식2(c++)

by HBGB 2020. 4. 24.

https://www.acmicpc.net/problem/1935

 

1935번: 후위 표기식2

첫째 줄에 피연산자의 개수(1 ≤ N ≤ 26) 가 주어진다. 그리고 둘째 줄에는 후위 표기식이 주어진다. (여기서 피연산자는 A~Z의 영대문자이며, A부터 순서대로 N개의 영대문자만이 사용되며, 길이는 100을 넘지 않는다) 그리고 셋째 줄부터 N+2번째 줄까지는 각 피연산자에 대응하는 값이 주어진다. (3번째 줄에는 A에 해당하는 값, 4번째 줄에는 B에 해당하는값 , 5번째 줄에는 C ...이 주어진다, 그리고 피연산자에 대응 하는 값은 정수이다)

www.acmicpc.net

 

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
#include <iostream>
#include <stack>
#include <string>
#include <iomanip>
 
using namespace std;
 
int main()
{
    ios_base::sync_with_stdio(0);
    cin.tie(0);
    cout.tie(0);
 
    // 입력
    int n;
    cin >> n;
    string postfix;
    cin >> postfix;
 
    int num[26];
    for (int i = 0; i < n; i++)
    {
        cin >> num[i];
    }
 
    // 후위 표기식 계산
    stack<double> s;
    for (char ch : postfix)
    {
        if ('A' <= ch && ch <= 'Z')
        {
            s.push(num[ch - 'A']);
        }
        else
        {
            double T = s.top();
            s.pop();
            double F = s.top();
            s.pop();
 
            switch (ch)
            {
            case '*'
                s.push(F * T);
                break;
            case '/':
                s.push(F / T);
                break;
            case '+':
                s.push(F + T);
                break;
            case '-':
                s.push(F - T);
                break;
            }
        }
    }
 
    // 출력
    cout << fixed << setprecision(2<< s.top() << '\n';
 
    return 0;
}
Colored by Color Scripter

 

TIP1

배열/벡터 섞어쓸 이유가 딱히 없던 문제. 배열만으로 충분하다

 

 

TIP2

for each문으로 된 풀이가 가독성이 더 좋았다.

 

 

TIP3

새로 알게된 소수점 표기법

1
2
3
4
#include <iomanip>
 
// 소수점 2번째까지 표시
cout << fixed << setprecision(2<< d_value;

 

댓글