7.1 栈
codeup 1918
思路:1.中缀转后缀
2.计算值
中缀转后缀的步骤:
1.将读入数据存在string中,预处理将空格全部删除
2.顺序读入字符,如果是操作数,则存入后缀队列中;
3.若为操作符,则与操作符栈的栈顶操作符的优先级比较:
1)若当前操作符优先级高于栈顶操作符优先级,则将该操作符入操作符栈
2)若当前操作符低于栈顶操作符优先级,则对操作符栈一直pop到后缀队列中,直到当前栈顶操作符优先级低于当前操作符,然后将该操作符入栈;
4.重复3直到中缀表达遍历完毕,如果栈不空,则将剩下的操作符一个个pop到后缀队列中;
注意问题:1.关于数字读入,由于是按字符读的,所以读入一位数字之后,进入循环一直读数并转为10进制数,直到读到的不是数字
2.关于计算后缀表达式:每次读入队首元素,并时刻注意读一个就得在后面pop(),感觉这句很容易漏掉,若为数字则入栈,如为操作符,则从栈中pop出来两个数,注意后pop的为被操作数,先pop的为操作数!!!然后根据操作符执行计算并将得到的结果再push栈中!重复操作,最终在栈中的数字即为最终结果!
4.另外:本题定义了一个struct,用来保存num/op,根据flag确定保存的是num/op!!!
以下为书中代码:
#include <iostream>
#include <cstdio>
#include <string>
#include <stack>
#include <queue>
#include <map>
using namespace std;
struct node{
double num;
char op;
bool flag;
};
string str;
stack<node> s;
queue<node> q;
map<char, int> op;
void change() {
double num;
node temp;
for(int i=0; i<str.length();) {
if(str[i]>='0' && str[i]<='9') {
temp.flag=true;
temp.num=str[i++]-'0';
while(i<str.length() && str[i]>='0' &&str[i]<='9') {
temp.num=temp.num*10+str[i]-'0';
i++;
}
q.push(temp);
} else {
temp.flag=false;
while(!s.empty() && op[str[i]]<=op[s.top().op]) {
q.push(s.top());
s.pop();
}
temp.op=str[i];
s.push(temp);
i++;
}
}
while(!s.empty()) {
q.push(s.top());
s.pop();
}
}
double Cal() {
double temp1, temp2;
node cur, temp;
while(!q.empty()) {
cur=q.front();
q.pop();
if(cur.flag==true) s.push(cur);
else {
temp2=s.top().num;
s.pop();
temp1=s.top().num;
s.pop();
temp.flag=true;
if(cur.op=='+') temp.num=temp1+temp2;
else if(cur.op=='-') temp.num=temp1-temp2;
else if(cur.op=='*') temp.num=temp1*temp2;
else temp.num=temp1/temp2;
s.push(temp);
}
}
return s.top().num;
}
int main() {
op['+']=op['-']=1;
op['*']=op['/']=2;
while(getline(cin, str), str!="0") {
for(string::iterator it=str.end(); it!=str.begin(); it--) {
if(*it==' ') str.erase(it);
}
while(!s.empty()) s.pop();
change();
printf("%.2f\n", Cal());
}
return 0;
}