在C++中,标准异常类是从std::exception
类派生出来的。要创建自定义异常类,你需要遵循以下步骤:
<exception>
头文件,以便使用std::exception
类。#include <exception>
std::exception
派生的新类,作为你的自定义异常类的基类。class MyException : public std::exception {
// ...
};
const char*
参数的构造函数,以便将错误信息传递给基类std::exception
的构造函数。class MyException : public std::exception {
public:
// 默认构造函数
MyException() noexcept : message("MyException occurred") {}
// 接受错误信息的构造函数
explicit MyException(const char* message) noexcept : message(message) {}
// 接受格式化字符串的构造函数
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;
};
int main() {
try {
throw MyException("An error occurred");
} catch (const MyException& e) {
std::cerr << "Caught exception: " << e.what() << std::endl;
}
return 0;
}
这是一个简单的自定义异常类示例。你可以根据需要扩展它,例如添加其他构造函数、成员变量或方法。