前言
大学期间没有好好学习C++,最近有了一点点空闲,学习一下,不求可以开发使用,但求能看懂C++代码
1. 输入输出流
```cout: c out 输出流 << 插入运算符```
cout << "Hello, World!\n";
cin: c in 输入流 >> 提取运算符,获取输入设备(例如键盘)数据
int a,b;
cin >>a>>b;
cout<<"a+b = "<<(a+b)<<endl;
2. 命名空间
using namespace std;
c++标准库中的类和函数是在命名空间std中证明的,因此程序如果需要使用C++标准库中的有关内容(此时需要#include指令),就需要使用 "using namespace std"作声明,表示要用到命名空间std中的内容
ps: 由于C语言中没有用到命名空间,C提供的头文件不是放在命名空间中的,因此带后缀".h"的文件,不必使用命名空间声明
几乎所有c++代码开头,都包含这两句
#include<iostream> //预处理指令
using namespace std;
3. 函数
函数 函数名字可以相同,但是参数不能完全相同,否则编译器无法判断你调用的哪一个函数,导致出错.除此之外,函数名字相同,参数类型,个数,以及返回值类型都可以不同,例如:
int max(int x,int y){
if (x > y) {
return x;
} else {
return y;
}
}
int max(int a,int b,int c){
a = a > b? a : b;
a = a > c? a : c;
return a;
}
char max(char a,char b){
a = a > b ? a : b;
return a;
}
4 . C++中的类
class Student { //类名
private: //私有变量
int num;
int score;
public: //公有变量 和方法
int sum;
void setdata(){
cout<<"请输入名次和分数"<<endl;
cin>>num>>score;
}
void display(){
cout<<"num = "<<num<<endl;
cout<<"score = "<<score<<endl;
}
};
调用如下:
Student std1,std2;
std1.setdata();
std2.setdata();
cout<<"第二个学生的"<<std2.sum<<endl;
std1.display();
std2.display();