static定义全局变量
//Object.h
class Object
{
public:
static int number;
};
//Object.cpp
#include "Object.h"
int Object::number = 1;
//main.cpp
#include<stdio.h>
#include "Object.h"
int main()
{
Object::number = 2;
printf("%d\n",Object::number);
return 0;
}
- static变量的几个要素
- 变量声明放在类体(Object.h)大括号内,不能加初始值
- 变量定义放在类体之外
//Object.cpp
#include "Object.h"
int Object::number = 1;
- 在main函数中使用,和使用普通变量一样,区别是要加上Object::前缀而已
int main()
{
Object::number = 2;
}
- static函数的几个要素和变量要素相同
与普通成员的区别
- static变量不属于这个类
class Object
{
public:
int a;
public:
static int b;
};
Object::a = 1;
Object::b = 2;
sizeof(Object)的值为4,因为它包含一个成员变量a,而b则不计入总大小
- static函数里没有this指针,下列代码是不正确的!
class Object
{
public:
int a;
public:
static void Set()
{
this->s = 1;
}
};
static语法的特点
- 受public/private限制
//Object.h
class Object
{
public:
void call();
private:
static void Test();
};
//Object.cpp
#include "Object.h"
void Object::Test()
{
printf("...");
}
void Object::Call()
{
Test(); //从内部调用的时候,Object::可以忽略,加上也行
//Object::Test();
}
//main.cpp
#include "Object.h"
int main()
{
//Object::Test; 错误!由于是private,不允许被外部调用
Object obj;
Obj.Call(); //可以通过调用Call间接调用Test
}
- 可以自由访问类的其他成员(普通的全局函数无法访问类的私有成员)
//Object.h
class Object
{
private:
void DoSomething();
int x,y;
public:
static void Test(Object* obj);
};
//Object.cpp
//这里要赋给x,y值,由于Object没有this指针,所以只能显式地传入一个对象
void Object::Test(Object* obj)
{
obj->x = 1;
obj->y = 2;
obj->DoSomething();
}
void Object::DoSomething
{
printf("...");
}
//main.cpp
Object obj;
Object::Test(&obj);