我的第一个while循环执行,直到我输入一个非数字来终止它。然后,不是while(cin >> cel)
执行,而是跳过它,导致程序终止/完成。我已经尝试了一切,包括清除" cin bit"如另一个类似的问题所述,但没有成功。我做错了什么?
int main() {
double fah = 0;
cout << "Enter a fahrenheit value:\n";
while (cin >> fah) { // executes until a non-number input is entered
cout << fah << "F == " << fah_to_cel(fah) << "C\n";
}
// tried cin.clear(); here
// tried cin.clear(ios_base::eofbit); here
double cel = 0;
cout << "Enter a celcius value:\n";
while(cin >> cel) { // executes until a non-number input is entered
cout << cel << "C == " << cel_to_fah(cel) << "F\n";
}
return 0;
}
答案 0 :(得分:2)
您拨打cin.clear()
是正确的。这会重置cin
的错误标志,您需要先执行此操作才能执行更多输入操作。但是你还需要做一件事。当输入失败时,尝试读取的任何字符cin
都保留在输入缓冲区中。因此,当您尝试再次收集输入时(清除错误后),它将再次失败。因此,您需要删除缓冲区中剩余的数据。你可以这样做:
std::streamsize amount_to_ignore = std::numeric_limits<std::streamsize>::max();
std::cin.ignore(amount_to_ignore, '\n');
这告诉cin
丢弃其缓冲区中的所有字符,直到找到换行符(从上次按下回车键时应该在那里)。
在我看来,这是一种非常笨重且容易出错的用户输入方式。我建议您在从std::getline
读取时专门使用cin
,这应该永远不会失败(除非在内存分配失败的情况下)。然后手动解析生成的字符串,这样可以更好地控制输入的形式。