D 编程 - 抽象类



抽象指的是在面向对象编程中使类成为抽象类的能力。抽象类是不能被实例化的类。类的所有其他功能仍然存在,其字段、方法和构造函数都以相同的方式访问。你只是不能创建抽象类的实例。

如果一个类是抽象的并且不能被实例化,那么除非它是子类,否则这个类就没有多大用处。这通常是抽象类在设计阶段出现的方式。父类包含一组子类的公共功能,但是父类本身过于抽象而无法独立使用。

在 D 中使用抽象类

使用 **abstract** 关键字声明一个抽象类。该关键字出现在类声明中,位于 class 关键字之前。以下显示了抽象类如何被继承和使用的示例。

示例

import std.stdio;
import std.string;
import std.datetime;

abstract class Person {
   int birthYear, birthDay, birthMonth; 
   string name; 
   
   int getAge() {
      SysTime sysTime = Clock.currTime(); 
      return sysTime.year - birthYear;
   }
}

class Employee : Person {
   int empID;
}

void main() {
   Employee emp = new Employee(); 
   emp.empID = 101; 
   emp.birthYear = 1980; 
   emp.birthDay = 10; 
   emp.birthMonth = 10; 
   emp.name = "Emp1"; 
   
   writeln(emp.name); 
   writeln(emp.getAge); 
}

当我们编译并运行上述程序时,我们将得到以下输出。

Emp1
37

抽象函数

与函数类似,类也可以是抽象的。此类函数的实现并未在其类中给出,而应该在其继承包含抽象函数的类的类中提供。以上示例已更新为包含抽象函数。

示例

import std.stdio; 
import std.string; 
import std.datetime; 
 
abstract class Person { 
   int birthYear, birthDay, birthMonth; 
   string name; 
   
   int getAge() { 
      SysTime sysTime = Clock.currTime(); 
      return sysTime.year - birthYear; 
   } 
   abstract void print(); 
}
class Employee : Person { 
   int empID;  
   
   override void print() { 
      writeln("The employee details are as follows:"); 
      writeln("Emp ID: ", this.empID); 
      writeln("Emp Name: ", this.name); 
      writeln("Age: ",this.getAge); 
   } 
} 

void main() { 
   Employee emp = new Employee(); 
   emp.empID = 101; 
   emp.birthYear = 1980; 
   emp.birthDay = 10; 
   emp.birthMonth = 10; 
   emp.name = "Emp1"; 
   emp.print(); 
}

当我们编译并运行上述程序时,我们将得到以下输出。

The employee details are as follows: 
Emp ID: 101 
Emp Name: Emp1 
Age: 37 
广告