150. 逆波兰表达式求值
作者:互联网
✔做题思路or感想:
-
摆明了用栈来写
-
如果字符串是正数,则把字符串转化为数字push进栈中
-
如果字符串是负数,则先忽略第一个负号并将其转化为数字,最后再乘个-1,push进栈中
-
如果字符串是运算符,则取栈顶前两个元素出来进行运算,然后把结果再push进栈中
最后栈顶元素就是答案
class Solution { public: int evalRPN(vector<string>& tokens) { stack<int> st; for (int i = 0; i < tokens.size(); i++) { if (tokens[i][0] == '-' && tokens[i].size() > 1) { //遇到负数的解决情况 int a = 0, size = tokens[i].size() - 1; for (int j = 1; j < tokens[i].size(); j++) { a = a * 10 + tokens[i][j] - '0'; } st.push(-1 * a); } else if (tokens[i] == "+") { int a = st.top(); st.pop(); int b = st.top(); st.pop(); st.push(a + b); } else if (tokens[i] == "-") { int a = st.top(); st.pop(); int b = st.top(); st.pop(); st.push(b - a); } else if (tokens[i] == "*") { int a = st.top(); st.pop(); int b = st.top(); st.pop(); st.push(a * b); } else if (tokens[i] == "/") { int a = st.top(); st.pop(); int b = st.top(); st.pop(); st.push(b / a); } else { int a = 0; for (int j = 0; j < tokens[i].size(); j++) { //遇到正数的情况 a = a * 10 + tokens[i][j] - '0'; } st.push(a); } } return st.top(); } };
-
标签:150,int,top,pop,st,tokens,push,求值,表达式 来源: https://www.cnblogs.com/doomaa/p/16054053.html