3.2文件的读写
3.2.1 写数据 (write)
使用write()可以完成向文件写入数据,例:
f = open('test.txt', 'w')
f.write('hello 大家好, 我是AI浩')
f.close()
运行现象
如果文件不存在那么创建,如果创造那就先清空在写入数据
3.2.2 读数据(read)
使用read(num)可以从文件中读取数据,num表示要从文件中读取的数据的长度 如果没有传入num 那么就表示读取文件中的所有的数据
f = open('test.txt', 'r')
content = f.read(5)
print(content)
print("-"*30)
content = f.read()
print(content)
f.close()
运行结果
hello
------------------------------
大家好, 我是AI浩
注意:
如果open 是打开一个文件,那么可以不用谢打开的模式,即只写open(‘test
.txt’)
如果使用读了多次,那么后面读取的数据是从上次读完后的位置开始的
3.2.3 读数据(readlines)
就像read 没有参数时一样,readlines 可以按照行的方式把整个文件中的内容进行一次性读取,并且返回的是一个列表,其中每一行的数据作为一个元素
#coding=utf-8
f = open('test.txt', 'r')
content = f.readlines()
print(type(content))
i=1
for temp in content:
print("%d:%s"%(i, temp))
i+=1
f.close()
运行结果
<class 'list'>
1:hello 大家好, 我是AI浩
3.2.4 读数据(readlines)
#coding=utf-8
f = open('test.txt', 'r')
content = f.readline()
print("1:%s"%content)
content = f.readline()
print("2:%s"%content)
f.close()
运行结果
1:hello 大家好, 我是AI浩
2:asfsifhiudh
3.3 文件的常用操作
3.3.1 获取当前读写的位置
在读写文件的过程中,如果想知道当前的位置,可以用tell()来获取,例:
# 打开一个已经存在的文件
f = open("test.txt", "r")
str = f.read(3)
print("读取的数据是 : ", str)
# 查找当前位置
position = f.tell()
print("当前文件位置 : ", position)
str = f.read(3)
print("读取的数据是 : ", str)
# 查找当前位置
position = f.tell()
print("当前文件位置 : ", position)
f.close()
f.tell() 可以告诉该函数的 位置
3.3.2 定位到某个位置
如果在读写文件的过程中,需要从另外一个位置进行操作的话,可以使用seek()
seek(offset,from)有两个参数
offset:偏移量
from:方向
0:表示文件开头
1:表示文件当前的位置
2:表示文件末尾
例1:把位置设置为:从文件的开头,偏移5个字节
# 打开一个已经存在的文件
f = open("test.txt", "r")
str = f.read(30)
print("读取的数据是 : ", str)
# 查找当前位置
position = f.tell()
print("当前文件位置 : ", position)
# 重新设置位置
f.seek(5, 0)
# 查找当前位置
position = f.tell()
print("当前文件位置 : ", position)
f.close()
例2:把位置设置为:离文件末尾,3字节处
# 打开一个已经存在的文件
f = open("test.txt", "rb")
print("读取的数据是 : ", str)
position = f.tell()
print("当前文件位置 : ", position)
# 重新设置位置
f.seek(-3, 2)
# 读取到的数据为:文件最后3个字节数据
str = f.read()
print("读取的数据是 : ", str)
f.close()