文件的读入
open() 函数
open(name, mode)
name:需要访问文件名称的字符串值
mode:mode决定了打开文件的模式
常用的打开文件的模式
模式 | 描述 |
---|---|
r | 以只读方式打开文件。文件的指针将会放在文件的开头。这是默认模式。 |
w | 打开一个文件只用于写入。如果该文件已存在则打开文件,并从开头开始编辑,即原有内容会被删除。如果该文件不存在,创建新文件。 |
a | 打开一个文件用于追加。如果该文件已存在,文件指针将会放在文件的结尾。也就是说,新的内容将会被写入到已有内容之后。如果该文件不存在,创建新文件进行写入。 |
r+ | 打开一个文件用于读写。文件指针将会放在文件的开头。 |
w+ | 打开一个文件用于读写。如果该文件已存在则打开文件,并从开头开始编辑,即原有内容会被删除。如果该文件不存在,创建新文件。 |
a+ | 打开一个文件用于读写。如果该文件已存在,文件指针将会放在文件的结尾。文件打开时会是追加模式。如果该文件不存在,创建新文件用于读写。 |
读取整个文件
新建一个文件,命名为poem.txt
Who has seen the wind?
Neither I nor you;
But when the leaves hang trembling,
The wind is passing through.
在相同文件夹下创建一个py文件,命名为poem_reader.py
with open('poem.txt') as file_object:
contents = file_object.read()
print(contents.rstrip())
关键字with在不再需要访问文件后将其关闭
使用read()到达文件末尾时返回一个空字符从而显示出来一个空行,用rstrip()可以删除字符串末尾的空白
读取文本文件时,Python将其中的所有文本都解读为字符串。
data:image/s3,"s3://crabby-images/395ce/395ce972335f567bd7962d2e923848a3c37f10cb" alt=""
如果需要读取的文件和程序不在同一个文件夹,要写出文件所在路径。
file_path = 'D:\py\poem.txt'
with open(file_path) as file_object:
contents = file_object.read()
print(contents.rstrip())
data:image/s3,"s3://crabby-images/149c2/149c20cb4e759d8e6223df4f79943962cdbe0d00" alt=""
逐行读取
file_path = 'D:\py\poem.txt'
with open(file_path) as file_object:
for line in file_object:
print(line.rstrip())
data:image/s3,"s3://crabby-images/667b1/667b1bf446cfc58f83f3f57a97a4b5cea5db53d3" alt=""
文件内容的使用
file_path = 'D:\py\poem.txt'
with open(file_path) as file_object:
lines = file_object.readlines()
poem_string = ''
for line in lines:
poem_string += line.strip()
poem_string1 = poem_string[:22]
print(poem_string1)
print(len(poem_string1))
data:image/s3,"s3://crabby-images/09ac7/09ac7abd2f24762bb968088dd1751c57cad640a6" alt=""
strip() 方法用于移除字符串头尾指定的字符(默认为空格或换行符)或字符序列,该方法只能删除开头或是结尾的字符,不能删除中间部分的字符
文件的写入
写入空文件
可以创建新的py文件,这里使用之前的poem_reader.py
filename = "poem.txt"
with open(filename,'w') as file_object:
file_object.write("Who has seen the wind?")
with open(filename, 'r') as file_object:
contents = file_object.read()
print(contents)
data:image/s3,"s3://crabby-images/c1c84/c1c84bf4192064905198bf056e1c5889f4cf3634" alt=""
以写入('w')模式打开文件时,如果指定的文件已经存在,Python将在返回文件对象前清空该文件。
写入多行
filename = "poem.txt"
with open(filename,'w') as file_object:
file_object.write("Who has seen the wind?\n")
file_object.write("Neither I nor you;\n")
with open(filename, 'r') as file_object:
contents = file_object.read()
print(contents)
data:image/s3,"s3://crabby-images/58c8f/58c8fb326dc4fa5a1e8c83e716dffc735ef6e0cf" alt=""
附加到文件
打开文件时指定实参'a',将内容附加到文件末尾,而不是覆盖文件原来的内容。
filename = "poem.txt"
with open(filename,'a') as file_object:
file_object.write("But when the leaves hang trembling,\n")
file_object.write("The wind is passing through.\n")
with open(filename, 'r') as file_object:
contents = file_object.read()
print(contents)
data:image/s3,"s3://crabby-images/9bfda/9bfda41f70c4a19515837d8e15790ad76bb47c53" alt=""
网友评论