我只是想编写一个从cin读取的简单程序,然后验证输入是一个整数。如果确实如此,我将打破我的while循环。如果没有,我会再次要求用户输入。
我的程序编译并运行得很好,这很棒。但如果输入非数字值,它不会提示输入新内容。是什么给了什么?
#include <iostream>
using namespace std;
int main() {
bool flag = true;
int input;
while(flag){
try{
cout << "Please enter an integral value \n";
cin >> input;
if (!( input % 1 ) || input == 0){ break; }
}
catch (exception& e)
{ cout << "Please enter an integral value";
flag = true;}
}
cout << input;
return 0;
}
答案 0 :(得分:5)
C ++ iostream不会使用例外情况,除非您通过cin.exceptions( /* conditions for exception */ )
告诉他们。
但是您的代码流更自然,没有例外。只需if (!(cin >> input))
等等。
还要记得在再次尝试之前清除故障位。
整件事情可以是:
int main()
{
int input;
do {
cout << "Please enter an integral value \n";
cin.clear();
cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n');
} while(!(cin >> input));
cout << input;
return 0;
}
答案 1 :(得分:0)
不要使用using namespace std;
而是导入您需要的内容。
最好一次输入一行。如果您在一行中有多个单词,或者在键入任何内容之前按Enter键,这会使行为很多更直观。
#include <iostream>
#include <sstream>
#include <string>
using std::cerr;
using std::cin;
using std::cout;
using std::endl;
using std::flush;
using std::getline;
using std::istringstream;
using std::string;
int main() {
int input;
while (true)
{
cout << "Please enter an integral value: " << flush;
string line;
if (!getline(cin, line)) {
cerr << "input failed" << endl;
return 1;
}
istringstream line_stream(line);
char extra;
if (line_stream >> input && !(line_stream >> extra))
break;
}
cout << input << endl;
return 0;
}