好记性不如烂笔头!
函数重载注意点:下面程序段说明一些问题,虽然我们一般不会写这么迷惑人的代码,但是知道编译器到底是怎么干得,始终没有坏处。
①unsigned 可以作为函数重载的标示。
②unsigned char 和unsigned int 会自动转换为 int , 如果没有unsigned int 的重载,则调用时,传入的参数如果是unsigned int 则会出错----幸运的是,这是编译错误。
③'a' + 1 必然与int型参数匹配。
④对于整形常数,默认与int型匹配,对于浮点型常数,默认与double型匹配。我们也可以进行强制类型转换。
⑤返回值类型不能作为函数重载的标示。
#include <iostream> using namespace std; void f(char c) { cout << "char " << c << endl; } void f(float c) { cout << "float " << c << endl; } void f(short int c) { cout << "short int " << c << endl; } void f(int c) { cout << "int " << c << endl; } /* int f(int c) //不能通过返回值作为重载标示 { cout << "int" << endl; } */ void f(unsigned int c) //unsigned 也可以作为函数重载的标示 { cout << "unsigned int " << c << endl; } void g( float f) { cout << "float " << f <<endl; } void g( double f) { cout << "double " << f <<endl; } int main() { unsigned short int i = 0; unsigned int ii = 0; unsigned char iii = 0; f(i); //int unsigned short int 和unsigned char 均调用int , 然而unsigned int 却不会转换成 int,在本例中如果没有最后一个f函数,则编译出错 f(ii);//unsigned int f(iii);//int /// cout << endl << endl << endl; f('a');//char f('a' + 1); //int 字符和常数相加,先转换为常数 f((char)65);//char f((unsigned char)65);//int f((short)65);//short f((unsigned short)65);//int f(65); //int cout << endl << endl << endl; float f = 1.1; g(f); g(0.1); return 0; }