D 编程 - 类的静态成员



我们可以使用 static 关键字定义类的成员为静态。当我们将类的成员声明为静态时,这意味着无论创建了多少个类的对象,静态成员都只有一份副本。

静态成员由类的所有对象共享。如果不存在其他初始化,则在创建第一个对象时,所有静态数据都初始化为零。您不能将其放在类定义中,但可以在类外部初始化,如以下示例中通过重新声明静态变量所做的那样,使用作用域解析运算符 :: 来标识它属于哪个类。

让我们尝试以下示例来理解静态数据成员的概念:

import std.stdio;

class Box { 
   public: 
      static int objectCount = 0;

      // Constructor definition 
      this(double l = 2.0, double b = 2.0, double h = 2.0) { 
         writeln("Constructor called."); 
         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 
};
  
void main() { 
   Box Box1 = new Box(3.3, 1.2, 1.5);    // Declare box1 
   Box Box2 = new Box(8.5, 6.0, 2.0);    // Declare box2  
   
   // Print total number of objects. 
   writeln("Total objects: ",Box.objectCount);  
}

当编译并执行上述代码时,会产生以下结果:

Constructor called. 
Constructor called. 
Total objects: 2

静态函数成员

通过将函数成员声明为静态,使其独立于类的任何特定对象。即使不存在类的任何对象,也可以调用静态成员函数,并且静态函数只能使用类名和作用域解析运算符 :: 来访问。

静态成员函数只能访问静态数据成员、其他静态成员函数以及类外部的任何其他函数。

静态成员函数具有类作用域,并且无法访问类的this指针。您可以使用静态成员函数来确定是否已创建类的某些对象。

让我们尝试以下示例来理解静态函数成员的概念:

import std.stdio;

class Box { 
   public: 
      static int objectCount = 0; 
      
      // Constructor definition 
      this(double l = 2.0, double b = 2.0, double h = 2.0) { 
         writeln("Constructor called."); 
         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 
};
  
void main() { 
   // Print total number of objects before creating object. 
   writeln("Inital Stage Count: ",Box.getCount());  
   
   Box Box1 = new Box(3.3, 1.2, 1.5);    // Declare box1 
   Box Box2 = new Box(8.5, 6.0, 2.0);    // Declare box2 
   
   // Print total number of objects after creating object. 
   writeln("Final Stage Count: ",Box.getCount()); 
} 

当编译并执行上述代码时,会产生以下结果:

Inital Stage Count: 0 
Constructor called. 
Constructor called
Final Stage Count: 2 
d_programming_classes_objects.htm
广告