PAT 求前缀表达式的值(25)解题
题目地址: http://www.patest.cn/contests/mooc-ds/02-3题目要求:
算术表达式有前缀表示法、中缀表示法和后缀表示法等形式。前缀表达式指二元运算符位于两个运算数之前,例如2+3*(7-4)+8/4的前缀表达式是:+ + 2 * 3 - 7 4 / 8 4。请设计程序计算前缀表达式的结果值。输入格式说明:输入在一行内给出不超过30个字符的前缀表达式,只包含+、-、*、\以及运算数,不同对象(运算数、运算符号)之间以空格分隔。输出格式说明:输出前缀表达式的运算结果,精确到小数点后1位,或错误信息“ERROR”。样例输入与输出:
序号输入输出
1+ + 2 * 3 - 7 4 / 8 413.0
2/ -25 + * - 2 3 4 / 8 412.5
3/ 5 + * - 2 3 4 / 8 2ERROR
4+10.2310.2
解题答案:
#include <iostream>
#include <stack>
#include <string.h>
#include <iomanip>
using namespace std;
int main()
{
stack<float> s;
char e;
float a, b;
char flag_a=0,flag_b=0;
while (gets(e))
{
try
{
for (int i = strlen(e) - 1; i >= 0; i--)
{
switch (e)
{
case '+':
if (e != '\0')
{
if ((e == ' ') || (i == 0))
{
s.push(atof(e + i));
}
break;
}
a = s.top();
s.pop();
b = s.top();
s.pop();
s.push(a + b);
break;
case '-':
if (e != '\0')
{
if ((e == ' ') || (i == 0))
{
s.push(atof(e + i));
}
break;
}
a = s.top();
s.pop();
b = s.top();
s.pop();
s.push(a - b);
break;
case '/':
a = s.top();
s.pop();
b = s.top();
s.pop();
if (b==0)
{
break;
}
s.push(a / b);
break;
case '*':
a = s.top();
s.pop();
b = s.top();
s.pop();
s.push(a*b);
break;
case ' ':
e = '\0';
break;
default:
if ((e == ' ') || (i == 0))
{
s.push(atof(e + i));
}
break;
}
}
if (s.size()!=1)
{
cout << "ERROR"<<endl;
}
else
{
cout <<fixed<< setprecision(1) << s.top()<<endl;
s.pop();
}
}
catch (double)
{
cout << "ERROR" << endl;
}
}
return 0;
}
支持
页:
[1]