请新建一个文本文件hello_world.txt,写入五行“Hello,world!:i”,i从0到4。 请打开文本文件hello_world.txt,追加五行“hello,world!:i”,i从5到9。 以只读模式打开文本文件hello_world.txt,读入所有行并输出。 删除hello_world.txt文件中i为奇数的行。
时间: 2023-07-25 08:35:58 浏览: 180
好的,以下是 Python 代码实现:
```python
# 写入前五行
with open('hello_world.txt', 'w') as f:
for i in range(5):
f.write('Hello,world!:' + str(i) + '\n')
# 追加后五行
with open('hello_world.txt', 'a') as f:
for i in range(5, 10):
f.write('hello,world!:' + str(i) + '\n')
# 以只读模式打开文件并读入所有行
with open('hello_world.txt', 'r') as f:
lines = f.readlines()
print('原始内容为:')
for line in lines:
print(line.strip())
# 删除i为奇数的行
new_lines = []
for i, line in enumerate(lines):
if i % 2 == 0: # i为偶数,保留该行
new_lines.append(line)
print('删除后的内容为:')
for line in new_lines:
print(line.strip())
# 将新内容写回到原文件
with open('hello_world.txt', 'w') as f:
f.writelines(new_lines)
```
以上代码中,我们首先以写入模式打开文件,并循环写入前五行。然后,我们以追加模式打开文件,并循环追加后五行。接着,我们以只读模式打开文件并读入所有行,输出原始内容。然后,我们遍历所有行,如果该行对应的行号i为偶数,则保留该行,否则就忽略该行。最后,我们输出删除后的内容,并将新内容写回到原文件中。
注意:在实际操作中,我们应该先备份原文件,以防误操作导致数据丢失。
阅读全文