0、C++的输入输出分为三种:
(1)基于控制台的I/O
(2)基于文件的I/O
(3)基于字符串的I/O
1、头文件
[cpp] view plaincopyprint?
2、作用
istringstream类用于执行C++风格的字符串流的输入操作。
ostringstream类用于执行C++风格的字符串流的输出操作。
strstream类同时可以支持C++风格的串流的输入输出操作。
3、具体分析
istringstream类
描述:从流中提取数据,支持 >> 操作
这里字符串可以包括多个单词,单词之间使用空格分开
初始化:使用字符串进行初始化
使用:我们可以使用分解点获取不同的数据,完成 字符串 到 其他类型 的转换
常用成员函数:
举例:把字符串类型的数据转换为其他类型
举例2:把一行字符串放入流中,单词以空格隔开。之后把一个个单词从流中依次读取到字符串
输入:123 34 45
输出:
123 换行 34 换行 45
ostringstream类
描述:把其他类型的数据写入流(往流中写入数据),支持<<操作
初始化:使用字符串进行初始化
举例:
stringstream类
描述:是对istringstream和ostringstream类的综合,支持<<, >>操作符,可以进行字符串到其它类型的快速转换
初始化:使用字符串进行初始化
作用:
1、stringstream通常是用来做数据转换的
2、将文件的所有数据一次性读入内存
举例1:基本数据类型变字符串
}
举例2:字符串变基本数据类型
注意:
由于stringstream构造函数会特别消耗内存,似乎不打算主动释放内存(或许是为了提高效率),但如果你要在程序中用同一个流,反复读写大量的数据,将会造成大量的内存消耗,因些这时候,需要适时地清除一下缓冲 (用 stream.str("") )。
另外不要企图用 stream.str().resize(0),或 stream.str().clear() 来清除缓冲,使用它们似乎可以让stringstream的内存消耗不要增长得那么快,但仍然不能达到清除stringstream缓冲的效果,内存的消耗还在缓慢的增长!,至于stream.flush(),则根本就起不到任何作用。
//=============================================
究竟什么情况下需要用到clear
先来看一个stack overflow上的问题(http://stackoverflow.com/questions/35080342/using-two-string-streams-but-not-getting-same-result)
我将其简化为以下代码:
int main() {
string line = "1 2 3 4 5";
stringstream s1(line);
string temp;
int toAdd;
stringstream s2;
while (s1 >> temp) {
cout << "temp:" << temp << endl;
s2 << temp;
cout << "s2.str: " << s2.str() << endl;
s2 >> toAdd;
cout << "toAdd:" << toAdd << endl;
s2.str("");
}
return 0;
}
这个代码的原意是要把line中的字符串形式的1 2 3 4 5一个一个地转成int并输出,所以我们期望的toAdd的输出应该是1 2 3 4 5,但结果却是 1 1 1 1 1, 如下图
可以从s2.str:这句输出中看到, 只有第一次是正常地把temp输入进s2,后面的都失败了。
原因在于, s2在第一次调用完operator<<和operator>>后,来到了end-of-file的位置,此时stringstream会为其设置一个eofbit的标记位,标记其为已经到达eof。查文档得知, 当stringstream设置了eofbit,任何读取eof的操作都会失败,同时,会设置failbit的标记位,标记为失败状态。所以后面的操作都失败了,toAdd的值一直都是1。
Operations that attempt to read at the End-of-File fail, and thus both the eofbit and the failbit end up set. This function can be used to check whether the failure is due to reaching the End-of-File or to some other reason.
clear函数:
原型: void clear (iostate state = goodbit);
标志位一共有4种, goodbit, eofbit, failbit, badbit
clear可以清除掉所有的error state
int main() {
string line = "1 2 3 4 5";
stringstream s1(line);
string temp;
int toAdd;
stringstream s2;
while (s1 >> temp) {
cout << "temp:" << temp << endl;
s2 << temp;
cout << "s2.str: " << s2.str() << endl;
s2 >> toAdd;
cout << "toAdd:" << toAdd << endl;
s2.str("");
if (s2.eof()) {
s2.clear();
cout << "s2.eof true" << endl;
}
}
return 0;
}
使用clear后, s2就可以正常地工作了,结果如下:
参考网站:http://www.cplusplus.com/reference/sstream/stringstream/
http://www.cplusplus.com/reference/ios/ios/clear/
转自这个地方和这个地方