我的代码假设计算后缀表达式的值。但我被困在“结果”,我不知道如何编写代码。我写道:result = operand1 operation.push operand2并且逻辑上会给出错误。我用过2叠。
int main()
{
string input;
cout << "Enter a postfix expression: " << endl;
getline(cin, input);
double operand1, operand2, result;
stack<double> number;
stack<char>operation;
int i=0;
while (i < input.length())
{
if (input[i] == '+' || input[i] == '-' || input[i] == '*' || input[i] == '/' || input[i] == '^')
operation.push(input[i]);
else
number.push(input[i]);
i++;
}
operand2 = number.top( );
number.pop( );
operand1 = number.top( );
number.pop( );
result = operand1 operation.push(input[i]) operand2
cin.ignore(numeric_limits<streamsize>::max(), '\n');
return 0;
}
有人能建议更好的解决方案吗?谢谢
答案 0 :(得分:1)
您需要在运算符上创建switch
并自行计算结果:
char op = operation.top();
switch( op ) {
case '+': result = operand1 + operand2; break;
case '-': result = operand1 - operand2; break;
case '*': result = operand1 * operand2; break;
case '/': result = operand1 / operand2; break;
case '^': result = pow(operand1, operand2) ; break;
}
答案 1 :(得分:0)
首先,你只需要一个堆栈
然后是表达式
result = operand1 operation.push operand2
看起来不像我知道的任何后缀,而是我期待像
这样的东西operand1 operand2 operator
所以你在堆栈上推动操作数,每当你找到一个操作符时,你会弹出堆栈中最顶层的两个项目并推送结果。
e.g。
infix 10 * ( 12 + 15 ) -> postfix 12 15 + 10 *
然后在评估它时(伪代码)
push -> 12 [operand]
push -> 15 [operand]
pop -> + [operator]
push result 12+15 [operand]
push 10 [operand]
pop -> * [operator]
push result 27*10 [operand]