传统实现整型转换为字符串需要使用itoa或者sprintf,对于itoa和atoi的使用可以看文章:
atoi和itoa极简无废话概述
但是用这两个函数进行转换时,所需要的空间事先不确定,所以可能造成程序崩溃,今天介绍的stringstream可以解决这个问题
实现数据类型转换
下面演示整数转换为字符串:
#include<iostream>
#include<sstream>
using namespace std;
int main()
{
stringstream ss;
string s;
int a=12345;
int b=123;
ss<<a;
ss>>s;
cout<<s<<endl;//12345
ss.clear();//必须清空流状态,否则下面仍然输出12345
cout<<ss.str();//但清空状态不是把ss中的12345清空了 ,比如这里输出的是12345
//若想把ss中的12345真正清空,可以用ss的构造函数:ss.str("")
ss<<b;
ss>>s;
cout<<s<<endl;//123
return 0;
}
实现字符串分割
下面展示使用stringstream进行字符串分割的经典用法:
#include<iostream>
#include<sstream>
#include<string>
#include<vector>
using namespace std;
int main()
{
string str;
getline(cin,str);
stringstream ssin(str);
vector<string> ops;
while(ssin>>str)ops.push_back(str);
for(int i=0;i<ops.size();i++)
cout<<ops[i]<<endl;
return 0;
}