Easiest way to get words of one line from istream into a vector?

902 Views Asked by At

istream has the >> operator, but it skips new lines like it skips whitespace. How can I get a list of all the words in 1 line only, into a vector (or anything else that's convenient to use)?

3

There are 3 best solutions below

5
On BEST ANSWER

One possibility (though considerably more verbose than I'd like) is:

std::string temp;
std::getline(your_istream, temp);

std::istringstream buffer(temp);
std::vector<std::string> words((std::istream_iterator<std::string>(buffer)),
                                std::istream_iterator<std::string>());
0
On

You can call istream::getline -- will read into a character array

For example:

char buf[256];
cin.getline(buf, 256);

And if you want to use a streams-compatible accessor for the individual tokens in the line, consider an istringstream

0
On

I would suggest using getline to buffer the line into a string, then using a stringstream to parse the contents of that string. For example:

string line;
getline(fileStream, line);

istringstream converter(line);
for (string token; converter >> token; )
    vector.push_back(token);

Be wary of using C string reading functions in C++. The std::string I/O functions are much safer.