C++標(biāo)準(zhǔn)異常類的創(chuàng)建方法

c++
小樊
81
2024-11-08 22:56:25
欄目: 編程語言

在C++中,標(biāo)準(zhǔn)異常類是從std::exception類派生出來的。要?jiǎng)?chuàng)建自定義異常類,你需要遵循以下步驟:

  1. 包含頭文件:首先,需要包含<exception>頭文件,以便使用std::exception類。
#include <exception>
  1. 創(chuàng)建基類:創(chuàng)建一個(gè)從std::exception派生的新類,作為你的自定義異常類的基類。
class MyException : public std::exception {
    // ...
};
  1. 添加構(gòu)造函數(shù):在自定義異常類中,可以添加一個(gè)或多個(gè)構(gòu)造函數(shù)。至少,你應(yīng)該提供一個(gè)接受const char*參數(shù)的構(gòu)造函數(shù),以便將錯(cuò)誤信息傳遞給基類std::exception的構(gòu)造函數(shù)。
class MyException : public std::exception {
public:
    // 默認(rèn)構(gòu)造函數(shù)
    MyException() noexcept : message("MyException occurred") {}

    // 接受錯(cuò)誤信息的構(gòu)造函數(shù)
    explicit MyException(const char* message) noexcept : message(message) {}

    // 接受格式化字符串的構(gòu)造函數(shù)
    explicit MyException(const char* format, ...) noexcept {
        va_list args;
        va_start(args, format);
        int size = std::vsnprintf(nullptr, 0, format, args);
        va_end(args);

        std::vector<char> buffer(size + 1);
        va_start(args, format);
        std::vsnprintf(buffer.data(), buffer.size(), format, args);
        va_end(args);

        message = buffer.data();
    }

private:
    const char* message;
};
  1. 使用自定義異常類:現(xiàn)在你可以在代碼中拋出和使用你的自定義異常類。
int main() {
    try {
        throw MyException("An error occurred");
    } catch (const MyException& e) {
        std::cerr << "Caught exception: " << e.what() << std::endl;
    }

    return 0;
}

這是一個(gè)簡單的自定義異常類示例。你可以根據(jù)需要擴(kuò)展它,例如添加其他構(gòu)造函數(shù)、成員變量或方法。

0