- 论坛徽章:
- 0
|
本帖最后由 你还未够水准呢 于 2013-07-01 16:18 编辑
- int main()
- {
- ofstream file_out("out.dat");
- if (!file_out) return -1;
-
- istream_iterator<int> in(cin), eof;
- ostream_iterator<int> out(file_out, " ");
- while (in != eof) {
- *out++ = *in++;
- }
- return 0;
- }
复制代码 这样的做法为啥不行呢 就是说输出文件没数据
如果都是 cin 和 cout的话 倒没问题 改成文件就不行
在stackoverflow上有个问题 貌似可以解答 但我没看明白
if you construct the ostream_iterator with an ofstream, that will make sure the output is buffered:- ofstream ofs("file.txt");
- ostream_iterator<int> osi(ofs, ", ");
- copy(v.begin(), v.end(), osi);
复制代码 the ofstream object is buffered, so anything written to the stream will get buffered before written to disk.
下面这样是没问题的
- int main()
- {
- ofstream file_out("out.dat");
- ifstream file_in("in.dat");
- if (!file_out) return -1;
-
- istream_iterator<int> in(file_in), eof;
- ostream_iterator<int> out(file_out, " ");
- while (in != eof) {
- *out++ = *in++;
- }
- //file_out << endl;
- return 0;
- }
复制代码 |
|