美文网首页
stringstream

stringstream

作者: Fattyu | 来源:发表于2017-07-20 13:19 被阅读0次

    1.<sstream>库定义了三种类:istringstream、ostringstream和stringstream,分别用来进行流的输入、输出和输入输出操作。另外,每个类都有一个对应的宽字符集版本。
    <sstream>使用string对象来代替字符数组。这样可以避免缓冲区溢出的危险。而且,传入参数和目标对象的类型被自动推导出来,即使使用了不正确的格式化符也没有危险。
    2.例子
    string到int的转换

    string result=”10000”;
    int n=0;
    stream<<result;
    stream>>n;//n等于10000
    

    3.重复利用stringstream对象

    如果你打算在多次转换中使用同一个stringstream对象,记住再每次转换前要使用clear()方法;

    #include <sstream>
    #include <iostream>
    int main()
    {
        std::stringstream stream;
        int first, second;
        stream<< "456"; //插入字符串
        stream >> first; //转换成int
        std::cout << first << std::endl;
        stream.clear(); //在进行多次转换前,必须清除stream
        stream << true; //插入bool值
        stream >> second; //提取出int
        std::cout << second << std::endl;
    } 
    

    运行结果为 456 1

    在多次转换中重复使用同一个stringstream(而不是每次都创建一个新的对象)对象最大的好处在于效率。stringstream对象的构造和析构函数通常是非常耗费CPU时间的
    clear()方法:

    #include <iostream>
    #include <string>
    using namespace std;
    int main ()
    {
      char c;
      string str;
      cout << "Please type some lines of text. Enter a dot (.) to finish:\n";
      do {
        c = cin.get();
        str += c;
        if (c=='\n')
        {
           cout << str;
           str.clear();
        }
      } while (c!='.');
      return 0;
    }
    

    4.在类型转换中使用模板

    你可以轻松地定义函数模板来将一个任意的类型转换到特定的目标类型。例如,需要将各种数字值,如int、long、double等等转换成字符串,要使用以一个string类型和一个任意值t为参数的to_string()函数。to_string()函数将t转换为字符串并写入result中。使用str()成员函数来获取流内部缓冲的一份拷贝:

    template<class T>
    
    void to_string(string & result,const T& t)
    
    {
    
     ostringstream oss;//创建一个流
    
    oss<<t;//把值传递如流中
    
    result=oss.str();//获取转换后的字符转并将其写入result
    }
    

    5.可以更进一步定义一个通用的转换模板,用于任意类型之间的转换。函数模板convert()含有两个模板参数out_type和in_value,功能是将in_value值转换成out_type类型:

    template<class out_type,class in_value>
    
    out_type convert(const in_value & t)
    
    {
    
    stringstream stream;
    
    stream<<t;//向流中传值
    
    out_type result;//这里存储转换结果
    
    stream>>result;//向result中写入值
    
    return result;
    
    }
    

    部分摘自c++博客Shuffy

    相关文章

      网友评论

          本文标题:stringstream

          本文链接:https://www.haomeiwen.com/subject/zvbdkxtx.html