-1

我有一个配对字符串列表,然后我删除每个列表的顶部元素并比较它们。但是,当我删除列表大小的顶部元素时,会大大增加。我已经尝试过 pop_front(),制作迭代器等。我知道如何以及同样的问题发生。

std::ifstream myReadFile;
std::list<std::pair<std::string,std::string>> startTape;
std::pair<std::string,std::string> pair;

while (std::getline(myReadFile, pair.first , ','))
{
    std::getline(myReadFile, pair.second);
    startTape.push_back(pair);
}
myReadFile.close();

开始磁带 { 大小 = 8 }

std::pair<std::string,std::string> firstCompare = startTape.front();
startTape.remove(*startTape.begin());
std::pair<std::string,std::string> secondCompare = startTape.front();
startTape.remove(*startTape.begin());

开始磁带 { 大小 = 1753706592 }

当我查看 startTape 列表时,它似乎已经循环了。

(readFile内容如下) N,C /n I,G /n A,U /n H,A /n G,M /n C,I /n S,H /n U,N /n

4

2 回答 2

1

我编写了一个完整的程序,其中包含您上面提到的所有内容读取单个元素的字符缓冲区,然后将它们复制到对。我还确保我不会在文件末尾做一些疯狂的事情,以防没有读取两个元素(无论文件末尾是否有 \n,它都有效)。

#include <fstream>
#include <iostream>
#include <list>

#define BUF 100
using namespace std;

int main() {
  std::ifstream myReadFile;
  std::list<std::pair<std::string,std::string> > startTape;
  std::pair<std::string,std::string> pair;
  char sbuf[BUF]; // temp storage for file read

  myReadFile.open("listOwords.txt");
  if(!myReadFile) {
    cerr << "Error: file could not be opened" << endl;
    exit(1);
  }
  cout << "file opened successfully" << endl;

  while(myReadFile.getline(sbuf, BUF, ',')) {
    pair.first = sbuf;
    myReadFile.getline(sbuf, BUF);
    pair.second = sbuf;
    if(myReadFile.good()) {
      // only process if both elements were read successfully
      // this deals with the problem of a "half pair" being read if the file is terminated with \n
      startTape.push_back(pair);
      cout << "read a pair: " << pair.first << ", " << pair.second << endl;
      }
  }  
  myReadFile.close();

  cout << "Size of startTape is now " << startTape.size() << endl;

  std::pair<std::string,std::string> firstCompare = startTape.front();
  startTape.remove(*startTape.begin());
  cout << "Size of startTape is now " << startTape.size() << endl;

  std::pair<std::string,std::string> secondCompare = startTape.front();
  startTape.remove(*startTape.begin());
  cout << "Size of startTape is now " << startTape.size() << endl;

  exit(0);
}

listOwords 的内容:

>cat listOwords.txt 
N, C
I, G
A, U
H, A
G, M
C, I
S, H
U, N

我从中得到的输出是:

file opened successfully
read a pair: N,  C
read a pair: I,  G
read a pair: A,  U
read a pair: H,  A
read a pair: G,  M
read a pair: C,  I
read a pair: S,  H
read a pair: U,  N
Size of startTape is now 8
Size of startTape is now 7
Size of startTape is now 6

如果您使用此确切代码没有得到相同的结果,请告诉我?

于 2013-01-26T16:41:11.600 回答
0

我认为您正在考虑错误的列表方向。列表的“顶部”是“返回”(push_back,pop_back)或“结束”(rbegin)。

尝试使用 back() 代替 front(),并使用 pop_front() 删除第一个元素。

尽管如此,列表大小的变化听起来更像是某个地方的错误。

于 2013-01-26T13:39:54.123 回答