Falco
Falco

Reputation: 277

std::stringstream and the str method

I noticed something when trying to use the stringstream object. Here is a useless example to explain this:

stringstream ss ;
ss << "my string" ;
cout << ss.str() << endl ;

Is not equivalent to

cout << (stringstream() << "my string").str() << endl ;

This leads to a compilation error complaining that ‘class std::basic_ostream’ has no member named ‘str’.

I can't easily explain this. This is not critical for my application but I'm pretty sure this is hiding a c++ trick interesting to be understood.

Note: i'm using gcc with c++14

Upvotes: 15

Views: 3021

Answers (2)

Galik
Galik

Reputation: 48655

The problem with this:

cout << (stringstream() << "my string").str() << endl;

It is that the expression stringstream() << "my string" returns a std::ostream& object, not a std::stringstream.

You can rectify this by defining some appropriate overloads:

template<typename Type>
std::stringstream& operator<<(std::stringstream& ss, const Type& type)
{
    static_cast<std::ostream&>(ss) << type;
    return ss;
}

template<typename Type>
std::stringstream& operator<<(std::stringstream&& ss, const Type& type)
{
    static_cast<std::ostream&>(ss) << type;
    return ss;
}

template<typename Type>
std::stringstream& operator>>(std::stringstream& ss, Type& type)
{
    static_cast<std::istream&>(ss) >> type;
    return ss;
}

template<typename Type>
std::stringstream& operator>>(std::stringstream&& ss, Type& type)
{
    static_cast<std::istream&>(ss) >> type;
    return ss;
}

Now, when you use the << and >> operators on a std::stringstream object, it will call these overloads and they will return a std::stringstream& so you can use its interface directly.

Upvotes: 7

Daniel Frey
Daniel Frey

Reputation: 56921

The operator<< is not defined for std::stringstream, but for its base class std::ostream, hence it does not return a reference to the std::stringstream and therefore the method str() (which is a method of std::stringstream) is not found.

Technically, the above is actually std::basic_stringstream<CharT,Traits> and std::basic_ostream<CharT,Traits>, but you get the idea :)

Upvotes: 22

Related Questions