我已经使用std::fstream
从文件中读取和写入,但看起来,写完后我无法立即阅读,控制台会崩溃。我在阅读之前尝试关闭文件并重新打开,并没有崩溃,那么真正的问题在这里吗?以下是两种情况的代码
不关闭:
#include "stdafx.h"
#include <iostream>
#include <fstream>
#include <stdlib.h>
int _tmain(int argc, _TCHAR* argv[])
{
std::fstream output("text.txt", std::ios::out | std::ios::in | std::ios::trunc);
if (!output)
{
std::cerr << "Error";
exit(1);
}
char a[10], b[10];
std::cin >> b;
output << b;
output >> a;
std::cout << a;
return 0;
}
关闭/重新开启:
#include "stdafx.h"
#include <iostream>
#include <fstream>
#include <stdlib.h>
int _tmain(int argc, _TCHAR* argv[])
{
std::fstream output("text.txt", std::ios::out | std::ios::in | std::ios::trunc);
if (!output)
{
std::cerr << "Error";
exit(1);
}
char a[10], b[10];
std::cin >> b;
output << b;
output.close();
output.open("text.txt");
output >> a;
std::cout << a;
return 0;
}
答案 0 :(得分:1)
当您从文件读取/写入时,有一个“光标”存储文件中的实际位置。写完后,此光标设置为您编写的结尾。因此,为了读取刚写入的数据,您必须将光标重置到文件的开头,或者重置到您想要读取的位置。 试试这段代码:
int _tmain(int argc, _TCHAR* argv[])
{
std::fstream output("text.txt", std::ios::out | std::ios::in | std::ios::trunc);
if (!output)
{
std::cerr << "Error";
exit(1);
}
char a[10], b[10];
std::cin >> b;
output << b;
output.seekp(std::ios_base::beg); // reset to the begin of the file
output >> a;
std::cout << a;
return 0;
}