【Python】Python文件操作 代码举例讲解

在Python中,文件操作主要通过open()、read()、write()等函数实现,常用的文件操作代码模式如下:

  1. 打开文件
    使用open()函数,指定文件名和模式(‘r’读,’w’写,’a’追加等)
## python www.itzhimei.com 代码
file = open('test.txt','w')
  1. 读取文件
    使用file.read()或for循环逐行读取
## python www.itzhimei.com 代码
text = file.read()

for line in file:
  print(line)
  1. 写入文件
    使用file.write()方法写入字符串
## python www.itzhimei.com 代码
file.write('Hello World') 
  1. 关闭文件
    操作完成后需要关闭文件
## python www.itzhimei.com 代码
file.close()
  1. with语句
    使用with语句可以自动关闭文件
## python www.itzhimei.com 代码
with open('test.txt','w') as file:
  file.write('Hello World')

示例:

## python www.itzhimei.com 代码
with open('test.txt','r') as file:
  data = file.read()
  print(data)

with open('test.txt','a') as file:  
  file.write('Hello World')

以上是Python文件操作的常用方法。