访问C ++派生类中的受保护成员

C ++中的类具有公共,私有和受保护的节,其中包含相应的类成员。类中的受保护成员与私有成员相似,因为无法从类外部访问它们。但是,派生类或子类可以访问它们,而私有成员则不能。

给出了一个程序演示如何访问C ++派生类中的受保护数据成员-

示例

#include <iostream>
using namespace std;
class Base {
   protected :
   int num = 7;
};
class Derived : public Base {
   public :
   void func() {
      cout << "The value of num is: " << num;
   }
};
int main() {
   Derived obj;
   obj.func();
   return 0;
}

输出结果

上面程序的输出如下。

The value of num is: 7

现在,让我们了解以上程序。

在Base类中,数据成员是受保护的num。派生类继承基类。该函数func()打印num的值。给出的代码片段如下。

class Base {
   protected :
   int num = 7;
};
class Derived : public Base {
   public :
   void func() {
      cout << "The value of num is: " <<< num;
   }
};

在该函数中main(),创建了Derived类的对象obj。然后func()调用该函数。给出的代码片段如下。

int main() {
   Derived obj;
   obj.func();
   return 0;
}