之前在leetcode中进行string和int的转化时使用过istringstream,现在大致总结一下用法和测试用例。
介绍:C++引入了ostringstream、istringstream、stringstream这三个类,要使用他们创建对象就必须包含sstream.h头文件。
istringstream类用于执行C++风格的串流的输入操作。
ostringstream类用于执行C风格的串流的输出操作。
stringstream类同时可以支持C风格的串流的输入输出操作。
下图详细描述了几种类之间的继承关系:
- #include<iostream>
- #include <sstream>
- using namespace std;<pre name="code" class="cpp">int main(){
- string test = "-123 9.87 welcome to, 989, test!";
- istringstream iss;//istringstream提供读 string 的功能
- iss.str(test);//将 string 类型的 test 复制给 iss,返回 void
- string s;
- cout << "按照空格读取字符串:" << endl;
- while (iss >> s){
- cout << s << endl;//按空格读取string
- }
- cout << "*********************" << endl;
-
- istringstream strm(test);
- //创建存储 test 的副本的 stringstream 对象
- int i;
- float f;
- char c;
- char buff[1024];
-
- strm >> i;
- cout <<"读取int类型:"<< i << endl;
- strm >> f;
- cout <<"读取float类型:"<<f << endl;
- strm >> c;
- cout <<"读取char类型:"<< c << endl;
- strm >> buff;
- cout <<"读取buffer类型:"<< buff << endl;
- strm.ignore(100, ‘,‘);
- int j;
- strm >> j;
- cout <<"忽略‘,’读取int类型:"<< j << endl;
-
- system("pause");
- return 0;
- }
输出:- int main(){
- ostringstream out;
- out.put(‘t‘);//插入字符
- out.put(‘e‘);
- out << "st";
- string res = out.str();//提取字符串;
- cout << res << endl;
- system("pause");
- return 0;
- }
输出:test字符串;原文:https://www.cnblogs.com/xjyxp/p/11545968.html