所以,我一直在尝试静态类字段(尤其是常量类),并让自己进入......这个:
#include <iostream>
#include <conio.h>
class Test {
public:
Test() { std::cout << "Constructing (Default CTOR)\n"; }
Test(int f) { std::cout << "Constructing (Int arg CTOR)\n"; }
void method() const { std::cout << "Already constructed and being used\n"; }
};
class Stack {
public:
// static const Test what{ 5 }; // - "element of type "const Test" can not have an initializer inside of a class"
// const Test ok{ 5 }; // now it can (?)
static const Test what;
Stack() {
what.method();
}
// Stack() : what{5} {} // can't do that because "what" will be dependent on object creation (which is not how static class fields roll)
};
Stack obj;
const Test Stack::what{};
int main()
{
_getch();
return 0;
}
输出:
显然,static const Test what
在Stack
实际创建之前正在使用 in (?)。
之后我又进行了一次测试:
#include <iostream>
#include <conio.h>
class Test {
public:
int data;
Test() { std::cout << "CONSTRUCTING (Default CTOR)\n"; } // notice, value-initialization of 'data' has been removed
Test(int f) : data{ f } { std::cout << "CONSTRUCTING (Int arg CTOR)\n"; }
void method() const { std::cout << "ALREADY CONSTRUCTED AND BEING USED :)\n" << data << std::endl; }
};
class Stack {
public:
static const Test what;
Stack() {
what.method();
}
};
Stack obj;
const Test Stack::what{ 5 };
int main()
{
obj.what.method();
_getch();
return 0;
}
在这段代码中,我希望看到某种错误,但输出最终看起来像这样:
我对这里发生的事情有一些假设,但我不确定它们是否正确。所以,如果他们是,请纠正我。
以下是我的假设:
基本上,静态变量是在程序的一开始创建的(并且是值初始化的)并在程序的最后(当你真正关闭你的 .exe 时)被销毁。在我的示例中,我what
在类中有一个静态常量变量Stack
,我认为它是在我的程序值初始化开始时创建的。这就是为什么它的data
字段设置为 0,我们可以使用它的方法。但我认为这是不正确的,因为它会输出Constructing (Default CTOR)
到控制台。所以我有点卡在那里......
我也无法理解为什么我的第一个示例中的注释行是非法的。他们完全打破了静态/常量类字段的哪些规则?
如果您对我的示例中发生的事情有任何想法,请解释一下。
感谢您的关注。