std::cin.fail() 的问题
Problems with std::cin.fail()
我正在编写一些代码以使用 cpp 从终端读取,但由于某种原因它在 运行 超出数字后崩溃了。根据我在网上阅读的内容,我应该能够使用 std::cin.fail()
检查 std::cin
是否成功,但它之前崩溃了。
我运行的密码是
#include <iostream>
int main()
{
int x{};
while (true)
{
std::cin >> x;
if (!std::cin)
{
std::cout << "breaking" << '\n';
break;
}
std::cout << x << '\n';
}
return 0;
}
输入:
test@test:~/learn_cpp/ex05$ ./test
1 2
1
2
^C
我最终不得不按 ctrl+c 退出程序。版本信息:
gcc (Ubuntu 7.5.0-3ubuntu1~18.04) 7.5.0
Copyright (C) 2017 Free Software Foundation, Inc.
This is free software; see the source for copying conditions. There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
您输入的任何内容都不会导致 cin
设置失败位。因此,while (true)
将继续运行。您可以输入一个字母,或者其他不是 int
的东西,这将设置失败位,并导致循环中断。
请注意,为此将忽略换行。
如果您知道所有输入都在一行中,那么您可以使用 std::getline
读取整行,然后使用 std::stringstream
从该行读取整数。
#include <iostream>
#include <sstream>
#include <string>
int main() {
int x{};
std::string buff;
std::getline( std::cin, buff );
std::stringstream ss( buff );
while ( ss >> x ) {
std::cout << x << '\n';
}
return 0;
}
我正在编写一些代码以使用 cpp 从终端读取,但由于某种原因它在 运行 超出数字后崩溃了。根据我在网上阅读的内容,我应该能够使用 std::cin.fail()
检查 std::cin
是否成功,但它之前崩溃了。
我运行的密码是
#include <iostream>
int main()
{
int x{};
while (true)
{
std::cin >> x;
if (!std::cin)
{
std::cout << "breaking" << '\n';
break;
}
std::cout << x << '\n';
}
return 0;
}
输入:
test@test:~/learn_cpp/ex05$ ./test
1 2
1
2
^C
我最终不得不按 ctrl+c 退出程序。版本信息:
gcc (Ubuntu 7.5.0-3ubuntu1~18.04) 7.5.0
Copyright (C) 2017 Free Software Foundation, Inc.
This is free software; see the source for copying conditions. There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
您输入的任何内容都不会导致 cin
设置失败位。因此,while (true)
将继续运行。您可以输入一个字母,或者其他不是 int
的东西,这将设置失败位,并导致循环中断。
请注意,为此将忽略换行。
如果您知道所有输入都在一行中,那么您可以使用 std::getline
读取整行,然后使用 std::stringstream
从该行读取整数。
#include <iostream>
#include <sstream>
#include <string>
int main() {
int x{};
std::string buff;
std::getline( std::cin, buff );
std::stringstream ss( buff );
while ( ss >> x ) {
std::cout << x << '\n';
}
return 0;
}