题目:
请使用已定义好的栈完成后缀表达式计算:
(1)如果是操作数,直接入栈
(2)如果是操作符op,连续出栈两次,得到操作数x 和 y,计算 x op y,并将结果入栈。
后缀表达式示例如下:
9 3 1 - 3 * + 10 2 / +
13 445 + 51 / 6 -
操作数、操作符之间由空格隔开,操作符有 +,-,*, /, %共 5 种符号,所有操作数都为整型。
相关定义如下:
typedef struct{
ElemType elem[Stack_Size];
int top;
}Stack;
bool push(Stack* S, ElemType x);
bool pop(Stack* S, ElemType *x);
void init_stack(Stack *S);
其中,栈初始化的实现为:
void init_stack(Stack *S){
S->top = -1;
}
需要完成的函数定义为:int compute_reverse_polish_notation(char *str);
函数接收一个字符指针,该指针指向一个字符串形式的后缀表达式,函数返回该表达式的计算结果。
代码:
#include "list.h" // 请不要删除,否则检查不通过
#include <stdio.h>
#include <stdlib.h>
int compute_reverse_polish_notation(char* str)
{
int i = 0;
Stack S;
init_stack(&S); //初始化栈
ElemType number_to_push, num1, num2;
while (str[i] != '\0') //防止字符串走到末尾
{
if (str[i] != ' ') //跳过空格
{
if (str[i] >= '0' && str[i] <= '9') //是数字开头
{
number_to_push = 0;
while (str[i] != ' ' && str[i]) //将字符串转化为数字
{
number_to_push = number_to_push * 10 + (str[i] - '0');
i++;
}
push(&S, number_to_push);
} else {
pop(&S, &num2);
pop(&S, &num1);
switch (str[i]) {
case '+': {
num1 += num2;
break;
}
case '-': {
num1 -= num2;
break;
}
case '*': {
num1 *= num2;
break;
}
case '/': {
num1 /= num2;
break;
}
case '%': {
num1 %= num2;
break;
}
}
push(&S, num1); //压栈,将运算结果存回栈内供下一次运算
}
}
i++;
}
pop(&S, &num1); //最后的结果出栈
return num1;
}