การเขียนโปรแกรม D - อินเทอร์เฟซ
อินเทอร์เฟซเป็นวิธีการบังคับให้คลาสที่สืบทอดมาจากนั้นต้องใช้ฟังก์ชันหรือตัวแปรบางอย่าง ต้องไม่นำฟังก์ชันไปใช้ในอินเทอร์เฟซเนื่องจากจะใช้งานในคลาสที่สืบทอดมาจากอินเทอร์เฟซเสมอ
อินเทอร์เฟซถูกสร้างขึ้นโดยใช้คีย์เวิร์ดอินเทอร์เฟซแทนคีย์เวิร์ดคลาสแม้ว่าทั้งสองจะมีความคล้ายคลึงกันในหลาย ๆ ด้าน เมื่อคุณต้องการสืบทอดจากอินเทอร์เฟซและคลาสนั้นสืบทอดมาจากคลาสอื่นแล้วคุณต้องแยกชื่อคลาสและชื่อของอินเทอร์เฟซด้วยลูกน้ำ
ให้เราดูตัวอย่างง่ายๆที่อธิบายการใช้อินเทอร์เฟซ
ตัวอย่าง
import std.stdio;
// Base class
interface Shape {
public:
void setWidth(int w);
void setHeight(int h);
}
// Derived class
class Rectangle: Shape {
int width;
int height;
public:
void setWidth(int w) {
width = w;
}
void setHeight(int h) {
height = h;
}
int getArea() {
return (width * height);
}
}
void main() {
Rectangle Rect = new Rectangle();
Rect.setWidth(5);
Rect.setHeight(7);
// Print the area of the object.
writeln("Total area: ", Rect.getArea());
}
เมื่อโค้ดด้านบนถูกคอมไพล์และเรียกใช้งานโค้ดจะได้ผลลัพธ์ดังนี้ -
Total area: 35
การเชื่อมต่อกับฟังก์ชันสุดท้ายและแบบคงที่ใน D
อินเทอร์เฟซสามารถมีวิธีการขั้นสุดท้ายและแบบคงที่ซึ่งคำจำกัดความควรรวมอยู่ในส่วนต่อประสาน ฟังก์ชันเหล่านี้ไม่สามารถลบล้างได้โดยคลาสที่ได้รับ ตัวอย่างง่ายๆแสดงไว้ด้านล่าง
ตัวอย่าง
import std.stdio;
// Base class
interface Shape {
public:
void setWidth(int w);
void setHeight(int h);
static void myfunction1() {
writeln("This is a static method");
}
final void myfunction2() {
writeln("This is a final method");
}
}
// Derived class
class Rectangle: Shape {
int width;
int height;
public:
void setWidth(int w) {
width = w;
}
void setHeight(int h) {
height = h;
}
int getArea() {
return (width * height);
}
}
void main() {
Rectangle rect = new Rectangle();
rect.setWidth(5);
rect.setHeight(7);
// Print the area of the object.
writeln("Total area: ", rect.getArea());
rect.myfunction1();
rect.myfunction2();
}
เมื่อโค้ดด้านบนถูกคอมไพล์และเรียกใช้งานโค้ดจะได้ผลลัพธ์ดังนี้ -
Total area: 35
This is a static method
This is a final method