Rethrow(传播)例外

有时你希望对捕获的异常(例如写入日志或打印警告)执行某些操作,并让它冒泡到上部范围进行处理。为此,你可以重新抛出捕获的任何异常:

try {
    ... // some code here
} catch (const SomeException& e) {
    std::cout << "caught an exception";
    throw;
}

使用不带参数的 throw; 将重新抛出当前捕获的异常。

Version >= C++ 11

要重新抛出托管的 std::exception_ptr,C++标准库具有 rethrow_exception 功能,可以通过在程序中包含 <exception> 头来使用。

#include <iostream>
#include <string>
#include <exception>
#include <stdexcept>
 
void handle_eptr(std::exception_ptr eptr) // passing by value is ok
{
    try {
        if (eptr) {
            std::rethrow_exception(eptr);
        }
    } catch(const std::exception& e) {
        std::cout << "Caught exception \"" << e.what() << "\"\n";
    }
}
 
int main()
{
    std::exception_ptr eptr;
    try {
        std::string().at(1); // this generates an std::out_of_range
    } catch(...) {
        eptr = std::current_exception(); // capture
    }
    handle_eptr(eptr);
} // destructor for std::out_of_range called here, when the eptr is destructed