700字范文,内容丰富有趣,生活中的好帮手!
700字范文 > 使用c语言实现后缀表达式计算器

使用c语言实现后缀表达式计算器

时间:2020-04-17 04:07:24

相关推荐

使用c语言实现后缀表达式计算器

使用栈来进行后缀表达式计算,流程:从前向后读取后缀表达式的项目,遇到数值压入栈中,遇到运算符pop出栈顶的两项做运算,运算结果再放入栈中直到=

例子:求后缀表达式4x*2x*a-c*+=?

1.把4和x压入栈中接下来遇到了运算符*把4和x取出做*运算得到4x放入栈中,此时栈中有4x

2.接下来2和x放入栈中遇到了运算符*把2和x取出做*运算得到2x放入栈中,此时栈中有4x,2x

3.接下来遇到了a把a入栈,栈里项目为4x,2x,a,遇到预算符-,取出2x和a做-运算得到2x-a再放入栈,此时栈里是4x,2x-a

4.接下来把c压入栈,栈里项目为4x,2x-a,c,遇到预算符*,取出2x-a和c,*运算得到(2x-a)c,再入栈,此时栈里是4x,(2x-a)c

5.最后遇到+运算符,把栈中4x,(2x-a)c做+运算得到最终结果4x+(2x-a)c

以上就是运用栈求后缀表达式的流畅,下面我们来用代码实现它:

(代码来源:/woshinannan741/article/details/50087665)

#include<stdio.h>

#include<string.h>

#include<stdlib.h>

#include <string>

#include <stack>

#include<algorithm>

#define MAXN 1000

using namespace std;

stack<char> s; //定义了一个栈

char *tranfExp(char* exp)

{

char tempStr[1000];//保存后缀表达式的字符串

int i=0,j=0;

while(exp[i] !='\0')

{

if(exp[i]>='0' &&exp[i]<='9') //如果是数字字符串就保存到后缀表达式字符串中

{

tempStr[j++] = exp[i];

}

else if(exp[i] == '(' ) //如果是左括号及入栈

{

s.push(exp[i]);

}

else if(exp[i] == ')' ) //如果是右括号就把接近栈顶的左括号上面所有的运算符出栈存进字符串中 左括号出栈

{

while(s.empty() == false)

{

if(s.top() == '(' )

{

s.pop();

break;

}

else

{

tempStr[j++] = s.top();

s.pop();

}

}

}

else if(exp[i] == '+' || exp[i] == '-') //如果的事+-|操作符就把比他优先级高或者等于的所有运算符出栈进入字符串

{

while(s.empty() == false)

{

char ch = s.top();

if(ch == '+'||ch == '-'||ch == '/'||ch == '*')

{

tempStr[j++] = s.top();

s.pop();

}

else

break;

}

s.push(exp[i]);

}

else if(exp[i] == '*' || exp[i] == '/') //类似于扫描到+- 只是如果栈中有=-运算符就不用出栈 因为运算符优先级比较小

{

while(s.empty() == false)

{

char ch = s.top();

if(ch == '/' || ch=='*')

{

tempStr[j++] = s.top();

s.pop();

}

else

break;

}

s.push(exp[i]);

}

i++;

}

while(s.empty() == false) //把栈中剩余的所有运算符出栈

{

tempStr[j++] = s.top();

s.pop();

}

tempStr[j] = 0; //最后一个赋值为0 也就是字符串结束的标志

return tempStr; //返回已经得到的后缀表达式

}

int calcExp(char* exp)// 计算后缀表达式

{

puts(exp); //展示已经得到的后缀

while( !s.empty() )

s.pop();

int i=0;

while(exp[i] != '\0')

{

if(exp[i]>='0' && exp[i]<='9')

{

s.push(exp[i]-'0');

}

else if(exp[i] == '-')

{

int m = s.top();

s.pop();

int n = s.top();

s.pop();

s.push(n-m);

}

else if(exp[i] == '+')

{

int m = s.top();

s.pop();

int n = s.top();

s.pop();

s.push(n+m);

}

else if(exp[i] == '/')

{

int m = s.top();

s.pop();

int n = s.top();

s.pop();

s.push(n/m);

}

else if(exp[i] == '*')

{

int m = s.top();

s.pop();

int n = s.top();

s.pop();

s.push(n*m);

}

i++;

}

/* while(s.empty() == false)

{

printf("%d",s.top());

s.pop();

}*/

printf("\n\n\n");

return s.top();

}

int main()

{

char str[1000];

char* tranStr;

tranStr = (char *)malloc(100*sizeof(char));

printf("please input expression with kuohao:\n");

// scanf("%s",str);

str='2*(3+2)-5*2';

tranStr = tranfExp(str);//中缀表达式转换为后缀表达式函数

//puts(tranStr); //输出转换后的后缀表达式

printf("%d",calcExp(tranStr));

return 0;

}

本内容不代表本网观点和政治立场,如有侵犯你的权益请联系我们处理。
网友评论
网友评论仅供其表达个人看法,并不表明网站立场。