Search code examples
c++istream

C++ read string with spaces


I have file like this:

59 137 New York
137 362 Syracuse
216 131 New Jersey
...
..
.

and I would like to read it to a structure: X - Y - name of a city

  char city[100];
  int x , y;
  f.open("map.txt");
  f >> x >> y >> city;
  while (!f.fail()) {
    f >> x >> y >> city;
  }
  f.close();

Problem is, that city reads only until next space, so from New York it reads only New. How should I read whole rest of a line, in some easy and smart way ?


Solution

  • The format of your file seems to imply that the name of the city ends at the end of a line, not a space.

    You can read that form using getline

      char city[100];
      int x , y;
      f.open("map.txt");
      while ( f ) {
          f >> x >> y;         
          f.getline(city, 100); 
      }
      f.close();