代码:
#include <fstream>
#include <iostream>
#include <assert.h>
#define SZ 100
using namespace std;
int main(){
char buf[SZ];
{
ifstream in("strfile.cpp");
assert(in);
ofstream out("strfile.out");
assert(out);
int i = 1;
while(!in.eof()){
if(in.get(buf, SZ))
int a = in.get();
else{
cout << buf << endl;
out << i++ << ": " << buf << endl;
continue;
}
cout << buf << endl;
out << i++ << ": " << buf << endl;
}
}
return 0;
}
我想操作所有文件 但是在strfile.out中:
1: #include <fstream>
2: #include <iostream>
3: #include <assert.h>
4: ...(many empty line)
我知道fstream.getline(char *,int)这个函数可以管理它,但我想知道如何使用函数“fstream.get()”。
答案 0 :(得分:1)
由于ifstream::get(char*,streamsize)
将在流上留下分隔符(在本例中为\n
),因此您的呼叫永远不会前进,因此您的呼叫程序似乎无休止地读取空行。
相反,您需要确定换行是否在流上等待,并使用in.get()
或in.ignore(1)
移过它:
ifstream in("strfile.cpp");
ofstream out("strfile.out");
int i = 1;
out << i << ": ";
while (in.good()) {
if (in.peek() == '\n') {
// in.get(buf, SZ) won't read newlines
in.get();
out << endl << i++ << ": ";
} else {
in.get(buf, SZ);
out << buf; // we only output the buffer contents, no newline
}
}
// output the hanging \n
out << endl;
in.close();
out.close();