我在做什么错误,文件没有打开。输出屏幕显示无法打开文件。如果我单独创建ofstream和ifstream构造函数,则文件写入并正确读取。如果我使用fstream,则不会创建文件。
#include <iostream>
#include <fstream>
using namespace std;
void main(){
char num[10];
fstream file;
file.open("text.txt", ios::ate|ios::in|ios::out| ios::binary);
if (!file)
{
cerr << "File could not be opened" << endl;
exit(1);
} // End if
for (int i = 0; i <= 5; i++){
cout << "Enter an integer " << endl;
cin >> num[i]; //Input a number
file.write((char*)num, sizeof(num)); //Function write to write data to file
}
for (int i = 0; i <= 5; i++){
file.read((char*)num, sizeof(num)); //Function to read data from the file
cout << endl << num[i] << " ";
}
file.close();
system("pause");
}
答案 0 :(得分:3)
您应该指定ios::trunc
或ios::app
,具体取决于您是希望重写还是附加文件,否则如果不存在则不会创建<\ n} { / p>
file.open("text.txt", ios::trunc | ios::in | ios::out | ios::binary);
请注意ios::ate
与ios::trunc
结合使用没有意义,因为文件被截断了。
您也可以查看the table of correspondence between ios
flags and equivalent stdio
mode strings。如您所见,当前代码的表的相应行是
modestring openmode & ~ate Action if file already exists Action if file does not exist "r+b" binary|out|in Read from start Error
PS:不要忘记将void main()
更改为int main()
,因为前者是未定义的行为。
更新:是的,您的整个写作和阅读代码都是错误的。它应该改写如下:
for (int i = 0; i <= 5; i++){
cout << "Enter an integer " << endl;
cin >> num[i]; //Input a number
}
// write the array once and outside of the loop
file.write((char*)num, sizeof(num));
// not necessary - just to ensure we read numbers in the next lines
memset(num, 0, sizeof(num));
// go to the beginning of the file
file.seekg(0);
// read the array once and outside of the loop
file.read((char*)num, sizeof(num));
for (int i = 0; i <= 5; i++){
cout << endl << num[i] << " ";
}
答案 1 :(得分:0)
你应该添加&#39; ios :: out&#39;到你的file.open
file.open("text.txt", ios::out);
您还可以使用
检查文件是否更容易打开if (!file.is_open())
编辑:
可能该组合无效。尝试使用
file.open("text.txt", ios::app|ios::out|ios::in|ios::binary);
代替