Python/python file write

来自菜鸟教程
跳转至:导航、​搜索

<languages />

Python文件写入

写入现有文件

要写入现有文件,必须将参数添加到 open() 功能:

"a" -追加-将追加到文件末尾

"w" -写-将覆盖任何现有内容

打开文件“ demofile2.txt”,并将内容附加到该文件:

  f = open("demofile2.txt", "a")
f.write("Now the file has more content!")

  f.close()

#open and read the file after the appending:
f = 
  open("demofile2.txt", "r")
print(f.read())

打开文件“ demofile3.txt”并覆盖内容:

  f = open("demofile3.txt", "w")

  f.write("Woops! I have deleted the content!")
f.close()


  #open and read the file after the appending:
f = open("demofile3.txt", "r")

  print(f.read())

注意: “ w”方法将覆盖整个文件。


创建一个新文件

要在Python中创建新文件,请使用 open() 方法,具有以下参数之一:

"x" -创建-将创建文件,如果文件存在则返回错误

"a" -附加-如果指定的文件不存在,将创建一个文件

"w" -写入-如果指定的文件不存在,将创建一个文件

创建一个名为“ myfile.txt”的文件:

  f = open("myfile.txt", "x")

结果:创建了一个新的空文件!

如果不存在,请创建一个新文件:

  f = open("myfile.txt", "w")