题目描述
给定一个只包含加法和乘法的算术表达式,请你编程计算表达式的值。
输入描述:
输入仅有一行,为需要你计算的表达式,表达式中只包含数字、加法运算符“+”和乘法运算符“*”,且没有括号。
所有参与运算的数字均为 0 到 231-1 之间的整数。
输入数据保证这一行只有0~9、+、*这12种字符。
输出描述:
输出只有一行,包含一个整数,表示这个表达式的值。注意:当答案长度多于4位时,请只输出最后4位,前导0不输出。
示例1
输入
1+1*3+4
输出
8
说明
计算的结果为8,直接输出8。
示例2
输入
1+1234567890*1
输出
7891
说明
计算的结果为1234567891,输出后4位,即7891。
示例3
输入
1+1000000003*1
输出
4
说明
计算的结果为1000000004,输出后4位,即4。
备注:
对于30%的数据,0≤表达式中加法运算符和乘法运算符的总数≤100; 对于80%的数据,0≤表达式中加法运算符和乘法运算符的总数≤1000; 对于100%的数据,0≤表达式中加法运算符和乘法运算符的总数≤100000。
思路:栈和队列计算
#include <stdio.h>
#include <map>
#include <queue>
#include <stack>
#include <string>
#include <iostream>
#include <algorithm>
using namespace std;
struct node{
long long num;//数
char op;//操作符
bool flag;//true是数,false是操作符
};
string str;
queue<node> q;
stack<node> s;
map<char,int> mp;//用于设置操作符的优先级别
void change(){
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++;
}
temp.num=temp.num%10000;
q.push(temp);
}else{//操作符的时候
temp.flag=false;
while(!s.empty()&&mp[str[i]]<=mp[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();
}
}
long long cal(){
long long 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();
if(cur.op=='+'){
temp.num=temp2+temp1;
}
if(cur.op=='*'){
temp.num=temp2*temp1;
}
temp.num%=10000;
temp.flag=true;
s.push(temp);//数计算完后进栈
}
}
node t=s.top();
return t.num;
}
int main(){
mp['+']=1;//优先级
mp['*']=2;
getline(cin,str);//输入
for( string::iterator it=str.end();it!=str.begin();it--){//去空格
if(*it==' '){
str.erase(it);
}
}
while(!s.empty()){//初始化栈
s.pop();
}
change();
printf("%d",cal());
return 0;
}