我们可以使用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