4

我想从两个文件中读取,直到到达其中一个文件的末尾。如果出现问题,fstream 应该抛出异常。

问题是,当设置了 eof 位时,也会设置 bad 或 fail 位。

ifstream input1;
input1.exceptions(ios_base::failbit | ios_base::badbit);
input1.open("input1", ios_base::binary | ios_base::in);

ifstream input2;
input2.exceptions(ios_base::failbit | ios_base::badbit);
input2.open("input2", ios_base::binary | ios_base::in);

ofstream output;
output.exceptions(ios_base::failbit | ios_base:: badbit);
output.open("output", ios_base::binary | ios_base::out | ios_base::trunc);

char in1, in2, out;

while(!input1.eof() && !input2.eof()) {
    input1.read((char*) &in1, 1);
    input2.read((char*) &in2, 1);
    out = in1^in2;
    output.write((const char*) &out, 1);
}

input1.close();
input2.close();
output.close();

这将导致

$ ./test
terminate called after throwing an instance of 'std::ios_base::failure'
  what():  basic_ios::clear

怎么做才对?

4

3 回答 3

6

您的代码中的基本问题是FAQ。您永远不应该将eof()其用作读取循环的测试条件,因为在 C/C++ 中(其他一些语言不同)在您读取文件末尾eof()之前不会设置为 true ,因此循环体也将输入一次很多次。

惯用正确的过程是将读取操作本身置于循环条件中,以便退出发生在正确的点:

  while ( input1.get(in1) && input2.get(in2) ) { /* etc */ }
  // here, after the loop, you can test eof(), fail(), etc 
  // if you're really interested in why the loop ended.

这个循环会随着较小的输入文件的耗尽而自然结束,这正是你想要的。

于 2013-01-13T20:07:19.073 回答
0

只需删除.eof() if(fstream)检查所有位(eof bad 和 fail)。

所以将while重新写为:

 while(input1 && input2)

然后可能验证 eof() 是否为最后一个流返回 true。

希望这可以帮助。

于 2013-01-13T16:54:58.500 回答
0

根本不要抛出异常并在您的 while 条件下使用input1.readoristream::get

while (input1.get(in1) && input2.get(in2)) {
...
}

如果您阅读循环体中的字符,您的输出中将有一个额外的字符,没有相应的输入字符。也许这就是你最初使用的原因std::ios::exeptions

于 2013-01-13T17:07:59.477 回答