文件操作
// 文件操作
// 程序运行时产生的数据都属于临时数据,程序结束后临时数据会被操作系统释放
// 通过文件操作可以将数据持久化
// c++ 中文件操作需要包含头文件 <fstream>
// 文件类型分为两种:
// 文本文件: 文件以文本的ASCII码形式存储在计算机中
// 二进制文件: 文件以二进制形式存储在计算机中,任何文本编辑器都不能查看
// 操作文件的三个类
// ofstream 写操作
// ifstream 读操作
// fstream 读写操作
1. 文本文件
1.1 写文件
写文件步骤:
1. 包含头文件
#include <fstream>
2. 创建流对象
ofstream ofs;
3. 打开文件
ofs.open("文件名", ios::out);
4. 写数据
ofs << "写入的数据" << endl;
5. 关闭文件
ofs.close()
csharp
复制代码
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
// 文本文件写文件
void test01() {
// 1.包含头文件 #include <fstream>
// 2.创建流对象
ofstream ofs;
// 3.打开文件
ofs.open("test.txt", ios::out | ios::app);
// 4.写数据
ofs << "name: zhangsan 11" << endl;
ofs << "sex: man" << endl;
ofs << "age: 18" << endl;
// 5.关闭文件
ofs.close();
}
int main(int argc, char const *argv[]) {
test01();
return 0;
}
12. 读文件
csharp
复制代码
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
// 文本文件读文件
// 读数据的四种方式
void test01() {
// 1. 包含头文件
// 2. 创建流对象
ifstream ifs;
// 3. 打开文件
ifs.open("test.txt", ios::in);
//判断文件是否打开
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
// 4. 读数据
// 第一种方式
// char buf[1024] = { 0 };
// while (ifs >> buf)
// {
// cout << buf << endl;
// }
// 第二种方式
// char buf[1024] = {0};
// while(ifs.getline(buf,sizeof(buf))){
// cout << buf << endl;
// }
// 第三种方式
// string buf;
// while(getline(ifs,buf)){
// cout << buf << endl;
// }
// 第四种方式
char c = '\0';
// 判断文件是否读完
while((c = ifs.get()) != EOF) {
cout << c;
}
// 5. 关闭文件
ifs.close();
}
int main(int argc, char const *argv[]) {
test01();
return 0;
}
2 二进制文件
以二进制文件对文件进行读写操作
打开方式要指定为ios:binary
2.1 写文件
写文件
二进制方式写文件主要是利用流对象调用成员write()方法
函数原型:ostream& write(const char* s, int len);
s:指向要写入的字符串的指针
len:写入的字符串长度
cpp
复制代码
// main.cpp
#include <iostream>
#include <fstream>
using namespace std;
// 二进制 写文件
class Person {
public:
char m_name[64]; // 姓名
int m_age; // 年龄
};
void test01() {
// 1.包含头文件
// 2.创建流对象
ofstream ofs("person.txt", ios::out | ios::binary);
// 3.打开文件
// ofs.open("person.txt",ios::out | ios::binary);
// 4.写文件
Person p = {"张三", 18};
ofs.write((const char*)&p, sizeof(Person));
// 5.关闭文件
ofs.close();
}
int main() {
test01();
return 0;
}
2.2 读文件
cpp
复制代码
// main.cpp
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
// 二进制 读文件
// 二进制读文件主要是利用 istream的read函数
// 函数原型 istream& read(char* buf, int len);
class Person {
public:
char m_name[64]; // 姓名
int m_age; // 年龄
};
void test01() {
// 1.创建流对象
ifstream ifs;
// 2.打开文件
ifs.open("person.txt", ios::in | ios::binary);
if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
// 3.读文件
Person p;
while (ifs.read((char*)&p, sizeof(Person))) {
cout << "name:" << p.m_name << " age: " << p.m_age << endl;
}
// 4. 关闭文件
ifs.close();
}
int main() {
test01();
return 0;
}