C++ 类的静态成员
我们可以使用 static 关键字来定义类成员为静态的。当我们将一个类的成员声明为静态时,无论创建多少个类对象,静态成员只有一个副本。
静态成员被所有类对象共享。当创建第一个对象时,所有静态数据都被初始化为零,如果没有其他初始化。我们不能将它放在类定义中,但可以在类外部进行初始化,如以下示例中所示,通过重新声明静态变量,并使用作用域解析运算符 :: 来确定它属于哪个类。
让我们尝试以下示例来理解静态数据成员的概念 –
#include <iostream>
using namespace std;
class Box {
public:
static int objectCount;
// Constructor definition
Box(double l = 2.0, double b = 2.0, double h = 2.0) {
cout <<"Constructor called." << endl;
length = l;
breadth = b;
height = h;
// Increase every time object is created
objectCount++;
}
double Volume() {
return length * breadth * height;
}
private:
double length; // Length of a box
double breadth; // Breadth of a box
double height; // Height of a box
};
// Initialize static member of class Box
int Box::objectCount = 0;
int main(void) {
Box Box1(3.3, 1.2, 1.5); // Declare box1
Box Box2(8.5, 6.0, 2.0); // Declare box2
// Print total number of objects.
cout << "Total objects: " << Box::objectCount << endl;
return 0;
}
当上述代码被编译并执行时,它产生以下结果 –
Constructor called.
Constructor called.
Total objects: 2
静态函数成员
通过将函数成员声明为静态的,可以使其独立于类的任何特定对象。即使没有类的对象存在,也可以调用静态成员函数,并且静态函数只能使用类名和作用域解析运算符 :: 来访问。
静态成员函数只能访问静态数据成员、其他静态成员函数以及类外的其他函数。
静态成员函数具有类作用域,不能访问类的 this 指针。可以使用静态成员函数来确定类的某些对象是否已创建。
让我们尝试以下示例来理解静态函数成员的概念:
#include <iostream>
using namespace std;
class Box {
public:
static int objectCount;
// Constructor definition
Box(double l = 2.0, double b = 2.0, double h = 2.0) {
cout <<"Constructor called." << endl;
length = l;
breadth = b;
height = h;
// Increase every time object is created
objectCount++;
}
double Volume() {
return length * breadth * height;
}
static int getCount() {
return objectCount;
}
private:
double length; // Length of a box
double breadth; // Breadth of a box
double height; // Height of a box
};
// Initialize static member of class Box
int Box::objectCount = 0;
int main(void) {
// Print total number of objects before creating object.
cout << "Inital Stage Count: " << Box::getCount() << endl;
Box Box1(3.3, 1.2, 1.5); // Declare box1
Box Box2(8.5, 6.0, 2.0); // Declare box2
// Print total number of objects after creating object.
cout << "Final Stage Count: " << Box::getCount() << endl;
return 0;
}
当上述代码被编译和执行时,会产生以下结果-
Inital Stage Count: 0
Constructor called.
Constructor called.
Final Stage Count: 2