C++的使用小教程4——类的继承
C++的使用小教程4——类的继承
- 1、类的继承是什么
- 2、派生类继承的内容
- 3、类的继承的应用示例
- 3.1、单继承
- 3.2、多继承
面向对象编程噢!类的继承也很重要。
1、类的继承是什么
类的继承概念是怎么样的呢?它的概念就好像哺乳动物和人的关系,哺乳动物是一个类,人也是一个类,人属于哺乳动物,哺乳动物所具备的特征人都具备。因此,我们在“创建“人这个类的时候,不需要从头创建,它有许多特点可以从哺乳动物处获取。
换一种话说,当创建一个类时,您不需要重新编写新的数据类型和函数,只需指定新建的类继承了一个已有的类的成员即可,这就是类的继承。
这个已有的类称为基类,新建的类称为派生类。
在C++语言中,假设存在一个类,名为Box:
class Box {
protected:
int width;
int length;
public:
void setWidth(int widthIn);
void setLength(int lengthIn);
int getWidth();
int getLength();
};
如果有个类继承了Box类,他将拥有Box类的数据类型与函数,同时作为子类,它可以具备自己的特点,定义自己的属性与方法。
class smallBox:public Box {
public:
int getArea() {
return width * length;
}
};
这个类的功能与直接定义如下代码相同:
class smallBox {
protected:
int width;
int length;
public:
void setWidth(int widthIn);
void setLength(int lengthIn);
int getWidth();
int getLength();
int getArea() {
return width * length;
}
};
2、派生类继承的内容
派生类并不是可以继承基类的所有内容,在基类中定义为private的,属于基类所特有的内容,无法被派生类继承。
换一句话说:派生类可以访问基类中所有的非私有成员。
如果基类成员中存在一定的参数或者函数不想被派生类的成员函数访问,则应在基类中声明为 private。
对于派生类继承基类的内容,总结如下:
修饰符号 | public | protected | private |
---|---|---|---|
基类 | 可以访问 | 可以访问 | 可以访问 |
派生类 | 可以访问 | 可以访问 | 不可以访问 |
外部类 | 可以访问 | 不可以访问 | 不可以访问 |
其中,外部类指的是在其它地方调用该类。如在main函数中定义。
smallBox smallbox;
3、类的继承的应用示例
3.1、单继承
该例子讲述的是smallBox类继承Box类的例子。
#include <iostream>
#include <cstring>
using namespace std;
class Box {
protected:
int width;
int length;
public:
void setWidth(int widthIn);
void setLength(int lengthIn);
int getWidth();
int getLength();
};
void Box::setWidth(int widthIn){
width = widthIn;
}
void Box::setLength(int lengthIn) {
length = lengthIn;
}
int Box::getWidth() {
return width;
}
int Box::getLength() {
return length;
}
class smallBox:public Box {
public:
int getArea() {
return width * length;
}
};
int main()
{
smallBox smallbox;
smallbox.setLength(5);
smallbox.setWidth(5);
cout << "The area of smallbox is " << smallbox.getArea();
system("pause");
}
应用结果为:
The area of smallbox is 25
请按任意键继续. . .
3.2、多继承
多继承就好像爸爸妈妈生宝宝一样,宝宝会继承爸爸妈妈各自的特点,成为一个新的个体。
#include <iostream>
#include <cstring>
using namespace std;
/*Box基类*/
class Box
{
protected:
int width;
int length;
public:
void setWidth(int widthIn);
void setLength(int lengthIn);
int getWidth();
int getLength();
};
void Box::setWidth(int widthIn){
width = widthIn;
}
void Box::setLength(int lengthIn) {
length = lengthIn;
}
int Box::getWidth() {
return width;
}
int Box::getLength() {
return length;
}
/*HowMuch基类*/
class HowMuch
{
public:
int howMuchIsIt(int area)
{
return area * 5;
}
};
/*继承上述两个类*/
class smallBox:public Box,public HowMuch {
public:
int getArea() {
return width * length;
}
};
int main()
{
smallBox smallbox;
smallbox.setLength(5);
smallbox.setWidth(5);
cout << "The area of smallbox is " << smallbox.getArea() << endl;
cout << "It need " << smallbox.howMuchIsIt(smallbox.getArea()) << " yuan" << endl;
system("pause");
}
应用结果为:
The area of smallbox is 25
It need 125 yuan
请按任意键继续. . .
还没有评论,来说两句吧...