python输出到txt文件
时间: 2023-10-03 22:02:41 浏览: 117
你可以使用Python内置的`open()`函数和文件对象的`write()`方法将数据写入到txt文件中。以下是一个简单的例子:
```python
# 打开文件,如果文件不存在则创建它
with open('output.txt', 'w') as file:
# 写入数据到文件中
file.write('Hello, world!\n')
file.write('This is an example of writing to a text file.\n')
```
这个例子创建了一个名为`output.txt`的文件,并将`Hello, world!`和`This is an example of writing to a text file.`写入到文件中。注意,在使用`open()`函数时,第二个参数指定了文件打开模式,`'w'`表示写入模式。
如果你需要在文件中添加内容而不是覆盖原有内容,可以使用`'a'`模式打开文件:
```python
with open('output.txt', 'a') as file:
# 追加数据到文件末尾
file.write('This is additional text added to the file.')
```
这个例子会在`output.txt`文件的末尾追加一行文本,而不是覆盖原有内容。
阅读全文