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