我希望以下代码调用我的意外处理程序,但我的终止处理程序被调用:
#include <except>
#include <iostream>
void my_terminate() {
std::cerr << "my terminate handler";
std::exit(0);
}
void my_unexpected() {
std::cerr << "my unexpected handler";
std::exit(EXIT_FAILURE);
}
#pragma argsused
int main(int argc, char* argv[])
{
std::set_terminate(my_terminate);
std::set_unexpected(my_unexpected);
try {
throw std::exception();
} catch (const std::logic_error&) {
}
return 0;
}
C++ Builder 6 Developer's Guide明确鼓励通过set_unexpected()
安装自定义意外处理程序。 我做错了什么,或者这只是C ++中的一个错误 - Builder 6?
答案 0 :(得分:12)
当抛出意外异常时,将调用由std::set_unexpected
(对于std::unexpected
)调用设置的处理程序;不是在未处理异常的情况下。当违反动态异常规范时,会调用意外的处理程序。
举例来说;
void my_terminate() {
std::cerr << "my terminate handler";
std::exit(0);
}
void my_unexpected() {
std::cerr << "my unexpected handler";
std::exit(EXIT_FAILURE);
}
void function() throw() // no exception in this example, but it could be another spec
{
throw std::exception();
}
int main(int argc, char* argv[])
{
std::set_terminate(my_terminate);
std::set_unexpected(my_unexpected);
try {
function();
} catch (const std::logic_error&) {
}
return 0;
}
输出
我的意外处理程序
由std::set_terminate
设置的处理程序由std::terminate
调用(由于参考文献中列出的众多原因)。这里感兴趣的是,当抛出异常但未被捕获时的默认行为是调用std::terminate
。
答案 1 :(得分:2)
如果发生未捕获的异常,则会调用 terminate
。
int main()
{
throw 1; // terminate
}
发生意外异常时,会调用 unexpected
。
void foo() throw(int)
{
throw "unexpected will be called.";
}
int main()
{
foo();
}
我将向您展示出现终止/意外的示例程序:
#include <cstdlib>
#include <iostream>
#include <exception>
#define TEST_TERMINATE
void my_terminate()
{
std::cout << "terminate!" << std::endl;
std::abort();
}
void my_unexpected()
{
std::cout << "unexpected!" << std::endl;
std::abort();
}
void foo() throw(int)
{
throw "unexpected will be called.";
}
int main()
{
std::set_terminate(my_terminate);
std::set_unexpected(my_unexpected);
#ifdef TEST_TERMINATE
throw 1;
#else
foo();
#endif
}
(terminate的实时示例,unexpected)