美文网首页
python文件操作详步骤

python文件操作详步骤

作者: 4c7e6478f472 | 来源:发表于2018-08-13 18:53 被阅读0次

在python中,使用open函数,可以打开一个已经存在的文件,或者创建一个新文件

file = open(文件名,访问模式)

使用close及为关闭这个文件

f.close()

例:

file
#新建一个文件,文件名为:test.txt
f = open('test.txt','w')
#关闭这个文件
f.close()

使用write()可以完成向文件写入数据

f = open('test.txt','w')
f.write('hello world')

使用read(num)可以从文本中读取数据,num表示要从文件中读取的数据的长度(单位是字节),如果没有传入num,那么就表示读取文件中所有的数据

f = open('test.txt', 'r')
content = f.read(5)
print(content)
print("*"*30)
content = f.read()
print(content)
f.close()

就像read没有参数时一样,Readlines可以按照行的方式把整个文件中的内容一次性读取,并且返回的是一个列表,其中每一行的数据为一个元素

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()

在读写文件的过程中,如果想知道当前的位置,可以使用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()

如果在读写文件的过程中,需要从另外一个位置进行操作的话,可以使用seek()seek(offset, from)有2个参数
offset:偏移量
from:方向
表示文件开头
表示当前位置
表示文件末尾

#demo:把位置设置为:从文件开头,偏移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()


#demo:把位置设置为:离文件末尾,3字节处

# 打开一个已经存在的文件
f = open("test.txt", "rb+")

# 查找当前位置
position = f.tell()
print "当前文件位置 : ", position

# 重新设置位置
f.seek(-3,2)

# 读取到的数据为:文件最后3个字节数据
str = f.read()
print "读取的数据是 : ", str
f.close()

os模块中的rename()可以完成对文件的重命名操作
rename(需要修改的文件名, 新的文件名)

import os
os.rename("毕业论文.txt", "毕业论文-最终版.txt")

os模块中的remove()可以完成对文件的删除操作
remove(待删除的文件名)

import os
 os.remove("毕业论文.txt")

备份:

oldFileName = input("请输入要拷贝的文件名字:")
oldFile = open(oldFileName,'r')

# 如果打开文件
if oldFile:

# 提取文件的后缀
fileFlagNum = oldFileName.rfind('.')
if fileFlagNum > 0:
fileFlag = oldFileName[fileFlagNum:]

# 组织新的文件名字
newFileName = oldFileName[:fileFlagNum] + '[复件]' + fileFlag

# 创建新文件
newFile = open(newFileName, 'w')

# 把旧文件中的数据,一行一行的进行复制到新文件中
for lineContent in oldFile.readlines():
newFile.write(lineContent)

# 关闭文件
oldFile.close()
newFile.close()

谢谢支持!!!

相关文章

网友评论

      本文标题:python文件操作详步骤

      本文链接:https://www.haomeiwen.com/subject/ljhybftx.html