python print 输出到文件
时间: 2024-07-08 09:01:20 浏览: 130
python:print格式化输出到文件的实例
5星 · 资源好评率100%
在Python中,将`print()`语句的内容输出到文件,你可以使用内置的文件操作功能。首先,你需要打开一个文件(如果文件不存在,可以创建一个新的),然后写入数据,最后关闭文件。以下是一个简单的例子:
```python
# 打开文件(如果存在则追加,不存在则创建)
file = open("output.txt", "a")
# 使用print()函数将内容写入文件
print("Hello, this is an example!", file=file)
# 关闭文件
file.close()
```
如果你想在每次打印时都覆盖文件内容,你可以把模式改为"w"(写入,会清空现有内容):
```python
file = open("output.txt", "w") # 替换为"w",表示写入并清空内容
# 再次打印
print("Another line to the same file.", file=file)
# 关闭文件
file.close()
```
阅读全文