文件的作用:
将数据长期存储下来,在需要的时候使用
文本文件和二进制文件
在计算机中,要操作文件的套路非常固定,一共包含三个步骤:
序号 | 函数/方法 | 说明 |
1 | open | 打开文件,并返回文件操作对象 |
2 | read | 将文件内容读取到内存 |
3 | write | 将指定内容写入到文件 |
4 | close | 关闭文件 |
#获得文件操作对象(sis.txt文件) file = open("sis.txt") #读取 text = file.read() print(text) #关闭文件 file.close() ''' 运行结果 我是中文的哦 nidie中文 '''
1 #获得文件操作对象(sis.txt文件) 2 file = open("sis.txt") 3 #读取 4 text = file.read() 5 #查看读取文件的长度 (14) 6 print(len(text)) 7 #输出读取到的文件 8 print(text) 9 print("*"*30) 10 #重新读取文件 11 text = file.read() 12 print(text) # 空 13 print(len(text)) # (0) 14 #关闭文件 15 file.close() 16 17 """ 18 运行结果: 19 14 20 我是中文的哦 21 nidie中文 22 ****************************** 23 24 0 25 """文件指针演示
语法如下:
提示:频繁的移动指针,会影响文件读写效率,开发中更多的时候会以 只读、只写 的方式来操作文件
readline 方法:
读取大文件的正确姿势:
1 #打开文件 2 file = open("sis.txt") 3 while True: 4 #读取一行内容 5 text = file.readline() 6 #判断是否读取到内容 7 if text == "": #或者 if not text: 8 print(type(text)) #<class 'str'> 9 break 10 #每读取到末尾都会有一个 \n 11 print(text,end="") 12 """ 13 运行结果: 14 python1一 15 python2二 16 python3三 17 python4四<class 'str'> 18 """View Code
目标:用代码实现文件的复制过程
1 #复制小文件方式1 2 file_read = open("sis.txt","r") 3 file_write = open("test.txt","w") 4 text_1 = file_read.read() 5 text_2 = file_write.write(text_1) 6 file_write.close() 7 file_read.close() 8 9 #复制小文件方式2 推荐(with关键字,会自动释放文件对象空间) 10 test = None 11 with open("sis.txt","r") as file: 12 test = file.read() 13 with open("test1.txt","w") as file: 14 file.write(test)小文件复制
1 #大文件复制 2 file_read = open("五笔词根1.jpg","rb") 3 file_write = open("五笔词根2.jpg","wb") 4 while True: 5 text = file_read.readline() 6 #python中,除了‘’、""、0、()、[]、{}、None为False, 其他转换都为True。 也就是说字符串如果不为空,则永远转换为True。 7 if not text: 8 break 9 file_write.write(text) 10 file_read.close() 11 file_write.close()大文件复制
文件读取 — Python 3.10.1 文档
文件操作:
目录操作:
pass
# -*- coding: utf8 -*-
# -*- coding: utf-8 -*-
# -*- coding: gbk -*-
eval函数功能非常强大——将字符串当成有效的表达式来求值,并返回计算结果
# -*- coding: gbk -*- #基本的数学计算 print(eval("1+1")) #字符串重复 print(eval("'*'*30")) #将字符串转变成列表 print(type(eval("[1,2,3,4,5]"))) #将字符串转变成元组 print(type(eval("(1,2,3,4,5)"))) #将字符串转变成字典 print(type(eval("{'name':'苹果','age':18}")))
案例——计算器
input_str = input("输入算数题") print(eval(input_str)) ''' 运行: 输入算数题1+1 2 '''
注意:在开发的时候千万不要使用 eval 直接转换 input 的结果