1.文件操作的作用
文件的基本操作
在Python中,使用open函数,可以打开一个已经存在的文件,或者创建一个新文件
open(name,mode,encoding)
f = open('python.txt','r',encoding="UTF-8")
# encoding的顺位不是第三位,所以不能用位置参数,用关键字参数直接指定
注意:此时的f是open函数的文件对象,对象是python中一种特殊的数据类型,拥有属性和方法,可以使用对象,属性或对象。
mode常用的三种基础访问方式
模式 | 描述 |
---|---|
r | 以只读方式打开文件。文件的指针将会放在文件的开头,这是默认方式 |
w | 打开一个文件只用于写入。如果该文件已存在则打开文件,并从开头开始编辑,原有内容会被删除 |
a | 打开一个文件用于追加。如果该文件已存在,新的内容会被写入到已有内容之后 。如果该文件不存在 ,创建新文件 进行写入。 |
2.文件的打开、读取、关闭
f = open("D:/测试.txt","r",encoding="UTF-8")
content = f.read()
print(f"{content}") #黑马程序员
f = open("D:/测试.txt","r",encoding="UTF-8")
content = f.readlines()
print(f"{content}") # ['hello world \n', 'abcdefg\n', '你好,世界']
f = open("D://测试.txt","r",encoding="UTF-8")
content1 = f.readline()
content2 = f.readline()
print(f"第一行:{content1}")
print(f"第二行:{content2}")
# 关闭文件
f.close()
for line in open("D://测试.txt","r",encoding="UTF-8"):
print(line)
# hello world # abcdefg # 你好,世界
f = open("D://测试.txt","r",encoding="UTF-8")
f.close()
with open("D://测试.txt","r",encoding="UTF-8") as f:
f.readlines()
操作 | 功能 |
---|---|
文件对象=open(file,mode,encoding) | 打开文件获得文件对象 |
文件对象.read(num) | 读取指定长度字节;不指定num读取文件全部 |
文件对象.readline() | 读取一行 |
文件对象.readlines() | 读取全部行,得到列表 |
for line in 文件对象 | for循环文件行,一次循环得到一行数据 |
文件对象.close | 关闭文件对象 |
with open() as f | 通过with open语法打开文件,可以自动关闭 |
方法1
file = open("D://测试.txt","r",encoding="UTF-8")
content = file.read()
# 列表.count(元素) 计数
count = content.count('itheima')
print(count) # itheima出现6次
方法2
count = 0 # 使用count变量来累计itheima的次数
for line in open("D://测试.txt","r",encoding="UTF-8"):
line = line.strip() # 去除开头和结尾的空格及换行符
words = line.split(" ")
for word in words:
if word == 'itheima':
count += 1 # 如果单词是itheima,数量累计+1
print(f"{count}") # 次数是6
#1.打开文件
f = open("D://测试.txt","w",encoding="UTF-8")
#2.文件写入
f.write("Hello,world")
#3.内容刷新
f.flush()
注意
写操作注意
# 1.打开文件,通过a模式打开即可
f = open("D://测试.txt","a",encoding="UTF-8")
# 2.文件写入
f.write("\n你好,世界")
# 3.刷新内容
f.flush()
注意
# 打开文件得到文件对象,准备读取
fr = open("D://bill.txt.txt","r",encoding="UTF-8")
# 打开文件得到文件对象,准备写入
fw = open("D://bill.txt.bak.txt","w",encoding="UTF-8")
# for 循环读取文件
for content in fr.readlines():
content = content.strip()
# 判断内容,满足内容的输出
if content.split(",")[4] == "测试":
continue # continue进入下次循环
fw.write(content) #将内容写出去
fw.write("\n") # 前面将内容进行了strip()处理,所以手动写出换行符
# close2个文件对象
fr.close()
fw.close()