文件操作
文本文件
操作文件三大类
- ofstream:写文件
- ifstream:读文件
- fstream:读写文件
打开文件的模式:
模式标志 | 描述 |
---|---|
ios::app | 追加模式。所有写入都追加到文件末尾。 |
ios::ate | 文件打开后定位到文件末尾。 |
ios::in | 打开文件用于读取。 |
ios::out | 打开文件用于写入。 |
ios::trunc | 如果该文件已经存在,其内容将在打开文件之前被截断,即把文件长度设为 0。 |
ins::binary | 以二进制方式打开。 |
可以把以上两种或两种以上的模式结合使用。例如,要以写入模式打开文件,并希望截断文件,以防文件已存在,那么您可以使用下面的语法:
ofstream outfile;
outfile.open("file.dat", ios::out | ios::trunc );
写文件
步骤
- 包含头文件 (如
#include <fstream>
) - 创建对象
- 指定文件路径与打开方式
- 利用
<<
操作符写入数据 - 关闭文件
示例:
void writeTest() {
ofstream ofs;
ofs.open("test.txt", ios::out);
ofs << "Hello world!" << endl;
ofs.close();
}
读文件
步骤
- 包含头文件 (如
#include <fstream>
) - 创建对象
- 指定文件路径与打开方式,判断打开是否成功
- 利用
<<
操作符写入数据 - 关闭文件
示例 1:
void readTest1() {
ifstream ifs;
ifs.open("test.txt", ios::in);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
char buf[1024] = { 0 };
while (ifs >> buf) {
cout << buf << endl;
}
ifs.close();
}
示例 2:
void readTest2() {
ifstream ifs;
ifs.open("test.txt", ios::in);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
char buf[1024] = { 0 };
while (ifs.getline(buf, sizeof(buf))) {
cout << buf << endl;
}
ifs.close();
}
示例 3(推荐):
void readTest3() {
ifstream ifs;
ifs.open("test.txt", ios::in);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
string buf;
while (getline(ifs, buf)) {
cout << buf << endl;
}
ifs.close();
}
示例 4:
void readTest4() {
ifstream ifs;
ifs.open("test.txt", ios::in);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
char c;
while ((c = ifs.get()) != EOF) {
cout << c;
}
ifs.close();
}
二进制文件
#include <iostream>
#include <fstream>
using namespace std;
class Person {
public:
char m_name[64];
int m_age;
};
void writeBin() {
ofstream ofs("person.txt", ios::out | ios::binary);
Person p = { "张三", 18 };
ofs.write((const char*)&p, sizeof(Person));
ofs.close();
}
void readBin() {
ifstream ifs("person.txt", ios::in | ios::binary);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
}
Person p;
ifs.read((char*)&p, sizeof(Person));
ifs.close();
cout << "姓名:" << p.m_name << " 年龄:" << p.m_age << endl;
}
int main()
{
writeBin();
readBin();
}
写文件
示例:
void writeBin() {
ofstream ofs("person.txt", ios::out | ios::binary);
Person p = { "张三", 18 };
ofs.write((const char*)&p, sizeof(Person));
ofs.close();
}
读文件
示例:
void readBin() {
ifstream ifs("person.txt", ios::in | ios::binary);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
}
Person p;
ifs.read((char*)&p, sizeof(Person));
ifs.close();
cout << "姓名:" << p.m_name << " 年龄:" << p.m_age << endl;
}