【C++】类的继承
首先摘抄一下谭浩强的《C++程序设计》中关于public,private和protected这三个成员访问限定符的概念性解释:
如果在类的定义中既不指定private,也不指定public,则系统就默认为是私有的。
被声明为私有的(private)成员,只能被本类中的成员函数引用,类外不能调用(友元类除外)。
被声明为公用的(public)成员,既可以被本类中的成员函数所引用,也可以被类的作用域内的其他函数引用。
用protected声明的成员称为受保护的成员,它不能被类外访问(这点与私有成员类似),但可以被派生类的成员函数访问。
#include <iostream>
using namespace std;
#define PI 3.1415926
class Base
{
public:
Base()
{
}
~Base()
{
}
protected:
double height = 3;
double length = 2;
double width = 1;
};
class fcn2 : Base
{
public:
fcn2()
{
}
~fcn2()
{
}
void getResult()
{
getValue();
}
private:
double output;
void getValue()
{
output = height * length * width;
cout << output << endl;
}
};
int main()
{
fcn2 *fcn2_ = new fcn2;
fcn2_->getResult();
return 0;
}