文件处理流程
- 打开文件,得到文件句柄并赋值给一个变量
- 通过句柄对文件进行操作
- 关闭文件
文件打开模式
打开文件时,需要指定文件路径和以何等方式打开文件,打开后,即可获取该文件句柄,之后通过此文件句柄对该文件操作。
打开文件的模式有:
- r ,只读模式【默认模式,文件必须存在,不存在则抛出异常】
- w,只写模式【不可读;不存在则创建;存在则清空内容】
- a, 追加模式【可读; 不存在则创建;存在则只追加内容】
"+" 表示可以同时读写某个文件
- r+, 读写【可读,可写】
- w+,写读【可读,可写】
- a+, 写读【可读,可写】
"b"表示以字节的方式操作
- rb 或 r+b
- wb 或 w+b
- ab 或 a+b
注:以b方式打开时,读取到的内容是字节类型,写入时也需要提供字节类型,不能指定编码
拷贝文件
1 import sys 2 if len(sys.argv) != 3: 3 print('Usage: cp source_file target_file') 4 sys.exit() 5 6 source_file, target_file = sys.argv[1], sys.argv[2] 7 with open(r'%s' % source_file,'rb') as read_f, open(r'%s' % target_file,'wb') as write_f: 8 for line in read_f: 9 write_f.write(line)
文件修改
1 import os 2 with open('a.txt','r',encoding='utf-8') as read_f, 3 open('.a.txt.swap','w',encoding='utf-8') as write_f: 4 for line in read_f: 5 if line.startswith('Hi'): 6 line='Hello ' 7 write_f.write(line) 8 9 os.remove('a.txt') 10 os.rename('.a.txt.swap','a.txt')
模拟tail
1 import sys 2 import time 3 4 with open(r'%s' % sys.argv[2], 'rb') as f: 5 f.seek(0, 2) 6 7 while True: 8 line = f.readline() 9 if line: 10 print(line.decode('utf-8'),end='') 11 else: 12 time.sleep(0.2)
文件内光标移动
一: read(3):
1. 文件打开方式为文本模式时,代表读取3个字符
2. 文件打开方式为b模式时,代表读取3个字节
二: 其余的文件内光标移动都是以字节为单位如seek,tell,truncate
注意:
1. seek有三种移动方式0,1,2,其中1和2必须在b模式下进行,但无论哪种模式,都是以bytes为单位移动的
2. truncate是截断文件,所以文件的打开方式必须可写,但是不能用w或w+等方式打开,因为那样直接清空文件了,所以truncate要在r+或a或a+等模式下测试效果