views:

327

answers:

2

Should there be a reason to preffer either getline or istream_iterator if you are doing line by line input from a file(reading the line into a string, for tokenization).

+2  A: 

getline will get you the entire line, whereas istream_iterator<std::string> will give you individual words (separated by whitespace).

Depends on what you are trying to accomplish, if you are asking which is better (tokenization is just one bit, e.g. if you are expecting a well formed program and you expect to interpret it, it may be better to read in entire lines...)

dirkgently
Sorry I should have added that the line is comma seperated. so istream_iterator<string> would in fact fetch the entire line.
Pradyot
If you do no expect the input to be malformed _EVER_, which is a difficult thing to say, yes, you will get an entire line.
dirkgently
Each cell on a line must not contain spaces either.
Martin York
This is not entirely correct, you can use an overloaded getline to read up to the first user specified token (default is a newline)
rubenvb
+2  A: 

I somtimes (depending on situation) write a line class so I can use istrean_iterator:

#include <string>
#include <vector>
#include <iterator>
#include <iostream>
#include <algorithm>

struct Line
{
    std::string lineData;

    operator std::string() const
    {
        return lineData;
    }
};
std::istream& operator>>(std::istream& str,Line& data)
{
    std::getline(str,data.lineData);
    return str;
}

int main()
{
     std::vector<std::string>    lines;
     std::copy(std::istream_iterator<Line>(std::cin),
               std::istream_iterator<Line>(),
               std::back_inserter(lines)
              );
}
Martin York