我的教授给了我们一个try catch块,他希望我们从现在开始将其用于所有代码。在阅读了它之后,我仍然对如何将其实现到我的程序中感到有些困惑。

他希望我们将其实现到程序中的代码。

try {
return 0;
}
catch (exception& e) {
    cerr << "error: " << e.what() << '\n';
    keep_window_open();
    return 1;
}
catch (...) {
    cerr << "Oops: unknown exception!\n";
    keep_window_open();
    return 2;
}


我正在研究的程序之一。

#include "std_lib_facilities_4a.h"
bool yes()
{
string y;
cin >> y;
if (y[0] == 'y' || y[0] == 'Y')
    {
    return true;
    }
else
    return false;
}
int main()
{
enum {question1=1, question2=2, question3=4};
int result = 0;
cout << " Is what your thinking of red?\n";
if (yes() == true)
    {
    result += question1;
    }
cout << " Is what your thinking of round?\n";
if (yes() == true)
    {
    result += question2;
    }
cout << " Is what your thinking of an animal?\n";
if (yes() == true)
    {
    result += question3;
    }
vector<string> answer = {"You are thinking of a blue square!.","You are thinking of a red square!","you are thing of a blue circle!","You are thinking of a red circle!","you are thinking of a blue animal!","you are thinking of a red animal!","you are thinking of a blue round animal!","You are thinking of a red turtle!"};
cout << answer[result];
return 0;
}

最佳答案

听起来他想让您将代码放入main块内的try中。然后,如果程序中的任何内容引发异常而没有其他东西处理该异常,则其中一个处理程序将捕获该异常并干净地结束程序。所以你的main看起来像

int main() try {
    // your code here
    return 0;   // optional, but polite
} catch (exception& ex) { // better to catch a const reference
    // report it
    return 1;  // should be EXIT_FAILURE for portability
} catch (...)
    // report it
    return 2;  // should also be EXIT_FAILURE
}


没有它们,未捕获的异常将导致程序通过调用terminate混乱结束。在我看来,这样比较好,因为它易于调试。但是短期内做老师说的话可能很容易,以后不再学习所有这些不良习惯。

关于c++ - 如何使用渔获尝试渔获?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28891060/

10-12 06:29