0

所以我正在编写一个简单的程序,只是想了解它为什么忽略空格(它将它们视为新行)以及为什么它不考虑新行。

语言:C++

平台:Kubuntu 13.04

编译器:g++

代码:

 unsigned int lines;
 string line_content;
 ifstream r_tftpd_hpa("/etc/default/tftpd-hpa"); // open file

    // test for errors
if ( r_tftpd_hpa.fail() ) {
    cerr << "Error opening file: \"/etc/default/tftpd-hpa\"" << endl;
    exit(1);
}

    // loop through file until end
while ( !r_tftpd_hpa.eof() ) {
    r_tftpd_hpa >> line_content;
    lines++;

                          // I also tried with \n
    if ( line_content[0] == ' ' ) { // my failed attempt at catching spaces
        cout << endl << "Found empty line: " << lines << endl;
    }

    cout << "Line: " << lines << " content: " << line_content << endl;
}

输出:

 Line: 1 content: #
 Line: 2 content: /etc/default/tftpd-hpa
 Line: 3 content: TFTP_USERNAME="tftp"
 Line: 4 content: TFTP_DIRECTORY="/var/lib/tftpboot"
 Line: 5 content: TFTP_ADDRESS="0.0.0.0:69"
 Line: 6 content: TFTP_OPTIONS="--secure"
 Line: 7 content: TFTP_OPTIONS="--secure"   

文件本身:

 # /etc/default/tftpd-hpa

 TFTP_USERNAME="tftp"
 TFTP_DIRECTORY="/var/lib/tftpboot"
 TFTP_ADDRESS="0.0.0.0:69"
 TFTP_OPTIONS="--secure"

该文件由 6 行组成,但它似乎认为它是 7。它将#第 1 行之后的空格计为新行,并忽略原始文件中第 2 行的空格。它也打印行6 and 7,就好像有两条相同的行,没有。

知道这里发生了什么吗?我们如何处理空格和换行符?

4

2 回答 2

1

operator >>吃掉任何空格(换行符、制表符、空格)。如果需要计算行数,可以使用该getline功能。

#include <cassert>
#include <iostream>
#include <fstream>
#include <string>

using namespace std;

int main()
{
  unsigned lines = 0;
  string line_content;

  ifstream r_tftpd_hpa ("tftpd-hpa");
  assert(r_tftpd_hpa);

  while ( getline(r_tftpd_hpa, line_content) ) {
    lines++;

    if ( line_content[0] == ' ' ) { // my failed attempt at catching spaces
      cout << endl << "Found empty line: " << lines << endl;
    }

    cout << "Line: " << lines << " content: " << line_content << endl;
  }

  return 0;
}

给我:

Line: 1 content: # /etc/default/tftpd-hpa
Line: 2 content: 
Line: 3 content: TFTP_USERNAME="tftp"
Line: 4 content: TFTP_DIRECTORY="/var/lib/tftpboot"
Line: 5 content: TFTP_ADDRESS="0.0.0.0:69"
Line: 6 content: TFTP_OPTIONS="--secure"
于 2013-05-11T15:34:38.683 回答
1

这是因为使用>>to extract into astd::string只会读取字符,直到遇到空格。也就是说,它读取的是“单词”,而不是您期望的一行。

如果要读取由 分隔的行\n,请使用std::getline

std::getline(r_tftpd_hpa, line_content);

eof但是,使用 of作为while循环的条件时,您将遇到另一个问题。仅仅因为您还没有到达文件末尾,并不意味着下一行提取会成功。这通常发生在文件末尾有一个文件\n末尾之前。将\n被提取并且不会设置 EOF 位,因此循环将继续并尝试提取另一行。这导致文件的最后一行似乎被读取了两次。为了解决这个问题,将你的std::getline进入你的while循环条件:

while (std::getline(r_tftpd_hpa, line_content))
于 2013-05-11T15:34:50.073 回答