#include<iostream> #include<stack> #include<string> #include<cctype> #include<sstream> using namespace std; stack< long long >sk; string str; stringstream tempIO; long long Calculate( long a, long b, char op) { switch( op ) { case '+': return a + b; case '-': return a - b; case '*': return a * b; case '/': return a / b; } } int main() { getline( cin,str ); for(int i=0; str[i]!='@'; i++){ if( isdigit(str[i] ) ){ tempIO << str[i]; }else if(str[i]==' '){ long long num = 0; tempIO >> num; sk.push( num ); tempIO.clear(); } else { long long t1= sk.top(); sk.pop(); long long t2 = sk.top(); sk.pop(); sk.push( Calculate( t2, t1, str[i] )); } } cout << sk.top() << endl; return 0; }
时间: 2024-04-17 18:25:56 浏览: 196
在您提供的代码中,有几个问题需要注意:
1. 在 `long long Calculate()` 函数中,如果 `b` 的值为 0 并且操作符为 `/`,则会导致除以零的错误。在执行除法操作之前,您可以添加一个条件来检查 `b` 是否为零,如果是,则返回一个错误或采取其他适当的操作。
2. 在主函数的 `for` 循环中,您使用 `getline(cin, str)` 来获取输入的表达式。但是,由于您没有指定要获取的行数,因此它只会获取一行输入。如果您希望能够处理多行输入,请在循环外添加一个 `while(getline(cin, str))` 循环来持续读取输入。
3. 在处理输入表达式的过程中,您只处理了数字和空格。如果输入表达式中包含其他字符(例如运算符或括号),您需要相应地处理这些字符。
4. 您使用了 `tempIO.clear()` 来清除 `stringstream` 对象 `tempIO` 中的内容。但是在每次循环迭代中,您还需要对 `tempIO` 进行 `tempIO.str("")` 或 `tempIO.str(string())` 来清除其内容。
修复上述问题后,您的代码应该可以更好地运行了。以下是修改后的代码:
```cpp
#include<iostream>
#include<stack>
#include<string>
#include<cctype>
#include<sstream>
using namespace std;
stack<long long> sk;
string str;
stringstream tempIO;
long long Calculate(long long a, long long b, char op)
{
if (op == '/' && b == 0) {
// 处理除以零的情况
cout << "Error: Division by zero!" << endl;
exit(1); // 或采取其他适当的操作
}
switch (op)
{
case '+': return a + b;
case '-': return a - b;
case '*': return a * b;
case '/': return a / b;
}
}
int main()
{
string line;
while (getline(cin, line))
{
for (int i = 0; i < line.length(); i++) {
if (isdigit(line[i])) {
tempIO << line[i];
}
else if (line[i] == ' ') {
long long num = 0;
tempIO >> num;
sk.push(num);
tempIO.clear();
tempIO.str(""); // 清除 stringstream 对象的内容
}
else {
long long t1 = sk.top();
sk.pop();
long long t2 = sk.top();
sk.pop();
sk.push(Calculate(t2, t1, line[i]));
}
}
cout << sk.top() << endl;
sk.pop(); // 清空栈中的结果,以便处理下一行输入
}
return 0;
}
```
请注意,上述修改仅涉及您提供的代码片段,并且仅解决了明显的问题。如果您有其他需求或问题,请随时提问。
阅读全文