1

问题描述

我有一个包含一组行的文件。一个

文件 1:

"Hello How are you"

"The cat ate the mouse"

基于用户输入的行的开头和结尾。我想转到文件中的每一行并提取它。

例如,如果用户键入117 ,那么我必须转到大小为17 个字符的第1行。他可以给出文件中的任何行号。

我从文件 C++ 的特定位置阅读了以下答案。但我真的不明白。为什么线的大小必须相同?如果我有关于文件中每一行的开头和结尾的信息。为什么我不能直接访问它?


源代码

我尝试使用以下代码,该代码受使用 Seekg 从文件中指定位置读取数据的启发,但我无法提取行,为什么?

    #include <fstream>
    #include <iostream>

    using namespace std::

    void getline(int, int, const ifstream & );
    int main()
    {
      //open file1 containing the sentences
      ifstream file1("file1.txt");

      int beg = 1;
      int end = 17;
      getline(beg,end, file1);

      beg = 2;
      end = 20;
      getline(beg,end, file1);

      return 0;
    }

void getline(int beg, int end, const ifstream & file)
{
   file.seekg(beg, ios::beg); 
   int length = end;

   char * buffer = new char [length];

   file.read (buffer,length);

   buffer [length - 1] = '\0'; 

   cout.write (buffer,length);
   delete[] buffer;
}
4

1 回答 1

4

此代码似乎使用行号作为字节偏移量。如果您寻求偏移“1”,则文件将向前寻找 1 个字节,而不是 1 行。如果您寻求偏移 2,则文件将向前搜索 2 个字节,而不是 2 行。

要查找特定行,您需要读取文件并计算换行符的数量,直到到达您想要的行。有代码已经这样做了,例如std::getline(). 如果您还不知道您想要的行的确切字节偏移量,您可以调用std::getline()等于您想要的行号的次数。

还要记住,文件的第一个字节位于偏移量 0 而不是偏移量 1,并且不同的平台使用不同的字节来指示行尾(例如,在 Windows 上它是"\r\n",在 Unix 上它是"\n")。如果您使用库函数来读取行,则应为您处理行尾。

于 2015-09-24T17:03:20.177 回答