D程式設計允許為一個函式名或在相同的範圍內操作,這就是所謂的函式過載和運算子過載分別指定一個以上的定義。
過載宣告的是,已被宣告具有相同的名稱,在同一範圍內先前宣告的宣告的宣告,除了這兩個宣告具有不同的引數和明顯不同的定義(實現)。
當呼叫一個過載函式或運算子,編譯器確定最合適的定義,通過比較你用來呼叫函式或運算子的定義中指定的引數型別的引數型別來使用。選擇最合適的過載函式或運算子的過程被稱為過載解析。
可以有相同的函式名多個定義在相同的範圍。該函式的定義必須由型別和/或引數在引數列表中的號碼彼此不同。不能過載函式宣告只相差返回型別。
以下是其中相同功能的print()被用於列印不同的資料型別的範例:
import std.stdio; import std.string; class printData { public: void print(int i) { writeln("Printing int: ",i); } void print(double f) { writeln("Printing float: ",f ); } void print(string s) { writeln("Printing string: ",s); } }; void main() { printData pd = new printData(); // Call print to print integer pd.print(5); // Call print to print float pd.print(500.263); // Call print to print character pd.print("Hello D"); }
讓我們編譯和執行上面的程式,這將產生以下結果:
Printing int: 5 Printing float: 500.263 Printing string: Hello D
可以重新定義或超載最多可用在D內建運算子因此程式員可以使用運算子與使用者定義的型別也是如此。
運算子可以使用字串運算其次是ADD,SUB超載等基於正被過載的運算子。我們可以過載運算子+,如下圖所示新增兩個箱子。
Box opAdd(Box b) { Box box = new Box(); box.length = this.length + b.length; box.breadth = this.breadth + b.breadth; box.height = this.height + b.height; return box; }
以下是該範例使用一個成員函式來顯示運算子的過載的概念。在這裡,一個物件作為引數傳遞,其屬性將使用此物件來存取,這將呼叫this操作符的物件可以使用此運算子來存取,解釋如下:
import std.stdio; class Box { public: double getVolume() { return length * breadth * height; } void setLength( double len ) { length = len; } void setBreadth( double bre ) { breadth = bre; } void setHeight( double hei ) { height = hei; } Box opAdd(Box b) { Box box = new Box(); box.length = this.length + b.length; box.breadth = this.breadth + b.breadth; box.height = this.height + b.height; return box; } private: double length; // Length of a box double breadth; // Breadth of a box double height; // Height of a box }; // Main function for the program void main( ) { Box box1 = new Box(); // Declare box1 of type Box Box box2 = new Box(); // Declare box2 of type Box Box box3 = new Box(); // Declare box3 of type Box double volume = 0.0; // Store the volume of a box here // box 1 specification box1.setLength(6.0); box1.setBreadth(7.0); box1.setHeight(5.0); // box 2 specification box2.setLength(12.0); box2.setBreadth(13.0); box2.setHeight(10.0); // volume of box 1 volume = box1.getVolume(); writeln("Volume of Box1 : ", volume); // volume of box 2 volume = box2.getVolume(); writeln("Volume of Box2 : ", volume); // Add two object as follows: box3 = box1 + box2; // volume of box 3 volume = box3.getVolume(); writeln("Volume of Box3 : ", volume); }
當上面的程式碼被編譯並執行,它會產生以下結果:
Volume of Box1 : 210 Volume of Box2 : 1560 Volume of Box3 : 5400
基本上,有三種型別的操作符如下面列出過載。
S.N. | 過載型別 |
---|---|
1 | 一元運算子過載 |
2 | 二元運算子過載 |
3 | 比較操作符過載 |