溫馨提示×

C++繼承機(jī)制怎樣處理同名函數(shù)

c++
小樊
81
2024-11-08 23:45:25
欄目: 編程語言

在C++中,如果一個派生類(子類)從基類(父類)繼承,并且兩個類都有一個同名的成員函數(shù),那么在訪問這個同名函數(shù)時,派生類中的函數(shù)會覆蓋基類中的函數(shù)。這種行為稱為函數(shù)重寫(Function Overriding)。

當(dāng)你在派生類中使用基類的成員函數(shù)時,編譯器會根據(jù)對象的實(shí)際類型來選擇正確的函數(shù)。如果對象是基類的實(shí)例,那么將調(diào)用基類的函數(shù);如果對象是派生類的實(shí)例,那么將調(diào)用派生類的函數(shù)。

下面是一個簡單的例子:

#include <iostream>

class Base {
public:
    void print() {
        std::cout << "Base class function" << std::endl;
    }
};

class Derived : public Base {
public:
    void print() override { // 使用override關(guān)鍵字明確表示重寫
        std::cout << "Derived class function" << std::endl;
    }
};

int main() {
    Base *b = new Base();
    Derived *d = new Derived();

    b->print(); // 輸出 "Base class function"
    d->print(); // 輸出 "Derived class function"

    delete b;
    delete d;

    return 0;
}

在這個例子中,Derived類重寫了Base類的print()函數(shù)。當(dāng)我們通過基類指針調(diào)用print()函數(shù)時,輸出的是基類的函數(shù);而當(dāng)我們通過派生類指針調(diào)用print()函數(shù)時,輸出的是派生類的函數(shù)。

0