C++友元函數(shù)如何處理繼承關(guān)系

c++
小樊
81
2024-11-09 01:04:29
欄目: 編程語言

在C++中,友元函數(shù)(friend function)是一種非成員函數(shù),它可以訪問類的私有(private)和保護(hù)(protected)成員。在處理繼承關(guān)系時(shí),友元函數(shù)可以訪問基類(base class)和派生類(derived class)的私有和保護(hù)成員。

以下是一個(gè)簡單的例子,展示了如何在繼承關(guān)系中處理友元函數(shù):

#include <iostream>
using namespace std;

class Base {
public:
    Base(int value) : value_(value) {}

    // 聲明友元函數(shù)
    friend void printValue(const Base& obj);

private:
    int value_;
};

// 定義友元函數(shù)
void printValue(const Base& obj) {
    cout << "Base value: " << obj.value_ << endl;
}

class Derived : public Base {
public:
    Derived(int value, int derivedValue) : Base(value), derivedValue_(derivedValue) {}

    // 聲明友元函數(shù)
    friend void printDerivedValue(const Derived& obj);

private:
    int derivedValue_;
};

// 定義友元函數(shù)
void printDerivedValue(const Derived& obj) {
    cout << "Derived value: " << obj.derivedValue_ << endl;
}

int main() {
    Base base(10);
    Derived derived(20, 30);

    // 友元函數(shù)可以訪問基類和派生類的私有成員
    printValue(base); // 輸出:Base value: 10
    printValue(derived); // 輸出:Base value: 20

    printDerivedValue(derived); // 輸出:Derived value: 30

    return 0;
}

在這個(gè)例子中,我們有一個(gè)基類Base和一個(gè)派生類Derived?;愑幸粋€(gè)私有成員value_,派生類有一個(gè)私有成員derivedValue_。我們聲明了兩個(gè)友元函數(shù)printValueprintDerivedValue,它們分別用于打印基類和派生類的值。

main函數(shù)中,我們創(chuàng)建了基類和派生類的對(duì)象,并調(diào)用了這兩個(gè)友元函數(shù)??梢钥吹?,友元函數(shù)可以訪問基類和派生類的私有成員。這是因?yàn)橛言瘮?shù)不是類的成員函數(shù),所以它不受類的訪問控制限制。

0