C++实现后缀表达式求值

输入要求

 *      用栈保存操作数
 *      前缀:Prefix Notation(Polish notation)
 *      中缀:Infix Notation
 *      后缀:Postfix Notation(Reverse Polish notation)
 *      操作数:A-Z, a-z, 0-9
 *      运算符:+, -, *, /, (, )
 *      Postfix:输入字符串
 *      StackOperand:操作数栈
样例输入
	中缀表达式为:((5/(7-(1+1)))*3)-(2+(1+1))
	后缀表达式为:5711+-/3*211++-
	计算结果应为:-1
此程序只能接收10以下数字的运算
暂时没想到怎么简单的处理例如15这样的操作数,被表示为后缀表达式后,判断出它是15,还是15

算法代码

ElemType CalculatePostfix(string Postfix)
{
   
    // 初始化操作数栈
    SqStack StackOperand;
    InitStack(StackOperand);
    // 遍历Postfix
    for (int i = 0; i < Postfix.length(); i++) {
   
        string OpSign = JudgeOperation(Postfix[i]);
        // 错误直接退出循环
        if (OpSign == "InvalidInput")
        {
   
            cout << "表达式有误!" << endl;
            break;
        }
        // 遇到操作数,压入栈中,进行下一次扫描,跳过后面的操作
        if (OpSign == "Operand")
        {
   
            ElemType temp = Postfix[i] - '0'; // 把char转 double数字
            Push(StackOperand, temp);
            continue;
        }
        // 遇到运算符
        if (OpSign == "Operator")
        {
   
            // 遇到运算符时,栈空,则表达式有误
            if (StackEmpty(StackOperand))
            {
   
                cout << "表达式有误!" << endl;
                break;
            } else{
   
                // 弹出栈顶两个元素,进行操作
                ElemType RightOperand;   // 先弹栈为右操作数
                Pop(StackOperand, RightOperand);
                ElemType LeftOperand;   // 左操作数
                Pop(StackOperand, LeftOperand);
                ElemType temp = CalculateTwoOperand(LeftOperand, RightOperand, Postfix[i]);
                Push(StackOperand, temp);
            }
        }
    }
    ElemType outcome;
    // 最后结果在栈顶
    Pop(StackOperand, outcome);
    return outcome;
}
ElemType CalculateTwoOperand(ElemType Left, ElemType Right, char Operator)
{
   
    ElemType Temp;
    switch (Operator) {
   
        case '+':
            Temp = Left 

你可能感兴趣的:(算法,数据结构与算法,c++,c++,算法,数据结构)