感谢内容提供者:金牛区吴迪软件开发工作室
接上一篇:C++程序设计【七】之 输入/输出流
第八章:文件操作
一、文件基本概念和文件流类
1.文件的概念
2.C++文件流类
二、打开和关闭文件
1.打开文件
#include<iostream>
#include<fstream>
using namespace std;
int main() {
// 声明对象inFile并调用构造函数
ifstream inFile("c:\\tmp\\test.txt", ios::in);
if (inFile) {
cout << "成功打开文件: c:\\tmp\\test.txt\n";
inFile.close();
} else {
cout << "打开文件失败\n";
}
// 声明对象outFile并调用构造函数
ofstream outFile("test.txt", ios::out);
if (!outFile) {
cout << "error!\n" << endl;
} else {
cout << "成功打开文件:test.txt \n";
outFile.close();
}
// 声明对象outFile2并调用构造函数
fstream outFile2("tmp\\test2.txt", ios::out | ios::in);
if (outFile2) {
cout << "成功打开文件: tmp\\test2.txt\n";
outFile2.close();
} else {
cout << "error2" << endl;
}
return 0;
}
2.关闭文件
三、文件读写操作
1.读写文本文件
程序8-3
#include<iostream>
#include<fstream>
using namespace std;
int main() {
char id[11], name[21];
int score;
ofstream outFile;
outFile.open("score.txt", ios::out); // 以写方式打开文本文件
if (!outFile) {
// 打开文件出错
cout << "创建文件失败" << endl;
return 0;
}
cout << "请输入:学号 姓名 成绩(以Ctrl + Z结束输入)\n";
while(cin >> id >> name >> score) {
outFile << id << " " << name << " " << score << endl; // 向流中插入数据
}
outFile.close();
return 0;
}
#include<iostream>
#include<fstream>
#include<iomanip>
using namespace std;
int main() {
char ch, filename[20];
int count = 0; // 行号计数器
bool newline = true; // 开始一个新标志
cout << "请输入文件名:";
cin >> filename;
ifstream inFile(filename, ios::in); // 以读方式打开文本文件
if (!inFile) {
cout << "打开文件失败" << endl;
return 0;
}
// 从流inFile中读入一个字符并判断
while ((ch = inFile.get()) != EOF) {
if (newline) {
// 若是新行开始,则显示行号
cout << setw(4) << +count << ":";
newline = false; // 清除新行标志
}
if (ch == '\n') {
// 若读入字符为'\n',则表示将开启一个新行
newline = true; // 设置新行标志
}
cout << ch;
}
inFile.close();
return 0;
}
2.读写二进制文件
#include<iostream>
#include<fstream>
using namespace std;
class CStudent {
public:
char id[11];
char name[21];
int score;
};
int main() {
CStudent stu;
// 以二进制写方式打开文本文件
ofstream outFile("students.dat", ios::out | ios::binary);
if (!outFile) {
cout << "创建文件失败" << endl;
return 0;
}
cout << "请输入:学号 姓名 成绩(windows以Ctrl + Z结束输入,mac 以Command + D结束输入)\n";
while (cin >> stu.id >> stu.name >> stu.score) {
outFile.write((char*)&stu, sizeof(stu)); // 向文件中写入数据
}
outFile.close(); // 关闭文件
return 0;
}
3.用成员函数put() 和 get()读写文件
4.文本文件与二进制文件的异同
四、随机访问文件
转载:https://blog.csdn.net/weixin_43606158/article/details/114259014
查看评论