文章目录
-
C++建立了一个十分庞大的流类库来实现数据的输入输出操作
-
其中的每个流类实现不同的功能,这些类通过继承组合在一起

- ios类是istream类和ostream类的虚基类,用来提供对流进行格式化I/O操作和错误处理的成员函数
- streambuf主要作为其他类的支持,定义了对缓冲区的通用操作,如设置缓冲区、从缓冲区中读取数据,写入数据等操作

- 为了便于程序数据的输入输出,C++预定义了几个标准输入输出流对象:
- cout: ostream cout, 与标准输出设备关联
- cin: istream cin, 与表示输入设备关联
- cerr: ostream cerr, 与标准错误设备关联(非缓冲方式)
- clog: ostream clog, 与标准错误设备关联(缓冲方式)
istream与ostream
cpp
#include <iostream>
using namespace std;
int main(void){
char a[100] = {0};
cout << "please input a string: ";
//遇到空格就结束
cin >> a; // 123 456
cout << a << endl;
return 0;
}
istream
- istream类定义了许多用于从流中提取数据和操作文件的成员函数,并对流的析取运算符>>进行了重载,实现了对内置数据量的输入功能
- 其中常用的几个成员函数是get、getline、read 、ignore
cpp
//从输入流中提取一个字符(包括空白符)
get(char_type& ch);
//一次性读取一行字符
getline( char_type* s, std::streamsize count, char_type delim );
//从输入流一次性读取count个字符
read( char_type* s, std::streamsize count);
//从输入流中读取字符并丢弃
ignore(std::streamsize count = 1, int_type delim = Traits::eof())
cpp
#include <iostream>
using namespace std;
int main(void){
char a[100] = {0};
char c ;
cout << "please input a string: ";
//遇到空格就结束
//cin >> a; // 123 456
cin.getline(a, 100);
cout << a << endl;
cout << "use get(), please input char: ";
while((c = cin.get()) != '\n')
cout << c;
cout << endl;
cout << "use get(a, 10) input char: ";
cin.get(a, 10);
cout << a <<endl;
return 0;
}
ostream
- ostream类提供了许多用于数据输出的成员函数,并通过流的输出<<重载,实现了对内置数据类型的输出功能。
- 其中几个常用的成员函数是put、write、flush
cpp
//插入一个字符到输出流
put(char_type ch );
//插入一个字符序列到输出流中
write(const char_type* s, std::streamsize count);
//刷新输出流
flush();
cpp
#include <iostream>
#include <cstring>
using namespace std;
int main(void){
char a[100] = "你好";
cout << "hello" << endl;
cout.put('w').put('o').put('r').put('l').put('d').put('\n');
cout.write(a, strlen(a));
return 0;
}
输入输出的格式控制
- C语言中可以使用scanf()和printf()实现数据的格式化输入输出,C++中利用ios类的格式控制成员函数或者操纵符进行输入、输出数据的格式化
操纵符(全局函数)

cpp
#include <iostream>
#include <iomanip>
using namespace std;
int main(void){
cout << 10/3.0 << endl;
cout << setprecision(10) << 10/3.0 << endl;
cout << setw(10) << 1234567890 << endl;
cout << setw(10) << setfill('0') << 123 << endl;
cout << setw(8) << left << setfill(' ') << hex << showbase << 100 << endl;
return 0;
}
成员函数

cpp
#include <iostream>
#include <iomanip>
using namespace std;
int main(void){
cout << 10/3.0 << endl;
// cout << setprecision(10) << 10/3.0 << endl;
cout.precision(10);
cout << 10/3.0 << endl;
cout << 1234567890 << endl;
//cout << setw(10) << setfill('0') << 123 << endl;
cout.width(10);
cout.fill('0');
cout << 123 << endl;
//cout << setw(8) << left << setfill(' ') << hex << showbase << 100 << endl;
cout.width(8);
cout.fill(' ');
cout.setf(ios::hex, ios::basefield);
cout.setf(ios::showbase);
cout << 100 << endl;
return 0;
}