一、函数的默认参数
//当函数给默认参数时,其后面的形参都要给参数,前面的可以不给
//函数的参数不能重定义
void mytest(int a,int b,int c)
{
cout<< "a = " << a << "b = " << b << "c = " << c << endl;
}
二、函数的占位参数
//占位参数,也可以有默认参数
void func(int a,int = 10)
{
cout<< "this is func" << endl;
}
int main()
{
func(10,20);//占位参数必须填补
return 0;
}
三、函数的重载
函数名可以相同,提高复用性
满足条件:
1.同一个作用域
2.函数名称相同
3.函数参数类型不同,或个数不同,或顺序不同
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 main()
{
func();
func(20);
func(3.14);
func(20,3.14);
func(3.14,20);
return 0;
}
引用作为函数重载的条件
void func(int &a) //int &a = 10;不合法
{
cout<<"func(int &a) 的调用"<<endl;
}
void func(const int &a) //const int &a = 10;合法
{
cout<<"func(const int &a) 的调用"<<endl;
}
int main()
{
int a = 10;
func(a)
//func(10);
return 0;
}
函数重载遇到默认参数
void func2(int a)
{
cout<<"func(int &a) 的调用"<<endl;
}
void func2(int a,int b=10)
{
cout<<"func(int a,int b) 的调用"<<endl;
}
int main()
{
func2(10);//此时俩个函数均可用,出错
return 0;
}