文章目录
重载
同一个标识符在不同的上下文有不同的意义
如:
“洗”和不同的词汇搭配后有不同的含义
洗衣服,洗脸,洗脑,洗马桶, 。。。
“play”和不同的单词搭配后有不同的含义
play chess, play piano, play basketball …
那么程序设计中是否也有重载哪?
C++中的函数重载
函数重载(Function Overload)
用同一个函数名定义不同的函数
当函数名和不同的参数搭配时函数的含义不同
示例:
#include <stdio.h>
#include <string.h>
int func(int x)
{
return x;
}
int func(int a, int b)
{
return a + b;
}
int func(const char* s)
{
return strlen(s);
}
int main(int argc, char *argv[])
{
int c = 0;
c = func(1);
printf("c = %d\n", c);
c = func(1, 2);
printf("c = %d\n", c);
c = func("12345");
printf("c = %d\n", c);
printf("Press enter to continue ...");
getchar();
return 0;
}
函数重载至少满足下面的一个条件:
参数个数不同
参数类型不同
参数顺序不同
#include <stdio.h>
#include <string.h>
int func(int a, const char* s) //参数顺序不同
{
return a;
}
int func(const char* s, int a) //参数顺序不同
{
return strlen(s);
}
int main(int argc, char *argv[])
{
int c = 0;
c = func("ab", 1);
printf("c = %d\n", c);
printf("Press enter to continue ...");
getchar();
return 0;
}
当函数的默认参数遇上函数重载会发生什么?
#include <stdio.h>
#include <string.h>
int func(int a, int b, int c = 0)
{
return a * b * c;
}
int func(int a, int b)
{
return a + b;
}
int main(int argc, char *argv[])
{
int c = 0;
c = func(1, 2); // 存在二义性,调用失败,编译不能通过
printf("c = %d\n", c);
printf("Press enter to continue ...");
getchar();
return 0;
}
分析:使用重载函数时最好不要使用默认参数!容易产生二义性
编译器调用重载函数的准则
将所有同名函数作为候选者
尝试寻找可行的候选函数
精确匹配实参
通过默认参数能够匹配实参
通过默认类型转换匹配实参
匹配失败
最终寻找到的可行候选函数不唯一,则出现二义性,编译失败。
无法匹配所有候选者,函数未定义,编译失败。
通过默认类型转换匹配实参
#include <stdio.h>
#include <string.h>
int func(int a, int b, int c)
{
return a * b * c;
}
int func(int a, int b) //char可以默认转化为int, 匹配
{
return a + b;
}
int main(int argc, char *argv[])
{
int c = 0;
c = func('a', 2);
printf("c = %d\n", c);
printf("Press enter to continue ...");
getchar();
return 0;
}
函数重载的注意事项
重载函数在本质上是相互独立的不同函数
重载函数的函数类型是不同的
函数返回值不能作为函数重载的依据
函数重载是由函数名和参数列表决定的。
函数重载和函数指针
#include <stdio.h>
#include <string.h>
int func(int x) // int(int a)
{
return x;
}
int func(int a, int b)
{
return a + b;
}
int func(const char* s)
{
return strlen(s);
}
typedef int(*PFUNC)(int a); // int(int a)
int main(int argc, char *argv[])
{
int c = 0;
PFUNC p = func;
c = p(1);
printf("c = %d\n", c);
printf("Press enter to continue ...");
getchar();
return 0;
}
当使用重载函数名对函数指针进行赋值时
根据重载规则挑选与函数指针参数列表一致的候选者
严格匹配候选者的函数类型与函数指针的函数类型
C++和C的相互调用
在项目中融合C++和C代码是实际工程中不可避免的
虽然C++编译器能够兼容C语言的编译方式,但C++编译器会优先使用C++的方式进行编译
利用extern关键字强制让C++编译器对代码进行C方式编译
C++调用C编写的函数:
add.h
int add(int a, int b);
add.c
#include "add.h"
int add(int a, int b)
{
return a + b;
}
main.cpp
#include <stdio.h>
extern "C"
{
#include "add.h"
}
int main()
{
printf("1 + 2 = %d\n", add(1, 2));
return 0;
}
运行:
统一的解决方案:
__ cplusplus是C++编译器内置的标准宏定义
__cplusplus的意义
让C代码即可以通过C编译器的编译,也可以在C++编译器中以C方式编译
#ifdef __cplusplus
extern "C" {
#endif
//C语言代码
#ifdef __cplusplus
}
#endif