C++的使用小教程5——类的重载

这一生的挚爱 提交于 2019-11-29 11:48:30

学习好幸苦。
在这里插入图片描述

1、类的重载是什么

C++的重载分为两类,一个是函数的重载,一个是运算符的重载,重载的意思就是允许在一个作用域内对函数或者运算符指定多个定义,以实现不同的功能。
其中函数的重载是,在同一个作用域内,可以声明与定义几个名字相同的函数,但是其形式参数不同(不同包括形式参数类型、多少、顺序等等),但是必须注意的是不能仅通过返回类型的不同来重载函数。
其中运算符的重载是,这里用一个例子来说明,**假设我们定义了一个int a = 5,int b = 10;此时调用int c = a + b;得到c = 15。**但是对于我们自己定义的class而言,比如class Box,那么box3 = box1 + box2;是什么意思呢?这就是运算符的重载需要定义的。

2、函数的重载

在同一个作用域内,可以声明与定义几个名字相同的函数,但是其形式参数不同(不同包括形式参数类型、多少、顺序等等),但是必须注意的是不能仅通过返回类型的不同来重载函数。
在接下来的举例中,我将通过打印字符串实现函数的重载。

#include <iostream>
#include <string>
using namespace std;

class printExample
{
public:
	void print(int i) {
		cout << "此时输出为整型:" << i << endl;
	}

	void print(double  d) {
		cout << "此时输出为浮点型:" << d << endl;
	}

	void print(string s) {
		cout << "此时输出为字符串: " << s << endl;
	}
};

int main(void)
{
	printExample test;

	// 此时输出为整型
	test.print(5);
	// 此时输出为浮点型
	test.print(500.263);
	// 此时输出为字符串
	test.print("OK");

	
	system("pause");
	return 0;
}

输出结果为:

此时输出为整型:5
此时输出为浮点型:500.263
此时输出为字符串: OK
请按任意键继续. . .

3、运算符的重载

我们可以重载C++中大部分的运算符,其重载的格式为:

Box operator+(const Box&);

如上的声明重载的是加法运算符,其作用是把两个 Box 对象相加,返回最终的 Box 对象。在应用时,调用如下函数。

box3 = box2 + box1;

当然,返回对象和重载的运算符都可以修改,只要修改重载格式中的"Box"和"+"即可。
在接下来的例子中,我将通过重载运算符实现两个box的相加,相加的内容是两个box的length和width。

#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();
	// 声明运算符重载函数
	Box operator+(const Box& b);
};

void Box::setWidth(int widthIn){
	width = widthIn;
}

void Box::setLength(int lengthIn) {
	length = lengthIn;
}

int Box::getWidth() {
	return width;
}

int Box::getLength() {
	return length;
}

// 定义运算符重载函数
Box Box::operator+(const Box& b)
{
	Box box;
	box.width = this->width + b.width;
	box.length = this->length + b.length;
	return box;
}

int main()
{
	Box smallbox;
	Box box;
	Box bigbox;

	smallbox.setLength(5);
	smallbox.setWidth(5);
	box.setLength(10);
	box.setWidth(10);

	bigbox = smallbox + box;

	cout << "The length of the small box is " << smallbox.getLength() << endl;
	cout << "The length of the box is " << box.getLength() << endl;
	cout << "The length of the big box is " << bigbox.getLength() << endl;
	system("pause");
}

输出结果为:

The length of the small box is 5
The length of the box is 10
The length of the big box is 15
标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!