Read file line by line

The contents of file.txt are:

5 3
6 4
7 1
10 5
11 6
12 3
12 4

Where 5 3 is a coordinate pair. How do I process this data line by line in C++?

I am able to get the first line, but how do I get the next line of the file?

ofstream myfile;
myfile.open ("text.txt");

First, make an ifstream :

#include <fstream>
std::ifstream infile("thefile.txt");

The two standard methods are:

  • Assume that every line consists of two numbers and read token by token:

    int a, b;
    while (infile >> a >> b)
    {
        // process pair (a,b)
    }
    
  • Line-based parsing, using string streams:

    #include <sstream>
    #include <string>
    
    std::string line;
    while (std::getline(infile, line))
    {
        std::istringstream iss(line);
        int a, b;
        if (!(iss >> a >> b)) { break; } // error
    
        // process pair (a,b)
    }
    
  • You shouldn't mix (1) and (2), since the token-based parsing doesn't gobble up newlines, so you may end up with spurious empty lines if you use getline() after token-based extraction got you to the end of a line already.


    Use ifstream to read data from a file:

    std::ifstream input( "filename.ext" );
    

    If you really need to read line by line, then do this:

    for( std::string line; getline( input, line ); )
    {
        ...for each line in input...
    }
    

    But you probably just need to extract coordinate pairs:

    int x, y;
    input >> x >> y;
    

    Update:

    In your code you use ofstream myfile; , however the o in ofstream stands for output . If you want to read from the file (input) use ifstream . If you want to both read and write use fstream .


    Since your coordinates belong together as pairs, why not write a struct for them?

    struct CoordinatePair
    {
        int x;
        int y;
    };
    

    Then you can write an overloaded extraction operator for istreams:

    std::istream& operator>>(std::istream& is, CoordinatePair& coordinates)
    {
        is >> coordinates.x >> coordinates.y;
    
        return is;
    }
    

    And then you can read a file of coordinates straight into a vector like this:

    #include <fstream>
    #include <iterator>
    #include <vector>
    
    int main()
    {
        char filename[] = "coordinates.txt";
        std::vector<CoordinatePair> v;
        std::ifstream ifs(filename);
        if (ifs) {
            std::copy(std::istream_iterator<CoordinatePair>(ifs), 
                    std::istream_iterator<CoordinatePair>(),
                    std::back_inserter(v));
        }
        else {
            std::cerr << "Couldn't open " << filename << " for readingn";
        }
        // Now you can work with the contents of v
    }
    
    链接地址: http://www.djcxy.com/p/66238.html

    上一篇: 如何在WM中正确绘制

    下一篇: 逐行读取文件