http://acm.nyist.net/JudgeOnline/problem.php?pid=257&&中缀表达式变后缀表达式

来源:互联网 发布:怎样在淘宝卖二手货 编辑:程序博客网 时间:2024/06/13 06:43

郁闷的C小加(一)

时间限制:1000 ms | 内存限制:65535 KB
难度:3
描述

我们熟悉的表达式如a+b、a+b*(c+d)等都属于中缀表达式。中缀表达式就是(对于双目运算符来说)操作符在两个操作数中间:num1 operand num2。同理,后缀表达式就是操作符在两个操作数之后:num1 num2 operand。ACM队的“C小加”正在郁闷怎样把一个中缀表达式转换为后缀表达式,现在请你设计一个程序,帮助C小加把中缀表达式转换成后缀表达式。为简化问题,操作数均为个位数,操作符只有+-*/和小括号。

输入
第一行输入T,表示有T组测试数据(T<10)。
每组测试数据只有一行,是一个长度不超过1000的字符串,表示这个表达式。这个表达式里只包含+-*/与小括号这几种符号。其中小括号可以嵌套使用。数据保证输入的操作数中不会出现负数。并且输入数据不会出现不匹配现象。
输出
每组输出都单独成行,输出转换的后缀表达式。
样例输入
21+2(1+2)*3+4*5
样例输出
12+12+3*45*+
AC代码:
#include<iostream>#include<stack>#include<string>#include<algorithm>#include<cstdio>using namespace std;string s;int ran(char ch){ if(ch=='#') return 0;  else if(ch=='(') return 1;  else if(ch=='+'||ch=='-') return 2;  else if(ch=='*'||ch=='/') return 3;}void doit(){  stack<char>fu;   fu.push('#');   int n=s.size();   for(int i=0;i<n;++i)   {     if(isdigit(s[i])) printf("%c",s[i]);       else if(s[i]=='(') fu.push('(');       else if(s[i]=='+'||s[i]=='-'||s[i]=='*'||s[i]=='/')         {      int cmp=ran(s[i])-ran(fu.top());   if(cmp>0) fu.push(s[i]);   else    {    while(ran(s[i])-ran(fu.top())<=0)      {  printf("%c",fu.top());     fu.pop();      }   fu.push(s[i]);   }         }   else if(s[i]==')')   {    while(fu.top()!='(')       {  printf("%c",fu.top());       fu.pop();   }   fu.pop();   }}   while(fu.top()!='#')    {  printf("%c",fu.top());       fu.pop();    }       fu.pop();}int main(){ int T;scanf("%d",&T);while(T--){  cin>>s;  doit();  printf("\n");}return 0;}


原创粉丝点击