leetcode150.逆波兰表达式求值

使用一个辅助栈就可以了。。

public int evalRPN(String[] tokens) {
        Stack stack = new Stack<>();
        for (String s : tokens) {
            if (s.equals("+")) {
                stack.push(stack.pop() + stack.pop());
            } else if (s.equals("-")) {
                stack.push(-stack.pop() + stack.pop());
            } else if (s.equals("*")) {
                stack.push(stack.pop() * stack.pop());
            } else if (s.equals("/")) {
                int num = stack.pop();
                stack.push(stack.pop() / num);
            } else {
                stack.push(Integer.parseInt(s));
            }
        }
        return stack.pop();
    }

你可能感兴趣的:(leetcode150.逆波兰表达式求值)