使用 cin 验证用户输入

Validating user input using cin

本文关键字:输入 用户 验证 cin 使用      更新时间:2023-10-16

我试图这样做: 如果该值大于 50 或小于 -50,或者不是整数,则再次使用 CIN 该值(直到它有效(

for (size_t i = 0; i < cities; i++)
{
for (size_t j = 0; j < days; j++)
{
cout << "temperature(" << i + 1 << ',' << j + 1 << ") = ";
cin >> *(temperatures + i * days + j);
while (!(*(temperatures + i * days + j) > 50 && *(temperatures + i * days + j) < -50))
{
cin.clear();
cin.ignore();
cout << "temperature(" << i + 1 << ',' << j + 1 << ") = ";
cin >> *(temperatures + i * days + j);
}
}

如果我写一个大于 50 或小于 -50 的数字,它可以工作。

但是如果我写例如:

temperature(1,1) = covid

比下一行:

temperature(1,1) = temperature(1,1) = temperature(1,1) = temperature(1,1) = temperature(1,1) = 

我该如何解决这个问题?

问题是即使输入失败,您也在测试*(temperatures + i * days + j)的值。另外,您错误地使用了忽略(仅忽略一个字符而不是所有未完成的字符(。另外,您有过于复杂的代码

这是一个更好的版本

#include <limits> // for std::numeric_limits
cout << "temperature(" << i + 1 << ',' << j + 1 << ") = ";
int temp;
while (!(cin >> temp) || temp < -50 || temp > 50)
{
cin.clear();
cin.ignore(numeric_limits<streamsize>::max(), 'n');
cout << "temperature(" << i + 1 << ',' << j + 1 << ") = ";
}
temperatures[i * days + j] = temp;

我使用了新的变量temp来简化代码。我在 while 循环条件中包含cin >> temp,因此仅在输入成功时检查 temp,并且我使用cin.ignore(numeric_limits<streamsize>::max(), 'n');忽略输入中剩余的所有字符。

请注意,这可能并不完美。如果您输入10deg,那么即使输入中包含非数字,输入也会成功(temp 等于 10(。如果你想正确地进行输入验证,那么唯一真正的方法是将输入读取为字符串,并在转换为整数之前测试字符串。