foo.cc: In function 'int main()': foo.cc:32:27: warning: comparison of integer expressions of different signedness: 'int' and 'std::__cxx11::basic_string<char>::size_type' {aka 'long unsigned int'} [-Wsign-compare] 32 | for (int i = 0; i < line.length(); i++) { | ~~^~~~~~~~~~~~~~~ foo.cc: In function 'long long int Calculate(long long int, long long int, char)': foo.cc:25:1: warning: control reaches end of non-void function [-Wreturn-type] 25 | } | ^
时间: 2024-04-17 09:25:57 浏览: 308
根据编译器的警告信息,您的代码中存在两个问题:
1. 在 `main()` 函数中,编译器发出了一个警告:“comparison of integer expressions of different signedness”。这是因为您在 `for` 循环中使用了不同类型的比较。`line.length()` 的返回类型是 `std::string` 的大小类型,通常是 `size_t` 或 `std::string::size_type`,这是一个无符号整数类型。而循环变量 `i` 是 `int` 类型,是有符号整数类型。为了消除这个警告,您可以将 `i` 的类型更改为与 `line.length()` 返回类型匹配的类型,例如 `std::string::size_type` 或 `size_t`。
2. 在 `Calculate()` 函数中,编译器发出了一个警告:“control reaches end of non-void function”。这是因为您的函数声明返回类型为 `long long int`,但没有在函数体中的所有分支都返回一个值。为了解决这个警告,您可以在函数的最后添加一个默认的返回语句。
修复上述问题后,您的代码应该可以成功编译和运行了。以下是修复后的代码示例:
```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)
{
switch (op)
{
case '+': return a + b;
case '-': return a - b;
case '*': return a * b;
case '/': return a / b;
}
// 添加默认返回语句
return 0;
}
int main()
{
string line;
while (getline(cin, line))
{
for (std::string::size_type 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("");
}
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;
}
```
在这个修复后的代码中,我将 `i` 的类型更改为 `std::string::size_type`,并添加了默认的返回语句以解决警告。
阅读全文