表达式求值是关于栈的应用,涉及到中缀与后缀式的转换,本文关于10以内不带括号的四则运算。
9 + 3 + 4 x 3 = 24
1 x 9 - 5 / 9 = 9
5 x 9 - 4 + 6 - 2 x 3 + 1 = 42
思路:遇到数字直接入数字栈。遇到运算符,第一个运算符直接入符号栈,后面的需要与符号栈栈顶元素比较优先级。若当前优先级大于符号栈顶优先级(乘除大于加减),则直接入栈,否则先取栈内符号运算,至符号栈为空,再将当前符号入栈。
#include<bits/stdc++.h>
#define maxsize 500
using namespace std;
stack<int> num;
stack<char> op;
map<char,int> mp={{'+',-1},{'-',-1},{'x',1},{'/',1}};
void deal(char *s)
{
int len = strlen(s);
int n1,n2;
while(!num.empty())
num.pop();
for(int i = 0;i < len; ++i){
if(s[i] >= '0' && s [i] <= '9')
num.push(s[i]-'0');
else{
if(op.empty())///第一个运算符处理
op.push(s[i]);
else{
if(mp[s[i]] > mp[op.top()])///当前运算符优先级大于栈顶
op.push(s[i]);
else{
while(!op.empty()){
n1 = num.top(),num.pop();
n2 = num.top(),num.pop();
if(op.top() == '+')
num.push(n1+n2);
if(op.top() == '-')
num.push(n2-n1);
if(op.top() == 'x')
num.push(n1*n2);
if(op.top() == '/')
num.push(n2/n1);
op.pop();
}
op.push(s[i]);
}
}
}
}
while(!op.empty()){///处理剩余元素
n1 = num.top(),num.pop();
n2 = num.top(),num.pop();
if(op.top() == '+')
num.push(n1+n2);
if(op.top() == '-')
num.push(n2-n1);
if(op.top() == 'x')
num.push(n1*n2);
if(op.top() == '/')
num.push(n2/n1);
op.pop();
}
printf("%d\n",num.top());
}
int main()
{
char s[maxsize];
while(~scanf("%s",&s))
deal(s);
return 0;
}
来源:CSDN
作者:orange fish
链接:https://blog.csdn.net/Noah_orz/article/details/104573201