逆波蘭計算表示式
阿新 • • 發佈:2019-01-24
題目:
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
- 題目大意:給定一個逆波蘭表示式,求該表示式的值
- 思路:由於逆波蘭表示式本身不需要括號來限制哪個運算該先進行,因此可以直接利用棧來模擬計算:遇到運算元直接壓棧,碰到操作符直接取棧頂的2個運算元進行計算(注意第一次取出來的是右運算元),然後再把計算結果壓棧,如此迴圈下去。最後棧中剩下的唯一一個元素便是整個表示式的值。
- 實現:
- class Solution {
public:
int evalRPN(vector<string> &tokens) {
int len=tokens.size();
int result=0;
stack<int> stStack;
for(int i=0;i<len;i++)
{
if(tokens[i]=="*")
{
int rOp=stStack.top();
stStack.pop();
int lOp=stStack.top();
stStack.pop();
result=lOp*rOp;
stStack.push(result);
}
else
if(tokens[i]=="/")
{
int rOp=stStack.top();
stStack.pop();
int lOp=stStack.top();
stStack.pop();
result=lOp/rOp;
stStack.push(result);
}
else
if(tokens[i]=="+")
{
int rOp=stStack.top();
stStack.pop();
int lOp=stStack.top();
stStack.pop();
result=lOp+rOp;
stStack.push(result);
}
else
if(tokens[i]=="-")
{
int rOp=stStack.top();
stStack.pop();
int lOp=stStack.top();
stStack.pop();
result=lOp-rOp;
stStack.push(result);
}
else
stStack.push(atoi(tokens[i].c_str()));
}
return stStack.top();
}
}; - 知識點補充:atoi(const char*)將字串引數轉化為整數型引數。此函式接受一個指向字串的指標。
- 因為tokens是一個string型別的,因此,需要使用.c_str()函式將string型別的引數轉化為char*型別。