0

我想捕获当有人在 cin 上没有给出数字值时发生的异常,因此程序将读取下一个值。

#include <iostream>

using namespace std;

int main()
{
    int x = 0;
    while(true){
        cin >> x;
        cout << "x = " << x << endl;
    }
    return 0;
}
4

4 回答 4

4

根本没有抛出异常。相反,cin设置一个“错误输入”标志。你想要的是这样的:

while ((std::cout << "Enter input: ") && !(std::cin >> x)) {
    std::cin.clear(); //clear the flag
    std::cin.ignore (std::numeric_limits<std::streamsize>::max(), '\n'); //discard the bad input
    std::cout << "Invalid input; please re-enter.\n";
}

这一系列的问题很好地解释了它。

链接:
clear()
ignore()

于 2012-06-13T19:22:10.543 回答
4

如果你真的想使用异常处理,你可以这样做:

cin.exceptions(ios_base::failbit); // throw on rejected input
try {
// some code
int choice;
cin >> choice;
// some more code
} catch(const ios_base::failure& e) {
    cout << "What was that?\n";
    break;
} 

参考:http ://www.cplusplus.com/forum/beginner/71540/

于 2012-06-13T19:23:06.457 回答
2

添加类似:

if(cin.fail())
{   
  cin.clear();
  cin.ignore(std::numeric_limits<std::streamsize>::max(),' '); 
  cout << "Please enter valid input";
} 
于 2012-06-13T19:26:16.000 回答
1
int main()
{
    int x = 0;
    cin.exceptions(ios::failbit);
    while(true){
        try
        {
            cin>>x;
        }
        catch(ios_base::failure& e)
        {
            //..
        }
        cout<<"x = "<<x<<endl;
    }
    return 0;
}

这应该有效。

于 2012-06-13T19:23:34.450 回答