1

我想读取一个二进制文件,其中包含一个开始序列 char[9] 和一个用于 5 个 ID 的 char[5]。所以我打开了我的文件,但我不确定如何正确保存我的数据。

char[8] start_sq = "STARTSEQ\n" // start of the binary file 

之后有5个ID。

那么如何在 start_sq 之后设置我的起始位置

int current_pos = 0;
std:ifstream readFile_;
int *id;
while( (current_pos = (readFile_.tellg())) == eof) 
{
   //start after start_sq // not sure how to
   int tmp_id = readFile_.read(reinterpret_cast<char*>(&id), sizeof(int)); // should be first ID (OR?)
  ids.push_back(tmo_id);
  // again for ID 2 

}

我明白了,如果我的问题一开始有点不清楚。但我不确定如何正确实施。但正如你所看到的,我有一些想法/方法。

谢谢任何帮助:)

4

1 回答 1

1

是的,你会这样做:

[警告:以下内容绝对未经测试!]

//int current_pos = 0;
std:ifstream readFile_;

... // Open the file in binary mode, etc...

//int *id;
char id;

// Read the 'STARTSEQ' string + 1 carriage return :
char[9] startseq;
readFile_.read(reinterpret_cast<char*>(&startseq[0]),  9);
//                                                    ^^^
// IMPORTANT : The above line shifts the current_pos of 9 bytes.
// Short : readFile_.read(startseq, sizeof(startseq));

// Then read your IDs
// You want your IDs as chars so let's read chars, not int.
while( readFile_.good() ) // or while( !readFile_.eof() ) 
{
   readFile_.read(reinterpret_cast<char*>(&id), sizeof(char));
   // IMPORTANT : The above line shifts the current_pos of 1 byte.
   // Short : readFile_.read(&id, 1);
   ids.push_back(id);
}
// The above 'while' loops until EOF is reached (aka. 5 times). 
// See ifstream.good(), ifstream.eof().

注意:要读取的字符串 ("STARTSEQ\n") 是 9 个字符长,而不是 8 个字符。

填充向量的另一种方法ids可能是:

vector<char> ids;
int size = 5;
ids.resize(size);
// Read 'size' bytes (= chars) and store it in the 'ids' vector :
readFile_.read(reinterpret_cast<char*>(&ids[0]), size);

注意:while这里没有使用,但要小心:不检查是否达到 EOF。

我希望这是你所要求的。

于 2013-06-18T23:13:57.780 回答