LeetCode: Evaluate Reverse Polish Notation

5794 단어 LeetCode
제목: Evaluate Reverse Polish Notation
Evaluatethe value of an arithmetic expression in Reverse Polish Notation. 



Valid operators are +, -, *, /. Each operand may be an integer or another expression. 



Some examples:



  ["2", "1", "+", "3", "*"] -> ((2 + 1) * 3) -> 9

  ["4", "13", "5", "/", "+"] -> (4 + (13 / 5)) -> 6

간단한 문제는 하나의 stack을 빌려 수치를 창고에 넣고, 조작부호를 만났을 때 두 개의 수치를 창고에 넣고, 계산한 후에 창고에 넣는 것이다. 이렇게 하면 실현할 수 있다.
int evalRPN(vector<string> &tokens)

{

    stack<int> stokens;

    for (int i = 0; i < tokens.size(); ++ i) {

        if (tokens[i] == "+" || tokens[i] == "-" || tokens[i] == "*" || tokens[i] == "/") {

            int x1 = stokens.top();

            stokens.pop();

            int x2 = stokens.top();

            stokens.pop();

            int x3 = caculate(x1, x2, tokens[i]); // 

            stokens.push(x3);

        }

        else {

            stokens.push(atoi(tokens[i].c_str()));

        }

    }

    return stokens.top();

}
int caculate(int x1, int x2, string s) 

{

    int result;

    if (s == "+")

        result = x1 + x2;

    else if (s == "-") 

        result = x1 - x2;

    else if (s == "*")

        result = x1 * x2;

    else {

        if (x1 >= x2)

            result = x1 / x2;

        else

            result = x2 / x1;

    }

    return result;

}

좋은 웹페이지 즐겨찾기