P15 P16 P17 文件读写

P15 文件读写1 

写文件并存储,下次可直接使用写好的文件

text = 'This is my first test.\nThis is my next line.\nThis is my last line.'

my_file = open('my_file.txt', 'w')
my_file.write(text)
my_file.close()

使用“ \n ”可以换行,注意斜杠方向

open : open file and return a stream打开指定文件存储在变量中,若没有此文件会创建新文件,再返回一个空文件存储在变量中

'w',write以写入形式打开文件

'r',read以只读形式打开文件

打开的文件一定要关闭,否则会出现宕机或卡机问题

P16 文件读写2

如何在文件中添加一些东西 

appended_text = '\nThis is my appended file.'

my_file = open('my_file.txt', 'a')
my_file.write(appended_text)
my_file.close()

 'a',append添加

打开文件,写入,关闭文件

P17 文件读写3 

如何读文件

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

读取文件中的所有内容 

file = open('my_file.txt', 'r')
content = file.readline()
second_read_time = file.readline()
print(content, second_read_time)
file = open('my_file.txt', 'r')
content = file.readlines()
print(content)

将读取的内容存入python的list([有顺序排列的元素])中,每个元素为文件中的每行内容

file.readline()将所有打开的内容一行一行地放在list中

file.readline()第二次使用就会读第二行的内容

file.readlines()读取所有行 

print()用逗号隔开内容,打印结果会在逗号位置添加一个空格

你可能感兴趣的:(python)