命名空间
变体
操作

std::set_terminate

来自 cppreference.com
< cpp‎ | error
在头文件 <exception> 中定义
(直到 C++11)
std::terminate_handler set_terminate( std::terminate_handler f ) noexcept;
(自 C++11 起)

使 f 成为新的全局终止处理程序函数,并返回之前安装的 std::terminate_handlerf 应该终止程序的执行而不返回给它的调用者,否则行为未定义。

此函数是线程安全的。每次调用 std::set_terminate 都会与 (参见 std::memory_order) 后续调用 std::set_terminatestd::get_terminate 同步。

(自 C++11 起)

内容

[编辑] 参数

f - 指向类型为 std::terminate_handler 的函数的指针,或空指针

[编辑] 返回值

之前安装的终止处理程序,如果未安装,则为空指针值。

[编辑] 示例

#include <cstdlib>
#include <exception>
#include <iostream>
 
int main()
{
    std::set_terminate([]()
    {
        std::cout << "Unhandled exception\n" << std::flush;
        std::abort();
    });
    throw 1;
}

可能的输出

Unhandled exception
bash: line 7:  7743 Aborted                 (core dumped) ./a.out

终止处理程序也适用于启动的线程,因此可以用作 try/catch 块的替代方案。在以下示例中,由于异常未处理,因此将调用 std::terminate

#include <iostream>
#include <thread>
 
void run()
{
    throw std::runtime_error("Thread failure");
}
 
int main()
{
    try
    {
        std::thread t{run};
        t.join();
        return EXIT_SUCCESS;
    }
    catch (const std::exception& ex)
    {
        std::cerr << "Exception: " << ex.what() << '\n';
    }
    catch (...)
    {
        std::cerr << "Unknown exception caught\n";
    }
    return EXIT_FAILURE;
}

可能的输出

terminate called after throwing an instance of 'std::runtime_error'
  what():  Thread failure
Aborted (core dumped)

随着终止处理程序的引入,可以分析从非主线程抛出的异常,并可以执行优雅的退出。

#include <iostream>
#include <thread>
 
class foo
{
public:
    foo() { std::cerr << "foo::foo()\n"; }
    ~foo() { std::cerr << "foo::~foo()\n"; }
};
 
// Static object, expecting destructor on exit
foo f;
 
void run()
{
    throw std::runtime_error("Thread failure");
}
 
int main()
{
    std::set_terminate([]()
    {
        try
        {
            std::exception_ptr eptr{std::current_exception()};
            if (eptr)
            {
                std::rethrow_exception(eptr);
            }
            else
            {
                std::cerr << "Exiting without exception\n";
            }
        }
        catch (const std::exception& ex)
        {
            std::cerr << "Exception: " << ex.what() << '\n';
        }
        catch (...)
        {
            std::cerr << "Unknown exception caught\n";
        }
        std::exit(EXIT_FAILURE);
    });
 
    std::thread t{run};
    t.join();
}

输出

foo::foo()
Exception: Thread failure
foo::~foo()

[编辑] 另请参阅

当异常处理失败时调用的函数
(函数) [编辑]
获取当前 terminate_handler
(函数) [编辑]
std::terminate 调用的函数的类型
(typedef) [编辑]