qtqt4qt4.8qtextstream

QTextStream - What exactly does the position method return


I have a question about what a QTextStream is calculating with the pos() method. I assumed it was the number of bytes, but it seems that this might not be the case.

The reason I ask, is that I am processing rows in a file, and once the number of rows read reached some arbitrary number or stream.atEnd() is true, I break out of the loop and save stream.pos() to a qint64* variable. Once the processing is complete, I go back to the file and seek(*filePosition) to get back to my last position and grab more data until stream.atEnd() is true. This works in the sense that can keep track of where I am, but it is very slow calling stream.pos() as is noted in the Qt docs.

What I am attempting is to update the file position after each line is read in an efficient manner. However, it is not working and when the program goes back to read the file again, the position is not correct as the first line it reads starts in the middle of line previously read on the last iteration.

Here is what is have so far:

QTextStream stream(this);
stream.seek(*filePosition);
int ROW_COUNT = 1;
while (!stream.atEnd()) {
    QString row = stream.readLine();
    QStringList rowData = row.split(QRegExp(delimiter));
    *filePosition += row.toUtf8().size();
    /*
    processing rowData...
    */ 
    if (ROW_COUNT == ROW_UPLOAD_LIMIT) {
        break;
    }
    ROW_COUNT++;
}
/*
close files, flush stream, more processing, etc...
*/

Solution

  • The solution was to create the QTextStream outside of the function and pass it in as a parameter. Doing this allows me to not have to worry about tracking the position on each iteration because I keep the stream in scope until I have completely finished processing the file.

    class FeedProcessor {
        ...
        void processFeedFile() {
            IntegrationFile file("big_file.txt");
            file.open(QIODevice::ReadOnly | QIODevice::Text);
            QTextStream stream(&file);
    
            while(!stream.atEnd()) {
               file.extractFileContents(&stream);
               /*
               do more processing with file
               */
            }
        }
        ...
    }
    
    class IntegrationFile : public QFile {
        ...
        void extractFileContents(QTextStream* stream) {
            int ROW_COUNT = 1;
            while (!stream.atEnd()) {
                QString row = stream.readLine();
                QStringList rowData = row.split(QRegExp(delimiter));
                /*
                 processing rowData...
                 */ 
                 if (ROW_COUNT == ROW_UPLOAD_LIMIT) {
                    break;
                 }
                 ROW_COUNT++;
             }
             /*
             close files, flush stream, more processing, etc...
             */
        }
        ...
    }