后缀表示计算器

时间:2016-03-22 23:12:46

标签: c++ calculator postfix-notation

我试图编写一个后缀计算器,但我一直遇到两个问题 - 第一:当计算器遇到空格时,它会立即退出 第二:当遇到非操作符/非数字(即-z)时,它不会显示我编码的错误消息。

int main()
{

stack <int> calcStack;
string exp;
char ans;
cout << "\nDo you want to use the calculator?" << endl;
cin >> ans;
while (ans == 'y')
{
    cout << "\nEnter your exp" << endl;
    cin >> exp;
    for (int i = 0; i < exp.size(); i++)
    {
        if (isspace(exp[i]))
        {

        }
        else if (isdigit(exp[i]))
        {
            int num = exp[i] - '0';
            calcStack.push(num);
        }
        else
            doOp(exp[i], calcStack);
    }

    while (!calcStack.empty())
    {
        calcStack.pop();
    }

    cout << "\nDo you want to use the calculator again?" << endl;
    cin >> ans;
}

system("pause");
return 0;
}

这是函数 -

void doOp(const char & e, stack <int>& myS)
{

if (myS.size() == 2)
{
    int num1, num2, answ;
    num2 = myS.top();
    myS.pop();
    num1 = myS.top();
    myS.pop();
    if (e == '+')
        answ = num1 + num2;
    else if (e == '-')
        answ = num1 - num2;
    else if (e == '*')
        answ = num1 * num2;
    else if (e == '/')
        answ = num1 / num2;
    else if (e == '%')
        answ = num1 % num2;
    else
        cout << "\nError- Invalid operator" << endl;

    cout << "\nCalculating..." << endl << answ << endl;
    myS.push(answ);
}
else
    cout << "\nInvalid stack size- too few, or too many" << endl;
}

1 个答案:

答案 0 :(得分:0)

在主循环中,您正在使用字符串提取器读取字符串:

    cin >> exp;

字符串提取器对空间敏感。因此,只要在输入中遇到空格char,字符串读取就会停止,并且空格不包含在exp中。

如果你想获得包括空格在内的整行,你应该选择:

    getline (cin, exp);  

修改:

当您询问用户是否想要使用计算器时,您会遇到getline()遇到的问题。输入y是不够的。所以你输入y 输入。只有y会被放入ans,以便getline()开始读取空行。

要解决此问题,请更新您的初始输入:

    cin >> ans;                   // as before 
    cin.ignore (INT_MAX, '\n');   // add this to skip everything until newline included

这里显示online demo表明它有效(包括错误运算符时的错误消息)