2

为什么输入1.w时下面的验证码卡在cin.ignore上,输入w.1时进入死循环?
我正在尝试创建验证数字输入的代码。我已经根据其他帖子中给出的建议创建了代码,但我仍然遇到问题。

//The code is validation code used to check if input is numerical (float or integer). 
#include <iostream>
#include <string>
#include <limits> // std::numeric_limits
using namespace std;
int main ()
{
    string line;
    float amount=0;
    bool flag=true;

//while loop to check inputs
while (flag){ //check for valid numerical input
    cout << "Enter amount:";
    getline(cin>>amount,line);
//use the string find_first_not_of function to test for numerical input
    unsigned test = line.find_first_not_of('0123456789-.');

    if (test==std::string::npos){ //if input stream contains valid inputs
        cout << "WOW!" << endl;
        cout << "You entered " << line << endl;
        cout << "amount = " << amount << endl;
    }

    else{ //if input stream is invalid
        cin.clear();
        // Ignore to the end of line
        cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n');
    }
  }

    return 0;
}
4

1 回答 1

3

首先,'0123456789-.'应该是"0123456789-."(注意双引号)。前者是多字节字符文字。

当您输入1.w

  • 1被 提取cin>>amount
  • .w被提取getline
  • 流是空的,所以ignore等待输入

当您输入w.1

  • cin>>amount失败,failbit被设置
  • getline流不好时无法提取,因此line保持为空
  • test等于npos,所以我们永远不会进入else块来清除流
  • 从头再来
于 2013-04-20T07:06:06.460 回答