C++编程语言中同样存在异常的相关操作。我们可以使用throw来解决异常处理。那么今天我们将会针对这一方面的知识重点介绍一下C++异常传递的相关方法,希望能够给大家带来一些帮助。
C++异常传递之1.传值(by value)
传值的过程中会产生临时对象的拷贝,不能解决多态的问题,如下:myexception继承exception,但是但确无法被正确的调用myexception的方法,造成对异常对象的切割。
- class myexception:public exception{
- public:
- virtual const char* what() throw();
- };
- const char* myexception::what(){
- return "myException";
- }
- class A{
- public:
- A(){}
- void f() throw(){
- throw myexception();
- }
- };
- int main(){
- A a;
- try{
- a.f();
- }catch(exception exc){
- cout<<exc.what();
- }
- }
运行结果:UnKnown exceptions
程序执行是会调用exception的what方法,而不是myexception的what方法。
C++异常传递之2.传指针(by pointer)
指针可以实现多态,但往往会将临时对象的地址作为指针传出去,出现悬挂指针错误。如果在堆上分配内存空间,又往往不知道何时删除对象,出现to be or not to be的错误。
结果显示:myException
- class myexception:public exception{
- public:
- virtual const char * what() const;
- };
- const char* myexception::what() const{
- return "myException";
- }
- class A{
- public:
- A(){}
- void f() throw(){
- throw new myexception();
- }
- };
- int main(){
- A a;
- try{
- a.f();
- }catch(exception* pexc){
- cout<<pexc->what();
- delete pexc;
- }
- }
C++异常传递之3.传引用(by reference)
传引用是***的方法,可以克服前面的两个问题。
程序结果显示:myException
- class myexception:public exception{
- public:
- virtual const char * what() const;
- };
- const char* myexception::what() const{
- return "myException";
- }
- class A{
- public:
- A(){}
- void f() throw(){
- throw myexception();
- }
- };
- int main(){
- A a;
- try{
- a.f();
- }catch(exception& exc){
- cout<<exc.what();
- }
- }
以上就是对C++异常传递的相关介绍。
【编辑推荐】