标签:操作 清空文件 2.3 路径 指定 文件操作 read 写入 3.3
文件操作jj = open(‘路径‘,mode=‘模式‘,encoding=‘编码‘)
jj.write()#写入
jj.read()#读取全部
jj.close()#关闭文件
r是只读,w是只写(先清空文件),a是只写(只添加不能读)
r+ (**)常用程度
读:,默认光标位置0,读时默认从最开始读
写:根据光标的位置从当前光标位置开始进行操作,会覆盖当前光标后面的值
w+ (**)常用程度
读:默认光标最后或0,读取时需要调整光标位置
写:先清空
a+ (*)常用程度
读:默认光标位置在最后,读需要调整光标位置
写:写入时不论怎么调整光标位置,永远写到最后
rb是只读(以二进制读取),wb是只写(以二进制写入),ab是(以二进制追加)
rb+(二进制) (**)常用程度
读:,默认光标位置0,读时默认从最开始读
写:根据光标的位置从当前光标位置开始进行操作,会覆盖当前光标后面的值
wb+(二进制) (**)常用程度
读:默认光标最后或0,读取时需要调整光标位置
写:先清空
ab+(二进制) (*)常用程度
读:默认光标位置在最后,读需要调整光标位置
写:写入时不论怎么调整光标位置,永远写到最后
read(1)
obj = open(‘a.txt‘,mode=‘r‘,encoding=‘utf-8‘)
data = obj.read(1) # 1个字符
obj.close()
print(data)
obj = open(‘a.txt‘,mode=‘rb‘)
data = obj.read(3) # 1个字节
obj.close()
obj = open(‘a.txt‘,mode=‘w‘,encoding=‘utf-8‘)
obj.write(‘中午你‘)
obj.close()
write(二进制)
obj = open(‘a.txt‘,mode=‘wb‘)
# obj.write(‘中午你‘.encode(‘utf-8‘))
v = ‘中午你‘.encode(‘utf-8‘)
obj.write(v)
obj.close()
seek(光标字节位置),无论模式是否带b,都是按照字节进行处理。
obj = open(‘a.txt‘,mode=‘r‘,encoding=‘utf-8‘)
obj.seek(3) # 跳转到指定字节位置
data = obj.read()
obj.close()
print(data)
obj = open(‘a.txt‘,mode=‘rb‘)
obj.seek(3) # 跳转到指定字节位置
data = obj.read()
obj.close()
print(data)
tell(), 获取光标当前所在的字节位置
obj = open(‘a.txt‘,mode=‘rb‘)
# obj.seek(3) # 跳转到指定字节位置
obj.read()
data = obj.tell()
print(data)
obj.close()
flush,强制将内存中的数据写入到硬盘
v = open(‘a.txt‘,mode=‘a‘,encoding=‘utf-8‘)
while True:
val = input(‘请输入:‘)
v.write(val)
v.flush()
v.close()
一般方法
v = open(‘a.txt‘,mode=‘a‘,encoding=‘utf-8‘)
v.close()#需要手动关闭,有时候会忘记,占用内存空间
方便方法
with open(‘a.txt‘,mode=‘a‘,encoding=‘utf-8‘) as v:
data = v.read()
# 缩进中的代码执行完毕后,自动关闭文件
with open(‘a.txt‘,mode=‘r‘,encoding=‘utf-8‘) as f1:
data = f1.read()
new_data = data.replace(‘飞洒‘,‘666‘)
with open(‘a.txt‘,mode=‘w‘,encoding=‘utf-8‘) as f1:
data = f1.write(new_data)
f1 = open(‘a.txt‘,mode=‘r‘,encoding=‘utf-8‘)
f2 = open(‘b.txt‘,mode=‘w‘,encoding=‘utf-8‘)
for line in f1:
new_line = line.replace(‘阿斯‘,‘死啊‘)
f2.write(new_line)
f1.close()
f2.close()
with open(‘a.txt‘,mode=‘r‘,encoding=‘utf-8‘) as f1, open(‘c.txt‘,mode=‘w‘,encoding=‘utf-8‘) as f2:
for line in f1:
new_line = line.replace()
f2.write(new_line)
标签:操作 清空文件 2.3 路径 指定 文件操作 read 写入 3.3
原文地址:https://blog.51cto.com/11985686/2376621