以二进制的方式对文件进行读写操作
打开方式要指定为 ios::binary
1、写文件
二进制方式写文件主要利用流对象调用成员函数write
函数原型 :ostream& write(const char * buffer,int len);
参数解释:字符指针buffer指向内存中一段存储空间。len是读写的字节数
#include<iostream>
#include<fstream>
using namespace std;
class person
{
public:
char m_name[64];
int age;
};
void main()
{
fstream ofs("person.txt",ios::out|ios::binary);
person p = { "张三", 18 };
ofs.write( (const char*)&p, sizeof(p) );
ofs.close();
}
2、读文件
文件输入流对象 可以通过read函数,以二进制方式读数据
#include<iostream>
#include<fstream>
using namespace std;
class person
{
public:
char m_name[64];
int m_age;
};
void main()
{
fstream ofs("person.txt", ios::out | ios::binary);
person p = { "张三", 18 };
ofs.write( (const char*)&p, sizeof(p) );
ofs.close();
cout << "文件写入完成" << endl;
ifstream ifs;
ifs.open("person.txt", ios::in | ios::binary);
if((ifs.is_open()) == false)
{
cout << "文件打开失败" << endl;
}
person p1;
ifs.read((char*)&p1, sizeof(p));
cout << p1.m_name << endl;
cout << p1.m_age << endl;
ifs.close();
虽然写到文件里的数据有乱码,但是读出来是没有问题的,这就是二进制文件的读写
|