在90天内学习核心Python
作者:互联网
读取文件
Python 提供了几种从文件中读取数据的方法。我们可以使用该函数打开文件并指定文件路径和模式。让我们看一个读取文本文件的示例:open()
file = open('data.txt', 'r') # Open file in read mode content = file.read() # Read entire file content file.close() # Close the file
我们还可以使用该方法逐行读取文件,或使用该方法将所有行作为列表检索。readline()
readlines()
写入文件
要将数据写入文件,我们以写入模式()打开它。如果该文件不存在,Python 会创建它。下面是将内容写入文件的示例:'w'
file = open('output.txt', 'w') # Open file in write mode file.write('Hello, World!') # Write content to the file file.close() # Close the file
默认情况下,该方法将覆盖现有内容。如果要将新内容追加到现有文件,请改用追加模式 ()。write()
'a'
上下文管理器:带语句
将上下文管理器与语句一起使用是文件处理的推荐做法。它确保文件自动关闭,即使发生异常也是如此。下面是一个示例:with
with open('data.txt', 'r') as file: content = file.read() # Process the content
使用该语句,我们不需要显式关闭文件。它提高了代码的可读性并有效地处理了文件资源。with