标签:
今天编程练习时遇到了istringstream的用法,感觉很实用。后面附题目!
C++的输入输出分为三种:
(1)基于控制台的I/O
(2)基于文件的I/O
(3)基于字符串的I/O
1、头文件 #include <sstream>
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(),则根本就起不到任何作用。
//题目描述 // //将一个英文语句以单词为单位逆序排放。例如“I am a boy”,逆序排放后为“boy a am I” //所有单词之间用一个空格隔开,语句中除了英文字母外,不再包含其他字符 // //接口说明 ///** //* 反转句子 //* //* @param sentence 原句子 //* @return 反转后的句子 //*/ //public String reverse(String sentence); //输入描述: //将一个英文语句以单词为单位逆序排放。 // // //输出描述 : //得到逆序的句子 #include<iostream> #include<sstream> #include<string> #include<vector> using namespace std; //void reverse(string sentence) //{ // if (sentence.empty()) // { // return; // } // vector<string> result; // string temp; //不要定义为vector<char> // for (size_t i = 0; i < sentence.size(); i++) // { // // if (sentence[i]!=‘ ‘) // { // temp.push_back(sentence[i]); // } // if (sentence[i] == ‘ ‘||i==sentence.size()-1)// // { // result.push_back(temp); // temp.clear(); // } // // result.push_back(temp); // } // for (int i = result.size(); i >0; i--) // { // cout << result[i-1]; // } //} void reverse(string sentence) { istringstream ss(sentence); //包含头文件 string temp,result=""; while (ss>>temp)//可以给vector<string> { if (result=="") //第一个 { result = temp; } else result = temp + ‘ ‘ + result; } cout << result<<endl; } int main() { string str; while (getline(cin,str)) { reverse(str); // cout << endl; } // cout << endl; return 0; }
初识 istringstream、ostringstream、stringstream 运用
标签:
原文地址:http://www.cnblogs.com/ranjiewen/p/5312909.html