温馨提示×

覆盖写入在C++异常处理中的应用

c++
小樊
83
2024-09-06 08:39:10
栏目: 编程语言

在C++异常处理中,覆盖写入(overwrite)是指在抛出异常时,将一个异常对象覆盖另一个异常对象

以下是一个使用覆盖写入的示例:

#include<iostream>
#include <stdexcept>

class CustomException : public std::runtime_error {
public:
    CustomException(const std::string& message) : std::runtime_error(message) {}
};

void function1() {
    try {
        throw std::runtime_error("Error in function1");
    } catch (std::runtime_error& e) {
        std::cout << "Caught exception in function1: " << e.what()<< std::endl;
        throw CustomException("Custom error in function1"); // 覆盖写入
    }
}

int main() {
    try {
        function1();
    } catch (CustomException& e) {
        std::cout << "Caught custom exception in main: " << e.what()<< std::endl;
    } catch (std::runtime_error& e) {
        std::cout << "Caught exception in main: " << e.what()<< std::endl;
    }
    return 0;
}

在这个示例中,function1() 函数首先抛出一个 std::runtime_error 异常。然后,在 catch 块中,我们捕获该异常并打印其消息。接下来,我们抛出一个 CustomException 异常,覆盖之前抛出的异常。

main() 函数中,我们捕获两种类型的异常:CustomExceptionstd::runtime_error。由于我们在 function1() 中覆盖了原始的 std::runtime_error 异常,因此在 main() 函数中只能捕获到 CustomException 异常。如果我们没有在 function1() 中覆盖原始异常,那么在 main() 函数中也可以捕获到 std::runtime_error 异常。

0