1、打开一个文件读取数据
假设我们有以下文件,位于与Python相同的文件夹中:
demofile.txt
Hello! Welcome to demofile.txtThis file is for testing purposes.www.wonhero.com
要打开文件,请使用内置的open()
函数。
open()
函数返回一个文件对象,该对象具有用于读取文件内容的read()
方法:
例如:
f = open("demofile.txt", "r")print(f.read())
如果文件位于其他位置,则必须指定文件路径,如下所示:
例如:
在其他位置打开文件:
f = open("D:\\myfiles\welcome.txt", "r")print(f.read())
2、read读取文件中部分数据
默认情况下,read()
方法返回整个文本,但是您也可以指定要返回的字符数:
例如:
返回文件的前5个字符:
f = open("demofile.txt", "r")print(f.read(5))
3、readline()读取一行
可以使用readline()
方法返回一行:
例如:
读取文件的一行:
f = open("demofile.txt", "r")print(f.readline())
通过两次调用readline()
,可以阅读前两行:
例如:
读取文件中的两行:
f = open("demofile.txt", "r")print(f.readline())print(f.readline())
通过遍历文件的每一行,您可以逐行读取整个文件:
例如:
逐行循环遍历文件:
f = open("demofile.txt", "r")for x in f:print(x)
4、close关闭文件
最好在完成处理后始终关闭文件。
例如:
完成后关闭文件:
f = open("demofile.txt", "r")print(f.readline())f.close()
注意:您应该始终关闭文件,在某些情况下,由于缓冲的原因,只有在关闭文件后才能显示对文件所做的更改。