3
#include <iostream>
#include <exception>
using std::cout;
using std::endl;
class test
{
 public:
    test()
    {
        cout<<"constructor called"<<endl;
    }
    ~test()
    {
        cout<<"destructor called"<<endl;
    }
    void fun(int x)
    {
       throw x;
    }
};

int main()
{
    try
    {
        static test k;          
        k.fun(3);
    }
    catch(int k)
    {
        cout<<"exception handler"<<endl;
    }
}

当抛出异常时,然后在堆栈展开过程中,我认为只有本地对象被破坏,而不是静态或堆对象。如果这是真的,我不确定为什么要调用类(测试)析构函数?谢谢。

4

3 回答 3

4

在 main 退出后调用测试析构函数。

    catch(int k)
    {
        cout<<"exception handler"<<endl;
    }
    // Added this line
    std::cout << "Main Exiting\n";
}

现在测试

> g++ test.cpp
> ./a.out
constructor called
exception handler
Main Exiting
destructor called

静态(静态存储持续时间对象)在主退出后以创建的相反顺序销毁。

于 2011-06-20T21:54:51.653 回答
0

调用析构函数是因为您的程序正在退出。只有自动存储持续时间的对象(绝对不是堆栈对象或堆对象)被销毁。

于 2011-06-20T21:55:15.573 回答
0

运行此代码时,我得到输出

constructor called
exception handler
destructor called

这是有道理的。首先调用静态test对象的构造函数。当异常被抛出时,它被异常处理程序捕获并打印消息。最后,当程序终止时,静态test对象的析构函数被调用。

假设异常实际上在某处被捕获,异常只会导致具有自动持续时间的变量(即局部变量)的生命周期结束。异常不会破坏具有动态持续时间的对象(即用 分配的东西new),但如果在动态分配对象的构造函数中发生异常,则内存将被回收,因为否则无法取回内存。同样,static对象不会被销毁,因为它们应该持续整个程序。如果它们被清理,如果对这些对象的引用已经在程序中传递,则可能会导致问题。

希望这可以帮助!

于 2011-06-20T21:58:04.883 回答