静态成员
静态成员就是在成员变量和成员函数前加上关键字static,称为静态成员
静态成员分为
静态成员变量
- 所有对象共享同一份数据
- 在编译阶段分配内存
- 类内声明,类外初始化
静态成员函数
- 所有对象共享同一个函数
- 静态成员函数只能访问静态成员变量
cpp
#include <iostream>
#include <string>
using namespace std;
class Person
{
public:
static void func()
{
cout << "func调用" << endl;
m_A = 100;
//m_B = 100;
}
static int m_A;
int m_B;
private:
//static int m_B; //静态成员变量也是有访问权限的
static void func2()
{
cout << "func2调用" << endl;
}
};
int Person::m_A = 10;
void test01()
{
//静态成员变量两种访问方式
//1,通过对象
Person p1;
p1.func();
Person::func();
}
int main()
{
test01();
return 0;
}