[leetcode 브러시 노트] Evaluate Reverse Polish Notation

4559 단어 LeetCode
Evaluate the 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

문제: 전형적인 창고의 응용 - 계산 접두사 표현식.
생각이 간단하다.
부호를 만나면 창고에서 두 원소를 튀어나와 상응하는 계산을 한 결과 다시 창고에 넣는다
숫자를 만나면 바로 창고에 눌러 넣는다.
코드는 다음과 같습니다.
 1 public class Solution {

 2    public int evalRPN(String[] tokens) {

 3         Stack<Integer> s = new Stack<Integer>();

 4 

 5         for(String x:tokens){

 6             if(x.equals("+"))

 7                 s.push(s.pop()+s.pop());

 8             else if(x.equals("-")){

 9                 int b = s.pop();

10                 int a = s.pop();

11                 s.push(a-b);

12             }

13             else if(x.equals("*"))

14                 s.push(s.pop()*s.pop());

15             else if(x.equals("/")){

16                 int b = s.pop();

17                 int a = s.pop();

18                 s.push(a/b);

19             }

20             else{

21                 s.push(Integer.parseInt(x));

22             }

23         }

24         

25         return s.pop();

26         

27     }

28 }

특히 주의해야 할 점은 두 가지가 있다.
1. String을 Integer용 Integer로 변환합니다.parseInt() 함수
2. 처음에 나는'=='를 사용하여 두 문자열이 같은지 비교했다. 나중에'=='는 사실 문자열의 주소가 같은지, 문자열의 내용이 같은지를 비교하려면 s.equals() 함수를 사용해야 한다는 것을 발견했다.
그런데 이상한 점은 자기 컴퓨터의 eclipse에서'=='로 정확한 값을 계산할 수 있다는 것이다.

좋은 웹페이지 즐겨찾기