Post

[C++ / Algorithm] 백준 1541번 잃어버린 괄호 #19

1. 잃어버린 괄호

1-1. 문제

세준이는 양수와 +, -, 그리고 괄호를 가지고 식을 만들었다. 그리고 나서 세준이는 괄호를 모두 지웠다.
그리고 나서 세준이는 괄호를 적절히 쳐서 이 식의 값을 최소로 만들려고 한다.
괄호를 적절히 쳐서 이 식의 값을 최소로 만드는 프로그램을 작성하시오.

1-2. 입력

첫째 줄에 식이 주어진다. 식은 ‘0’~‘9’, ‘+’, 그리고 ‘-’만으로 이루어져 있고, 가장 처음과 마지막 문자는 숫자이다.
그리고 연속해서 두 개 이상의 연산자가 나타나지 않고, 5자리보다 많이 연속되는 숫자는 없다. 수는 0으로 시작할 수 있다. 입력으로 주어지는 식의 길이는 50보다 작거나 같다.

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
43
#include <iostream>
#include <string>

using namespace std;

int main() {
    string formula;
    
    getline(cin, formula);
    
    string tempNumber;
    bool isPlus = true;
    int result = 0;

    for (char c : formula) {
        int ascii = (int) c;
        
        if (ascii >= 48 && ascii <= 57) { // 0 ~ 9
            int number = ascii - 48;
            
            tempNumber.push_back(ascii);
        }
        else if (ascii == 43) { // +
            result += stoi(tempNumber) * (isPlus ? 1 : -1);
            tempNumber.clear();

            if (!isPlus) continue;

            isPlus = true;
        }
        else if (ascii == 45) { // -
            result += stoi(tempNumber) * (isPlus ? 1 : -1);
            tempNumber.clear();
            
            isPlus = false;
        }
    }
    
    result += stoi(tempNumber) * (isPlus ? 1 : -1);
    
    cout << result;
    return 0;
}
1
55-50+40
1
-35
This post is licensed under CC BY 4.0 by the author.