我有一个带有两个本地静态变量的函数f(),其中一个(t3)指向动态分配的内存,另一个是正常的t1(我认为它是在堆栈上分配的)。
#include <iostream>
#include <string>
using namespace std;
class test
{
public:
test(const char *name): _name(name)
{
cout << _name << " created" << endl;
}
~test()
{
cout << _name << " destroyed" << endl;
}
string _name;
static test tc; // static member
};
test test::tc(".class static data member");
test gvar("..global non-static object ");
static test sgvar("...global static object");
void f()
{
static int num = 10 ; // POD type, init before enter main function
static test tl("..Local static object on (stack???)");
static test* t3 = new test("..Local static object in free store");
test t2("...local non-static object.....");
cout << "Function executed" << endl;
}
int main()
{
cout << "----------------------Program start----------------------" << endl;
test t("LocalToMain non-static object");
f();
cout << "----------------------Program end-------------------------" << endl;
return 0;
}
我得到以下输出
# main
.class static data member created
..global non-static object created
...global static object created
----------------------Program start----------------------
LocalToMain non-static object created
..Local static object on stack created
..Local static object in free store created
...local non-static object..... created
Function executed
...local non-static object..... destroyed
----------------------Program end-------------------------
LocalToMain non-static object destroyed
..Local static object on stack destroyed
...global static object destroyed
..global non-static object destroyed
.class static data member destroyed
答案 0 :(得分:2)
首先,C ++规范实际上没有说明存储本地(静态或非静态)变量的位置,而是由编译器决定。
至于你的问题,变量t3
是被破坏的,但它是指针被破坏而不是它指向的东西。由于你不delete
对象new
它不会被运行时破坏,内存将“泄漏”。
t1
和t3
的生命周期是该计划的生命周期。
存储t1
的地方我不知道,可能是在加载到内存中的特殊数据段中,但t2
是大多数编译器存储在堆栈中的普通局部变量。
例如,真的没什么区别。 num
和t1
。本地静态变量就像任何其他本地静态变量一样,无论类型如何。