久违了,重学C++,上一次学C++还是2009年读大一下学期的时候,轮回,发现C++是挺重要的,就像很多事情一样,很多年后才发现是如此重要,就像作者所说的那样,环保高效缓解全球变暖,很负责任的一门语言,有始有终,善始善终,我申请我释放,别人申请的我释放不了,想起了一句古话,解铃还须系铃人,这也是一种生活的态度。恋爱何尝不是,负责任到底。就像毛爷爷说的,一切不以结婚为目的的恋爱都是耍流氓。好了,不耍流氓了,言归正传。
本文介绍Cin、Cout、函数重载和默认参数。
1.cin,cout输入输出,endl表示换行,getchar()等待键盘输入,如果敲回车就会读取键盘输入
#include <iostream>
using namespace std;
int main(){
cout << "Hello World!" << endl;
cout << "please type a number:" << endl;
int age;
cin >> age;
cout << "age is:" << age << endl;
getchar();
return 0;
}
//输出
Hello World!
please type a number:
20
age is:20
Program ended with exit code: 0
2.C语言不支持函数重载,C++支持函数重载
I.方法名相同,参数个数不相同
#include <iostream>
using namespace std;
int sum(int v1,int v2){
return v1+v2;
}
int sum(int v1,int v2,int v3){
return v1 + v2 + v3;
}
int main(int argc, const char * argv[]) {
cout << sum(10, 20) << endl;
cout << sum(10, 20, 30) << endl;
return 0;
}
II.方法名相同,参数类型不同
void func(int v1,double v2){
cout << "func(int v1,double v2)" << endl;
}
void func(double v1,int v2){
cout << "func(double v1,int v2)" << endl;
}
int main(int argc, const char * argv[]) {
func(10, 10.5);
func(10.5, 10);
return 0;
}
//输出
func(int v1,double v2)
func(double v1,int v2)
注意:返回值类型不同,不能构成重载,容易产生歧义和二义性,编译报错
int funct(){
return 0;
}
double funct(){
return 0;
}
参数的隐式转换,可能会产生二义性,会编译报错,不知道10是转换为long类型还是double类型
//display_int
void display(int a){
cout << "display(int a)" << endl;
}
//display_long
void display(long a){
cout << "display(long a)" << endl;
}
//display_double
void display(double a){
cout << "display(double a)" << endl;
}
int main(int argc, const char * argv[]) {
display(10);
}
本质
采用了name mangling或者叫name decoration技术
C++编译器默认会对符号名,比如函数名进行改变修饰,编译器将三个函数生成了不同的函数名,所以可以共存,不同的编译器(MSVC,g++)有不同的生成规则
C语言编译器会在函数名前面加下划线_,会生成三个相同名字的函数名,产生冲突了,不支持函数重载
3.默认参数
C++允许函数设置默认参数,在调用时可以根据情况省略实参。规则如下:
默认参数只能按照右到左的顺序,若从左到右会编译报错,产生二义性
void display(int a = 10, int b){
cout << "a is " << a << endl;
}
int main(int argc, const char * argv[]) {
display(30,40);
return 0;
}
//编译报错
如果函数同时有声明、实现,默认参数只能放在函数声明中
默认参数的值可以是常量、全局符号(全局变量、函数名)
void func(){
cout << "func()" << endl;
}
int age = 33;
void test(){
cout << "test()" << endl;
}
void display(int a=11,int b = 22,int c = age,void(*func)() = test){
cout << "a is" << a << endl;
cout << "b is" << b << endl;
cout << "c is" << c << endl;
func();
}
int main(int argc, const char * argv[]) {
display();
return 0;
}
//输出
a is11
b is22
c is33
test()
如果函数的实参经常是同一个值, 可以考虑使用默认参数
函数重载、默认参数可能会产生冲突、二义性(建议优先选择使用默认参数)
void display(int a){
cout << "a is " << a << endl;
}
void display(int a, int b = 20){
cout << "a is " << a << endl;
}
int main(int argc, const char * argv[]) {
display(10);
return 0;
}
//编译报错,编译器不知道要调用哪个
网友评论