C++文本操作:文本文件的读写

写文件

  1. 包含头文件:#include <fstream>

  2. 创建流对象:ofstream ofs;

  3. 打开文件:ofs.open("Url",打开方式)

    (如果路径处只写了文件名,则会保存在同级文件夹下)

    打开方式 解释
    ios::in 为读文件而打开文件
    ios::out 为写文件而打开文件
    ios::ate 初始位置为文件尾
    ios::app 追加方式写文件
    ios::trunc 先删除,再创建
    ios::binary 二进制方式
  4. 写数据:ofs << "写入的数据"(可以加入<< endl;来换行)

  5. 关闭文件:ofs.close();

示例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
#include <iostream>
using namespace std;
#include <fstream>//1.头文件的包含

void test01() {
//2.创建流对象
ofstream ofs;

//3.指定打开方式
ofs.open("test.txt", ios::out);

//4.写内容
ofs << "姓名:张三" << endl;
ofs << "性别:男" << endl;
ofs << "年龄:18" << endl;

//5.关闭文件
ofs.close();

cout << "写入成功!" << endl;
}

int main()
{
test01();
system("pause");
return 0;
}

读文件

  1. 包含头文件:#include <fstream>

  2. 创建流对象:ofstream ifs;

  3. 打开文件并判断是否成功打开:ifs.open("Url",打开方式)

    (判断打开方式见代码)

  4. 读数据:有四种方式,各有特点

  5. 关闭文件:ifs.close();

示例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
#include <iostream>
using namespace std;
#include <fstream>//1.包含头文件
#include <string>

void test01() {
//2.创建流对象
ifstream ifs;
//3.打开文件并判断是否打开成功
ifs.open("test.txt", ios::in);

if (!ifs.is_open()) {
cout << "文件打开失败" << endl;
return;
}
//4.读数据
//第一种(C风格字符串1)
//char buf[1024] = { 0 };
//while (ifs >> buf) {
// cout << buf << endl;
//}

//第二种(C风格字符串2)
//char buf[1024] = { 0 };
//while (ifs.getline(buf, sizeof(buf))) {
// cout << buf << endl;
//}

//第三种(CPP风格字符串)
//string buf;
//while (getline(ifs, buf)) {
// cout << buf << endl;
//}

//第四种(单字符)
char c;
while ((c = ifs.get()) != EOF)//EOF=end of file
{
cout << c;
}

//5.关闭文件
ifs.close();
}

int main()
{
test01();

system("pause");
return 0;
}