1. 有趣的重载
(1)操作符<<:原义是按位左移,重载“<<”可将变量或常量左移到对象中
重载左移操作符(仿cout类)
#include<stdio.h> const char endl = '\n'; //将换行定义为一个常量 class Console //Console表示命令行对象
{
public:
Console& operator << (int i) //赋值重载函数,返回值变为Console&引用
{
printf("%d\n", i);
return *this; //当前对象自身返回,保证连续传送值
} Console& operator << (char c) //重载函数
{
printf("%c\n", c);
return *this;
}
Console& operator << (const char* s) //重载函数
{
printf("%s\n", s);
return *this;
}
Console& operator << (double d) //重载函数
{
printf("%f\n", d);
return *this;
} }; Console cout; int main()
{
////cout.operator<<(1);
//cout << 1; //将1的整数左移到cout
//cout << '\n'; //换行
// cout << 1 << '\n'; //error,重载函数返回值是void不能连续左移,将返回值用 Console&实现 cout << <<endl; //避免输入字符\n
cout << "LOVE.you" << endl; double a = 0.1;
double b = 0.2;
cout << a + b << endl; return ;
}
2. C++标准库
(1)C++标准库
C++标准库并不是C++语言的一部分
C++标准库是由类库和函数库组成的集合,std
C++标准库中定义的类和对象都位于std命名空间中
C++标准库的头文件都不带.h后缀
C++标准库涵盖了C库的功能
(2)C++编译环境的组成
①C语言兼容库:头文件带.h,是C++编译器提供商为推广自己的产品,而提供的C兼容库(不是C++标准库提供的)。
②C++标准库:如string、cstdio(注意,不带.h)是C++标准库提供的。使用时要用using namespace std找开命名空间。
③编译器扩展库:编译器自己扩展的
(3)C++标准库预定义的常用数据结构
①<bitset>、<set>、<deque>、<stack>、<list>、<vector>、<queue>、<map>
②<cstdio>、<cstring>、<cstdlib>、<cmath>——(C++标准库提供的C兼容库!)
【编程实验】C++标准库中的C库兼容(如cstdio)
//不是c语言标准库也不是c++标准库,是c++厂商为了推广自己的产品提高的c兼容库
/*#include<stdio.h>
#include<string.h>
#include<stdlib.h>
#include<math.h> */ //C++标准库提供的C兼容库
#include<cstdio>
#include<cstring>
#include<cstdlib>
#include<cmath> using namespace std; //使用标准库要打开,namespace std命名空间 int main()
{
//以下的代码是使用C++标准库提供的C兼容库写的, //从形式上看,与C代码写的完全一样,这就是C++ //为C提供了很好的支持的例子! printf("holle world!\n"); char* p = (char*)malloc(); //strcpy(p, "sjdewhfj"); double a = ;
double b = ;
double c = sqrt(a * a + b * b); printf("c=%f\n", c); free(p); return ;
}
4. C++输入输出
#include<iostream>
#include<cmath> //基于c++标准库实现, 不使用厂商提供的c语言兼容库 using namespace std; int main()
{
//printf("hello world!");
cout << "hello world!" << endl; //cout为全局对象------输出(重载左移操作符)
//endl---换行 double a = ;
double b = ; cout << "input a :";
cin >> a; //cin为全局对象------输入(重载右移操作符) 键盘上的输入传送带a cout << "input b :";
cin >> b; double c = sqrt(a * a + b * b);
cout << "c=" << c << endl; //将字符串 "c=" 和c的结果输出到cout对象上,也就是传送到显示器上,显示器对应的是命令行 return ;
}
5. 小结
(1)C++标准库是由类库和函数库组成的集合---------使用c++标准库里的类和函数只需要包含头文件(不带.h),里面包含子库实现了c语言的全部功能
(2)C++标准库包含经典算法和数据结构的实现
(3)C++标准库涵盖了C库的功能(子库实现)
(4)C++标准库位于std命名空间中