2

好的,所以我有一个巨大的文件,我想一次读一章。一章由 分隔'$'。我还不太熟悉 C++,所以我做了一些可以在一章中阅读的内容,就像我期望在 C/C++ 中那样。

#include <nds.h>
#include <stdio.h>
#include <string>
#include <vector>
#include <sstream>

int dataFileLoc = 7;

std::string fileReader(){
    FILE * dataFile;
    std::string chapterBuffer = "";
    const int buffersize = 1024;
    char charBuffer[buffersize];
    bool foundEnd = false;
    dataFile = fopen("xc3_.tsc", "rt");//open data file
    fseek(dataFile,dataFileLoc,SEEK_SET);
    while(!foundEnd){
        fread(charBuffer,1,buffersize,dataFile);
        for(int i=1; i<buffersize; i++){
            if(charBuffer[i] == '$'){
                foundEnd = true;
                charBuffer[i] = '\0';
                dataFileLoc = ftell(dataFile)-(buffersize-i);
                break;//break to spare some time
            }
        }
        chapterBuffer.append(charBuffer);
    }
    fclose(dataFile);//done with the file for now.

    checkerTemp(chapterBuffer);

    return chapterBuffer;
}

结果应该没问题。我还没有到达文件末尾。所以它可能会在那里失败。然而,它似乎是随机的(一致的,但在看似随机的位置)。失败将导致在字符串中注入垃圾数据(如 8 个字符),然后再次注入正常数据。

有谁知道可能导致这种情况的原因,或者有没有人有更合适的 C++ 方法来做到这一点?带有字符串阅读器的东西?

提前致谢,

-Smileynator

4

2 回答 2

3

您正在使用 C 文件 API,您应该使用 C++ iostream API。

要阅读章节,您应该使用std::getlinewith'$'作为分隔符参数。这意味着您无需担心缓冲区分配,因为字符串对象会自动分配它。

循环也变得非常简单。

while(std::getline(strm, str, '$').good())
    do_something_with_chapter(str);
于 2013-03-19T13:29:25.173 回答
2

一个错误是,如果你的 while 循环循环,那么语句

chapterBuffer.append(charBuffer);

将尝试将未终止的字符缓冲区附加到 chapterBuffer 中 - 这不是一件好事。无论您是否找到“$”,您都必须在 for 循环中维护;如果你没有,那么你将不得不终止 charBuffer;或者您可以为 charBuffer 分配 buffersize + 1 个字节,并在循环之前设置 charBuffer[buffersize] = '\0';

于 2013-03-19T13:00:56.533 回答