声明一个异常类Cexception,有成员函数what(),用来显示异常的类型,在子函数中触发异常,在主程序中处理异常。
时间: 2024-02-27 14:57:48 浏览: 131
好的,以下是一个简单的示例代码来声明一个异常类 `Cexception`,并在子函数中触发异常,主程序中进行异常处理:
```cpp
#include <iostream>
#include <string>
using namespace std;
class Cexception {
public:
Cexception(const string& msg): m_msg(msg) {}
const string& what() const {
return m_msg;
}
private:
string m_msg;
};
void divide(int x, int y) {
if (y == 0) {
throw Cexception("Divide by zero!");
}
cout << "x / y = " << x / y << endl;
}
int main() {
int x = 10, y = 0;
try {
divide(x, y);
} catch (const Cexception& e) {
cout << "Exception caught: " << e.what() << endl;
}
return 0;
}
```
在这个示例中,我们声明了一个名为 `Cexception` 的异常类,它有一个成员函数 `what()`,用来返回异常的类型。在 `divide()` 函数中,如果除数 `y` 等于 0,则会触发一个 `Cexception` 类型的异常。在 `main()` 函数中,我们用 `try-catch` 块来捕获这个异常,然后通过 `e.what()` 来获取异常的类型并打印出来。
阅读全文