C++笔记 第三十二课 初探C++标准库---狄泰学院

版权声明:本文为博主原创文章,未经博主允许不得转载。 https://blog.csdn.net/weixin_42187898/article/details/83902450

如果在阅读过程中发现有错误,望评论指正,希望大家一起学习,一起进步。
学习C++编译环境:Linux

第三十二课 初探C++标准库

1.有趣的重载

操作符<<的原生意义是按位左移,例:1<<2;
其意义是将整数1按位左移2位,即:0000 0001 -> 0000 0100
重载左移操作符,将变量或常量左移到一个对象中!

32-1 重载左移操作符

#include<stdio.h>
//forth
const char endl = '\n';//Reference constant
class Console
{
public:
    
    //void operator << (int i)//second 
    
    Console& operator << (int i)//third
    {
	printf("%d",i);
        return *this;//third add
    }
    //second
    //void operator << (char c)  
    //third
    Console& operator << (char c)
   
    {
	printf("%c",c);
        return *this;//third add
    }
    Console& operator << (const char* s)
    {
	printf("%s",s);
        return *this;
    }
    Console& operator << (double d)
    {
	printf("%f",d);
        return *this;
    }
};
//Test cout;
Console cout;
int main()
{
    //first
    //cout.operator<<(1); 
    //second
    //cout << 1;//Same as the previous line 
    //cout << '\n';
    
    //cout << 1<<'\n';//third
    cout << 1<<endl;//forth
    cout << "D.T.Software"<<endl;
    double a = 0.1;
    double b = 0.2;
    cout << a+b << endl;
    return 0;
}
/*operation result
1
D.T.Software
0.300000
*/

2.C++标准库

重复发明轮子并不是一件有创造性的事,站在巨人的肩膀上解决问题会更加有效!
C++标准库标准库并不是C++语言的一部分
C++标准库是由类库和函数库组成的集合
C++标准库中定义的类和对象都位于std命名空间中
C++标准库的头文件都不带.h后缀
C++标准库涵盖了C库的功能
C++编译环境的组成:
在这里插入图片描述
C++标准库预定义了多数常用的数据结构
-bitset - set - cstdio stdio为C语言库的头文件,stdio.h为兼容库

  • deque - stack栈 - cstring
  • list列表 - vector - cstdlib
  • queue队列 - map - cmath
    左边两列的头文件列出了常用的数据结构类,右边一列为子库

32-2 C++标准库的C库兼容

#include <cstdio>
#include <cstring>
#include <cstdlib>
#include <cmath>
using namespace std;
int main()
{
    printf("Hello world!\n");
    
    char* p = (char*)malloc(16);
    
    strcpy(p, "D.T.Software");
    
    double a = 3;
    double b = 4;
    double c = sqrt(a * a + b * b);
    
    printf("c = %f\n", c);
    
    free(p);
    
    return 0;
}

在这里插入图片描述

32-3 C++中的输入输出—里程碑式的代码

#include <iostream>
#include <cmath>
using namespace std;
int main()
{
    cout << "Hello world!" << endl; //引子,之后的输入输出都基于标准库
    
    double a = 0;
    double b = 0;
    
    cout << "Input a: ";
    cin >> a;
    
    cout << "Input b: ";
    cin >> b;
    
    double c = sqrt(a * a + b * b);
    
    cout << "c = " << c << endl;
    
    return 0;
}

小结
C++标准库是由类库和函数库组成的集合
C++标准库包含经典算法和数据结构的实现
C++标准库涵盖了C库的功能
C++标准库位于std命名空间中

猜你喜欢

转载自blog.csdn.net/weixin_42187898/article/details/83902450