python把一个文件存放到另一个文件中
时间: 2024-12-11 21:35:15 浏览: 7
在Python中,你可以使用内置的`open()`函数读取文件内容,然后使用`write()`或`writelines()`方法将数据写入到另一个文件中。这里是一个简单的例子:
```python
# 打开目标文件(如果不存在会创建)
with open('source.txt', 'r') as source_file: # 以读模式打开源文件
content = source_file.read() # 读取源文件的所有内容
# 创建一个新的文件或替换已存在的目标文件
with open('destination.txt', 'w') as dest_file: # 以写模式打开目标文件
dest_file.write(content) # 将源文件的内容写入目标文件
# 如果需要逐行写入,可以使用下面这种方式
# with open('destination.txt', 'a') as dest_file: # 追加模式('a'),适合于追加内容
# for line in content.split('\n'): # 源文件按行拆分
# dest_file.writelines([line + '\n']) # 写入每一行,并保留换行符
阅读全文