//思路:我们计算时一般都用中缀表达式,计算机计算用的是后缀表达式,此题只要将算式转变为
//后缀表达式,然后将后缀表达式入栈出栈就行了,
//第一步:建立一个字符队列,存放数字,建立一个字符栈,存放符号,最后将中缀表达式放在队列中
//第二部:建立一个浮点型栈将中缀表达式注意:转换成后缀表达式时数字符号之间要有空格区分
#include<stdio.h>
#include<iostream>
#include<queue>
#include<stack>
#include<string.h>
#include<stdlib.h>
using namespace std;
queue<char> q;
stack<char> s;
stack<double> s1;
char a[1000];
char str[1000];
//加减乘除,将后缀表达式的两个栈顶元素运算后从栈中删除,并将结果存入栈中
int oper(char ch){
if(ch == '+' || ch == '-'){
return 1;
}else if(ch == '*' ||ch == '/'){
return 2;
}
return 0;
}
void aclcu_1(){
double x = s1.top();
s1.pop();
double y = s1.top();
s1.pop();
double c = y+x;
//printf("%lf %lf %lf\n", y, x, c);
s1.push(c);
}
void aclcu_2(){
double x = s1.top();
s1.pop();
double y = s1.top();
s1.pop();
double c = y-x;
//printf("%lf %lf %lf\n", y, x, c);
s1.push(c);
}
void aclcu_3(){
double x = s1.top();
s1.pop();
double y = s1.top();
s1.pop();
double c = y*x;
//printf("%lf %lf %lf\n", y, x, c);
s1.push(c);
}
void aclcu_4(){
double x = s1.top();
s1.pop();
double y = s1.top();
s1.pop();
double c = y/x;
//printf("%lf %lf %lf\n", y, x, c);
s1.push(c);
}
int main(){
int n, i;
double ans;
scanf("%d", &n);
getchar();
while(n--){
scanf("%s", a);
int len = strlen(a);
//将中缀表达式变为后缀表达式,放在队列中
for(i = 0; i < len-1; i++){
if(a[i] >= '0' && a[i] <= '9'){
q.push(a[i]);
}
else if(a[i] == '.'){
q.push(a[i]);
}
else if(a[i] == '('){
s.push(a[i]);
}
else if(s.empty()){
s.push(a[i]);
q.push(' ');
}
else if(a[i] == ')'){
while(s.top() != '('){
q.push(' ');
q.push(s.top());
s.pop();
}
s.pop();
}
else if(oper(a[i]) > oper(s.top()) ){
s.push(a[i]);
q.push(' ');
}
else{
while(!s.empty() && oper(a[i]) <= oper(s.top()) ){
q.push(' ');
q.push(s.top());
s.pop();
}
s.push(a[i]);
q.push(' ');
}
}
while(!s.empty()){
q.push(' ');
q.push(s.top());
s.pop();
} //已将所有字符数字以后缀形式存放队列中
//将队列中元素放入浮点型栈中
int k = 0;
while(!q.empty()){
if(q.front() >= '0' && q.front() <= '9' || q.front() == '.'){
str[k++] = q.front();
q.pop();
continue;
}else if(q.front() == ' '){
k = 0;
q.pop();
}
if(str[0] != 0){
ans = atof(str); //将字符串转换成浮点数
memset(str, 0, sizeof(str)); //将字符串清空
//str[0] = 0;
s1.push(ans);
continue;
}
switch(q.front()){
case '+':
aclcu_1();
q.pop();
break;
case '-':
aclcu_2();
q.pop();
break;
case '*':
aclcu_3();
q.pop();
break;
case '/':
aclcu_4();
q.pop();
break;
}
}
printf("%.2lf\n", s1.top());
s1.pop();
}
return 0;
}
表达式求值
时间限制:
3000 ms | 内存限制:
65535 KB
难度:
4
-
描述
-
ACM队的mdd想做一个计算器,但是,他要做的不仅仅是一计算一个A+B的计算器,他想实现随便输入一个表达式都能求出它的值的计算器,现在请你帮助他来实现这个计算器吧。
比如输入:“1+2/4=”,程序就输出1.50(结果保留两位小数)-
输入
-
第一行输入一个整数n,共有n组测试数据(n<10)。
每组测试数据只有一行,是一个长度不超过1000的字符串,表示这个运算式,每个运算式都是以“=”结束。这个表达式里只包含+-*/与小括号这几种符号。其中小括号可以嵌套使用。数据保证输入的操作数中不会出现负数。
数据保证除数不会为0
输出
- 每组都输出该组运算式的运算结果,输出结果保留两位小数。 样例输入
-
2 1.000+2/4= ((1+2)*5+1)/4=
样例输出
-
1.50 4.00
-
第一行输入一个整数n,共有n组测试数据(n<10)。
测试数据:来源http://blog.csdn.net/qq_32680617/article/details/52550204
输入
2
(1+2)*5.156/54*4.154/47852*41463=
((1+2)*5.156/54+4.154)/47852*41463-56*78/32*0.154=
输出
1.03
-17.17