LintCode : 逆波兰表达式求值

逆波兰表达式求值

求逆波兰表达式的值。

在逆波兰表达法中,其有效的运算符号包括 +-*/ 。每个运算对象可以是整数,也可以是另一个逆波兰计数表达。

您在真实的面试中是否遇到过这个题? 
Yes
样例
["2", "1", "+", "3", "*"] -> ((2 + 1) * 3) -> 9
["4", "13", "5", "/", "+"] -> (4 + (13 / 5)) -> 6
说明

什么是逆波兰表达式?

  • http://en.wikipedia.org/wiki/Reverse_Polish_notation
标签   Expand  

相关题目   Expand  

Timer   Expand 

http://baike.baidu.com/link?url=Jw0OTA4SpB7K9bDawyuQqUSAmXRHrreharvkSbufvgiw4M1FVpwDOg8i4EwYa1Ruaw_3vBFvotPZuOfK6d3rqq

解题思路:
可以使用栈
public class Solution {
    /**
     * @param tokens The Reverse Polish Notation
     * @return the value
     */
    public int evalRPN(String[] tokens) {
        // Write your code here
    	if(tokens==null||tokens.length==0) 
    		return 0;
    	Stack stack = new Stack<>();
    	for(String str:tokens){
    		if("+".equals(str)){
    			int a =stack.pop();
    			int b = stack.pop();
    			int c = b+a;
    			stack.add(c);
    		}else if("-".equals(str)){
    			int a =stack.pop();
    			int b = stack.pop();
    			int c = b-a;
    			stack.add(c);
    		}else if("*".equals(str)){
    			int a =stack.pop();
    			int b = stack.pop();
    			int c = b*a;
    			stack.add(c);
    		}else if("/".equals(str)){
    			int a =stack.pop();
    			int b = stack.pop();
    			int c = b/a;
    			stack.add(c);
    		}else{
    			stack.add(Integer.valueOf(str));
    		}
    	}
    	return stack.pop();    	    	
        
    }
}



你可能感兴趣的:(LintCode,栈)