2

请帮助:我知道析构函数和 atexit() 并且也知道以下内容: atexit() 注册一个要在程序终止时调用的函数(例如,当 main() 调用 return 或 exit() 在某处显式调用时)。

当调用 exit() 时,静态对象被销毁(调用析构函数),但不是局部变量范围内的对象,当然也不是动态分配的对象(只有在显式调用 delete 时才会被销毁)。

下面的代码给出的输出为:atexit handler Static dtor

你能帮我知道为什么当我们使用 atexit() 时不会调用本地对象的析构函数吗?

提前致谢:

class Static {
public:
    ~Static() 
        {
        std::cout << "Static dtor\n";
        }
    };
class Sample {
public:
    ~Sample() 
        {
        std::cout << "Sample dtor\n";
        }
    };

class Local {
public:
    ~Local() 
        {
        std::cout << "Local dtor\n";
        }
    };

Static static_variable; // dtor of this object *will* be called
void atexit_handler()
    {
    std::cout << "atexit handler\n";
    }
int main()
    {
    Local local_variable; 
    const int result = std::atexit(atexit_handler); 
    Sample static_variable; // dtor of this object *will not* be called
    std::exit(EXIT_SUCCESS);//succesful exit
    return 0;
    }
4

1 回答 1

2

调用析构函数不是关于atexitbut exit

我通常不认为std::exit任何好的 C++ 编程。事实上,这和std::atexit

extern "C"   int atexit( void (*func)() ); // in <cstdlib>

来自 C 标准库。在查看您的示例时,我相信您已经看过http://en.cppreference.com/w/cpp/utility/program/exit,并且您也看过

“堆栈未展开:不调用具有自动存储持续时间的变量的析构函数。”

哪个是您的问题“为什么”的答案?在某些情况下,特别是您可能会使用未恢复的错误exit,但通常使用应该坚持使用异常,例如,

Static static_variable; 

int mainactual()
{
    Local local_variable; 
    Sample static_variable;
    throw std::exception("EXIT_FAILURE"); // MS specific
    // ... more code
}
int main()
{
    try 
    { 
        mainactual() 
    }catch ( std::exception & e )
    {
        return EXIT_FAILURE;
    }
    return EXIT_SUCCESS;
}
于 2016-02-07T11:18:04.413 回答