1. 重载的定义:相同函数名,不同参数函数可以在同一个作用域下共存。
2. 重载的方法:(1)同一个作用于下。(2)函数的名称相同。(3)函数的参数个数不同,数据类型不同,参数顺序不同。(4)函数的返回值类型不同不可以作为函数重载的前提。
测试代码示例:
#include<iostream>
using namespace std;
void func() {
cout << "func" << endl;
}
void func(int a) {
cout << "func(int a)" << endl;
}
void func(double a) {
cout << "func(double a)" << endl;
}
void func(int a, double b) {
cout << "func(int a, double b)" << endl;
}
void func(double a, int b) {
cout << "func(double a, int b)" << endl;
}
/*
int func(double a, int b) {
cout << "func(double a, int b)" << endl;
}*/
int main() {
//函数重载:相同函数名的函数,提高函数的复用性
//1. 同一个作用域下
//2. 函数的名称相同
//3. 函数的参数类型不同或者个数不同等,或者顺序不同
//但是函数的返回值不可以做为重载的条件
func();
func(3);
func(3.14);
func(10, 3.14);
func(3.14, 10);
//注意事项:函数的返回值不可以做为函数重载的条件
system("pause");
return 0;
}
结果展示:
注意事项:函数的返回值类型不同不可以作为函数重载的条件。
3. 函数重载的注意事项:
(1)引用作为函数重载的参数:当函数的参数一个为int& a和const int& a时,两个函数可以重载,因为有const和无const是不一样的形参列表。
(2)默认参数作为函数重载的参数:一定要避免这种情况的出现,因为很多情况下两个函数的调用是相同的,会使函数出现二义性,而发生函数重载的失败。
代码实现:
#include<iostream>
using namespace std;
//1. 引用作为函数重载的参数
//2. 函数重载与默认参数
//下面两个函数可以重载,因为这两个函数的参数类型是不同的
void func(int& a) {
cout << "func(int& a)" << endl;
}
void func(const int& a) {
cout << "func(const int& a)" << endl;
}
//下面的两个函数比一定可以成功调用
void func2(int a) {
cout << "func2(int a)" << endl;
}
void func2(int a,int b=10) {
cout << "func2(int a,int b)" << endl;
}
int main() {
int a = 10;
//调用的是第一个函数(可读可写)
func(a);
//调用的是第二个函数
//因为不能直接将引用赋值为10
//而const int& a = 10相当于int temp = 10;int& a = temp
func(3);
//函数重载出现默认参数会出现二义性,尽量避免这种情况的出现
//func2(10);这种调用就会使编译器出现混乱
func2(10,20);
system("pause");
return 0;
}