说明
《Python 教程》 持续更新中,提供建议、纠错、催更等加作者微信: gairuo123(备注:pandas教程)和关注公众号「盖若」ID: gairuo。跟作者学习,请进入 Python学习课程。欢迎关注作者出版的书籍:《深入浅出Pandas》 和 《Python之光》。
(编码题)编写一个函数,使用 Python 中的 with 语句和文件操作来实现将一个 txt 文件的内容追加到另一个 txt 文件中。
Python 代码如下:
def append_file_content(source_file_path, target_file_path):
# 使用 with 语句打开源文件,以只读方式读取内容
with open(source_file_path, 'r') as source_file:
# 读取源文件的内容
content_to_append = source_file.read()
# 使用 with 语句打开目标文件,以追加方式打开
with open(target_file_path, 'a') as target_file:
# 将源文件的内容追加到目标文件中
target_file.write(content_to_append)
# 调用函数进行文件内容追加
append_file_content('source.txt', 'target.txt')
优化下代码,改用一条 with 语句:
def append_file_content(source_file_path, target_file_path):
with (
open(source_file_path, 'r') as source_file,
open(target_file_path, 'a') as target_file
):
content_to_append = source_file.read()
target_file.write(content_to_append)
# 调用函数进行文件内容追加
append_file_content('source.txt', 'target.txt')
上述代码中使用 open() 函数打开文件,并使用 with 语句确保在文件处理完成后正确关闭文件资源。'r' 表示只读模式,'a' 表示追加模式。在读取源文件的内容后,将内容追加到目标文件中。
查看相关链接中的知识。
(完)
更新时间:2024-08-16 22:43:49 标签:python 习题 文件