C++类的静态变量的初始化

时间:2022-09-09 21:00:56
C++类的静态变量
注意事项: 1.类的静态变量首先是存在于任何对象之外,它不属于任何一个类,所以对象中不包含任何与静态数据成员有关的数据。 2.静态成员函数不与任何对象绑定在一起,它们不包含this指针。 使用静态变量: 1. 使用作用域运算符直接访问静态成员; 2. 类的对象、引用和指针能够访问静态变量; 声明和定义 参考:C++声明和定义的区别 声明:用于为变量分配存储空间,还可为变量指定初始值。程序中,变量有且仅有一个定义。 定义:用于向程序表明变量的类型和名字。 声明静态成员: 在成员的声明之前加上关键字static。
class Singleton
{
private:
static Singleton* instance;
Singleton(){
}
public:
static Singleton* GetInstace()
{
if (NULL == instance)
{
instance = new Singleton();
}
return instance;
}
};
定义静态成员:
(1)可以在类的内部,外部定义静态成员函数。当在类的外部定义静态成员时候,不能重复static关键字,该关键字只能出现在类的内部的声明语句中;
(2)对于静态数据成员,在类的外部定义和初始化,一旦被定义,就存在于程序的整个生命周期当中。 (3)const整数类型的静态变量可以类内初始化。
#include <iostream>
using namespace std;

/************************************************************************/
/* 单例模式:保证一个类仅有一个实例 */
/************************************************************************/

class Singleton
{
private:
static Singleton* instance;
Singleton(){
}
public:
static Singleton* GetInstace()
{
if (NULL == instance)
{
instance = new Singleton();
}
return instance;
}
};
Singleton* Singleton::instance = Singleton::GetInstace();

void main()
{
Singleton* instance1 = Singleton::GetInstace();
Singleton* instance2 = Singleton::GetInstace();
if (instance1 == instance2)
{
cout << "同一个实例" << endl;
}
system("Pause");
}