代码分析分析文本文件与二进制文件的区别和读写差异;
时间: 2024-03-13 07:42:46 浏览: 207
以下是代码分析:
读取文本文件:
```C++
#include <iostream>
#include <fstream>
using namespace std;
int main() {
ifstream fin("test.txt");
if (!fin) {
cout << "文件打开失败!" << endl;
return 1;
}
char ch;
while (fin >> ch) { // 读取字符
cout << ch;
}
fin.close();
return 0;
}
```
这段代码使用了C++的iostream库中的ifstream类读取文本文件。首先打开文本文件,然后使用while循环逐个读取字符,最后关闭文件。
写入文本文件:
```C++
#include <iostream>
#include <fstream>
using namespace std;
int main() {
ofstream fout("test.txt");
if (!fout) {
cout << "文件打开失败!" << endl;
return 1;
}
fout << "Hello, World!" << endl; // 写入字符串
fout.close();
return 0;
}
```
这段代码使用了C++的iostream库中的ofstream类写入文本文件。首先打开文本文件,然后使用<<运算符写入字符串,最后关闭文件。
读取二进制文件:
```C++
#include <iostream>
#include <fstream>
using namespace std;
int main() {
ifstream fin("test.dat", ios::in | ios::binary);
if (!fin) {
cout << "文件打开失败!" << endl;
return 1;
}
char ch;
while (fin.read(&ch, sizeof(ch))) { // 读取一个字节
cout << ch;
}
fin.close();
return 0;
}
```
这段代码使用了C++的iostream库中的ifstream类读取二进制文件。首先以二进制方式打开文件,然后使用while循环逐个读取一个字节,最后关闭文件。
写入二进制文件:
```C++
#include <iostream>
#include <fstream>
using namespace std;
int main() {
ofstream fout("test.dat", ios::out | ios::binary);
if (!fout) {
cout << "文件打开失败!" << endl;
return 1;
}
char str[] = "Hello, World!";
fout.write(str, sizeof(str)); // 写入字符串
fout.close();
return 0;
}
```
这段代码使用了C++的iostream库中的ofstream类写入二进制文件。首先以二进制方式打开文件,然后使用write()函数写入字符串,最后关闭文件。
总的来说,读写文本文件和二进制文件的区别在于打开方式和读写的方式不同。在读写文本文件时,使用默认的方式即可;在读写二进制文件时,则需要使用二进制方式打开,并使用read()和write()函数进行操作。
阅读全文