确保多个输入是数字 (c++)

Making sure multiple inputs are numbers (c++)

我正在制作一个程序,我向用户询问日期并将其与当前日期进行比较。所有功能都在那里,但我似乎无法验证日期、月份和年份是否为数字,因此输入字母会使程序崩溃。有任何想法吗? (注意:do while 循环中的函数按预期工作)

do // This do while loop forces the user to enter a valid date before moving on
    {
        cout << "Enter the lent date in the format dd/mm/yyyy: " << endl;
        cin >> day1 >> buffer >> month1 >> buffer >> year1;
        if(cin.fail())
        {
            continue;
        }
    }

    while (!validateDateSize(day1, month1, year1) || !validateDateIntegrity(day1, month1, year1));

在进行任何验证之前,请检查从用户收到的输入是否为数字。

isdigit(char c)

检查c是否为十进制数字字符。

Return 值: 如果 c 确实是十进制数字,则该值不同于零(即真)。否则为零(即假)。

这取决于你的变量定义。让我们假设:

int day1, month1, year1; 
char buffer;

输入有效日期,例如“12/3/2017”、“12-3-2017”甚至“12.3.2017”将通过测试。输入无效日期但使用有效格式(例如“125.3.2017”)将无法通过测试,并循环提供下一次正确输入的机会。

所以问题是什么?

但如果格式出现问题,例如“12/A/2017”,cin 将在第一个意外字符处失败(此处为 'A')。然后您的代码将 continue 循环。不幸的是,cin 的失败状态将保持不变,导致任何后续输入失败并且您的代码永远循环。

如何更正?

您需要 clear() the error status, and also ignore() 导致失败且仍在输入中的错误字符:

   if(cin.fail())
    {
        cin.clear();                        //reset error flags
        cin.ignore(numeric_limits<streamsize>::max(),'\n');  // and ignore characters until the next newline
        continue;
    }

Online demo