python 编写程序,在D盘根目录下创建一个文本文件tst.txt,并向其中写入字符串helloworld。 打开该文件,读取该文件的内容,控制台能看到world
时间: 2024-11-29 11:33:18 浏览: 4
在Python中,可以使用内置模块`os`和`open()`函数来完成这个任务。首先,创建文件并写入内容,然后读取并输出指定部分。以下是详细的步骤:
```python
# 导入os模块,用于操作文件和路径
import os
# 创建文件名和路径
filename = 'D:\\tst.txt'
content = 'helloworld'
# 写入内容到文件
with open(filename, 'w') as f:
f.write(content)
# 打开文件并读取内容
try:
with open(filename, 'r') as f:
file_content = f.read() # 全部读取
print(f"文件的内容是:{file_content}")
# 如果你想只显示'world',可以在print语句中提取
start_index = file_content.index('world')
end_index = start_index + len('world')
word_to_show = file_content[start_index:end_index]
print(f"控制台能看到的世界部分是:{word_to_show}")
except FileNotFoundError:
print(f"文件'{filename}'不存在,无法读取内容.")
```
这段代码会在D盘根目录下创建一个名为`tst.txt`的文本文件,并写入字符串"helloworld"。接着,它尝试打开并读取该文件,如果文件存在则输出全部内容以及"world"这个词。
阅读全文