在常规的python文件操作过程中主要有以下三个步骤:
(1)打开文件;
(2)读/写文件;
(3)关闭文件
注意:如果写文件后不关闭,那么写入的内容不会保存

1、将指定内容写入文件

text = 'This is my first test.\nThis is the next line.\nThis the last text\n'
my_file = open('1.txt', 'w')
##如果文件存在,必须要和.py文件在一个文件夹下,如果要编辑其他文件夹下的文件需要在1.txt前加上(filepath(指定路径)/)
##如果文件不存在则会自动创建一个文件
my_file.write(text)
my_file.close()

如果想继续写入内容或在一个不为空的文件中添加内容则不能使用write函数,这样会覆盖原有内容,可以使用以append(a)权限打开文件。

2、在文件中添加指定内容

append_text = 'This is my second test.\nThis is the next line.\nThis my last text'
my_file = open('1.txt', 'a')
my_file.write(append_text)
my_file.close()

3、读取指定文件中的内容

file = open('1.txt', 'r')
content = file.read()
print(content)
file.close()

4、使用with open … as进行读写操作

with open('1.txt', 'r') as outfile:
    content = outfile.read()
    print(content)

使用with open … as进行读写操作不需要关闭文件。