后缀表示法计算器 (RPN) 问题C++


几天

前在同一程序上获得帮助后讨厌回来寻求帮助,但我真的很难完成这个程序。 简而言之,我需要创建一个带有链表堆栈的后缀表示法计算器 (RPN),它允许我执行诸如 5 5 5 + + (=15) 之类的表达式。 我现在已经设法记下了主要的计算部分,但我正在努力处理其中两个错误。 其中一个是"运算符太多",另一个是"操作数太多"。 目前正在研究"太多的运营商",我觉得我很接近,但无法完全到达那里。

如果用户在第一个条目上输入 5 5 + +,它会抓住它并说"操作数太多"。但是,如果先前计算中的某些内容已经在堆栈中,然后他们键入相同的表达式 5 5 + +,则并不是说堆栈为空,而是使用前一个数字输出答案。 如果有人能看到我在这里出错的地方,并为我指出一个方向,以找出另一个错误"运算符太多"(例如:5 5 5 +),我们将不胜感激。 再次提前感谢。

(弄得更乱之后,似乎我做的计算越多,实际上需要放置的运算符就越多才能被认为是空的。 我猜我需要在每个表达式之前的某个地方弹出Val,但不确定把它放在哪里,因为我尝试了很多地方,但它不起作用)

#include<iomanip>
#include<iostream>
#include<string>
#include<sstream>
using namespace std;
class SLLNode
{
    double data;
    SLLNode *top;
    SLLNode *ptr;
public:
    SLLNode()
    {
        top = NULL;
        ptr =  NULL;
    }
    bool isEmpty()
    {
        return top == 0;
    }
    void pushVal(double val)
    {
        SLLNode *next = new SLLNode;
        next -> data = val;
        next -> ptr = top;
        top = next;
    }
    double popVal()
    {
        if (isEmpty())
        {
            cout << "Error: Too many operators" << endl;
        }
        else
        {
        SLLNode *next = top -> ptr;
        double ret = top -> data;
        delete top;
        top = next;
        return ret;
        }
    }
    void print()
    {
        cout << top -> data << endl;
    }
};

bool isOperator(const string& input)
{
    string ops[] = {"+", "-", "*", "/"};
    for(int i = 0; i < 4; i++)
    {
        if(input == ops[i])
        {
            return true;
        }
    }
    return false;
}

void performOp(const string& input, SLLNode& stack)
{
    double fVal, sVal;
    int errorCheck = 0;
    sVal = stack.popVal();
    fVal = stack.popVal();
    if(input == "+")
    {
        stack.pushVal(fVal + sVal);
    }
    else if(input == "-")
    {
        stack.pushVal(fVal - sVal);
    }
    else if(input == "*")
    {
        stack.pushVal(fVal * sVal);
    }
    else if(input == "/" && sVal != 0)
    {
        stack.pushVal(fVal / sVal);
    }

    if(input == "/" && sVal == 0)
    {
        cout << "Error: Division by zero" << endl;
        errorCheck = 1;
    }
    if(errorCheck == 0)
    {
    stack.print();
    }
}
int main()
{
    cout << "::::::::::::::::RPN CALCULATOR:::::::::::::::::" << endl;
    cout << "::TYPE IN A POSTFIX EXPRESSION OR 'q' TO QUIT::" << endl;
    cout << ":::::::::::::::::::::::::::::::::::::::::::::::" << endl << endl;
    string input;
    SLLNode stack;
    while(true)
    {
        cin >> input;
        double num;
        if(istringstream(input) >> num)
        {
            stack.pushVal(num);
        }
        else if (isOperator(input))
        {
            performOp(input, stack);
        }
        else if (input == "q")
        {
            return 0;
        }
    }
}

基本思想是:

  1. 阅读一行(std::getline);
  2. 处理此行 (std::stringstream);
  3. 输出答案或任何错误;
  4. 清理堆栈(或在步骤 2 中销毁它并创建一个新堆栈);
  5. 转到 1 并重复。

你缺少的是第一步。如果您直接从 stdin 获取所有内容,则将换行符视为简单的空格。

相关内容

  • 没有找到相关文章

最新更新