在這裡我們將看到不同類型的多態性。類型為-
#Ad-Hoc 多態性稱為重載。這允許具有相同名稱的函數針對不同的類型以不同的方式運作。函數和運算子都可以重載。有些語言不支援運算子重載,但函數重載很常見。
#include<iostream> using namespace std; int add(int a, int b) { return a + b; } string add(string a, string b) { return a + b; //concatenate } int main() { cout << "Addition of numbers: " << add(2, 7) << endl; cout << "Addition of Strings: " << add("hello", "World") << endl; }
Addition of numbers: 9 Addition of Strings: helloWorld
包含多態性稱為子類型化。這允許使用基類指標和引用來指向派生類別。這就是運行時多態性。在執行之前我們不知道實際物件的類型。我們需要 C 中的虛函數來實現這種包含多態性。
#include<iostream> using namespace std; class Base { public: virtual void print() { cout << "This is base class." << endl; } }; class Derived : public Base { public: void print() { cout << "This is derived class." << endl; } }; int main() { Base *ob1; Base base_obj; Derived derived_obj; ob1 = &base_obj; //object of base class ob1->print(); ob1 = &derived_obj; //same pointer to point derived object ob1->print(); }
This is base class. This is derived class.
強制多態稱為強制轉換。當物件或基元被轉換為某種其他類型時,就會發生這種類型的多態性。鑄造有兩種類型。隱式轉換是使用編譯器本身完成的,明確轉換是使用 const_cast、dynamic_cast 等完成的。
#include<iostream> using namespace std; class Integer { int val; public: Integer(int x) : val(x) { } operator int() const { return val; } }; void display(int x) { cout << "Value is: " << x << endl; } int main() { Integer x = 50; display(100); display(x); }
Value is: 100 Value is: 50
參數多態性稱為早期綁定。這種類型的多態性允許對不同類型使用相同的程式碼。我們可以透過使用模板來獲取它。
#include<iostream> using namespace std; template <class T> T maximum(T a, T b) { if(a > b) { return a; } else { return b; } } int main() { cout << "Max of (156, 78): " << maximum(156, 78) << endl; cout << "Max of (A, X): " << maximum('A', 'X') << endl; }
Max of (156, 78): 156 Max of (A, X): X
以上是多態性的類型 - 暫時、包含、參數化和強制的詳細內容。更多資訊請關注PHP中文網其他相關文章!