目录
前言
一、类的静态成员
1.static关键字
2.静态成员变量
3.静态成员函数
二、程序样例
1.程序演示
2.程序截图
总结
前言
本文记录C++中 static 修饰类成员成为静态成员,其中包括静态成员类别、作用和程序演示。
嫌文字啰嗦的可直接跳到最后的总结。
一、类的静态成员
1.static关键字
(1)C++中 static 关键字意为静态,用于修饰类中的成员(包括变量和函数)。
(2)用static修饰成员变量即为静态成员变量;用static修饰成员函数即为静态成员函数。
(3)静态成员属于类本身,而不属于对象。
2.静态成员变量
(1)静态成员变量必须在类声明的外部初始化。
(2)静态成员变量是在初始化时分配内存的,程序结束时释放内存。
(3)静态成员变量可以通过类名或对象名来引用,非静态成员变量只能通过对象名引用。
3.静态成员函数
(1)静态成员函数中不可以定义 this、super 关键字。
(2)静态成员函数只能访问静态成员,非静态成员函数既可访问静态成员也可访问非静态成员。
(3)静态成员函数可以通过类名或对象名来引用,非静态成员函数只能通过对象名引用。
二、程序样例
1.程序演示
代码如下(可仅在vs2017编辑器内显示不执行):
#include <iostream>
using namespace std;
class MyClass
{
public:
int a = 0;
static int b; // 类内声明 类外初始化(定义)
//static int b = 0; // 静态成员变量类内初始化(定义)报错
public:
void fun()
{
cout << "fun()被调用了" << endl;
cout << a << endl;
cout << b << endl;
int z1 = this->a;
int z2 = this->b;
};
static void show()
{
cout << "show()被调用了" << endl;
//cout << a << endl; // 静态成员函数访问非静态成员变量报错
cout << b << endl;
//int z1 = this->a; // this指针访问非静态成员变量报错
//int z2 = this->b; // this指针访问静态成员变量报错
};
};
int main()
{
MyClass mc;
int x1 = mc.a;
//int x2 = MyClass::a; // 类名调用非静态成员数据报错
int y1 = mc.b;
int y2 = MyClass::b;
mc.fun();
//MyClass::fun(); // 类名调用非静态函数报错
mc.show();
MyClass::show();
system("pause");
return 0;
}
2.程序截图
程序截图如下(途中红色波浪线为报错):
总结
静态成员函数 | 非静态成员函数 | |
---|---|---|
所有对象共享 | Yes | Yes |
隐含this指针 | No | Yes |
访问非静态成员变量(函数) | No | Yes |
访问静态成员变量(函数) | Yes | Yes |
通过类名直接调用 | Yes | No |
通过对象名直接调用 | Yes | Yes |