一、异常处理
1.1 异常的基本用法
C语言中因为没有异常处理(只能通过返回值来判断错误)机制一直被诟病,因此C++也引入了try...catch
机制,使得C++也能像java/python一样来捕获异常。
它的用法和大多数其他语言基本一致,非常简单:
1 2 3 4 5 |
try { throw "HelloException"; } catch (const char *msg) { cout << msg << endl; } |
除此之外,C++标准库中还提供了一个标准异常类exception
, 内部有一个what
函数可以打印异常信息:
1 2 3 4 5 |
try { throw std::exception(); } catch (exception &e) { cout << e.what() << endl; } |
执行后程序会抛出异常信息:
1 |
std::exception |
不过std::exception
类内部没有提供太多函数可以操作,只有基本的构造、拷贝构造以及析构函数等,自定义空间有限,很难完全依赖它打印出更详细的异常信息。因此,标准库中还提供了一些预定义的派生类来使用:
大部分的异常类都有提供自己的默认构造函数和带参构造函数,例如out_of_range
异常类提供了一个char *的传入:
1 2 3 4 5 |
try { throw std::out_of_range("out of range"); } catch (std::out_of_range &e) { std::cout << e.what() << std::endl; } |
允许构造的时候带入错误信息字符串,执行what()
的时候就会把这个字符串打印出来:
1 |
out of range |
1.2 构造函数中的异常处理
构造函数执行初始化列表的时候,因为还没有执行到函数内部代码块,所以并不在try的捕获范围内,是无法捕获到异常的。
如若希望执行初始化列表的时候也能捕获异常,则需要在初始化列表之前加上try
关键字:
1 |
my_exception() try: A(a), B(b) {} |
二、自定义异常类
实际的项目中,往往会自己定义异常类,自定义异常类的方法很简单,从std::exception
公有继承就可以了,内部还可以加上自己定义的成员和函数。
例如:
1 2 3 4 5 6 7 8 9 10 11 |
class my_exception : public std::exception { public: int code; std::string msg; const char *what() const throw() { return msg.c_str(); } my_exception(int code, const std::string &msg) : code(code), msg(msg) {} }; |
使用方式:
1 2 3 4 5 6 |
try { throw my_exception(255, "this is a exception!"); } catch (my_exception &e) { cout << "ErrCode: " << e.code << ", ErrMsg: " << e.msg << endl; cout << e.what() << endl; } |
评论