Python先读取文件再批量删除俩个字符串中间的字符
时间: 2023-10-07 17:08:31 浏览: 92
可以使用 Python 的文件操作和字符串操作中的方法来先读取文件,然后批量删除文件中的两个字符串中间的字符。例如,假设我们有一个文本文件 "test.txt",文件内容如下:
```
Hello, my name is John. I am a Python developer.
Nice to meet you. I love programming in Python.
```
我们想要删除文件中 "name is" 和 "programming in" 之间的字符,可以使用如下代码:
```
filename = "test.txt"
string1 = "name is"
string2 = "programming in"
new_lines = []
with open(filename, "r") as f:
for line in f:
if string1 in line and string2 in line:
start = line.index(string1) + len(string1)
end = line.index(string2)
new_line = line[:start] + line[start:end].replace(line[start], '') + line[end:]
new_lines.append(new_line)
else:
new_lines.append(line)
with open(filename, "w") as f:
for line in new_lines:
f.write(line)
```
在上面的代码中,我们首先定义了要操作的文件名和要删除的两个字符串,然后使用 with open() 语句打开文件,并逐行读取文件内容,如果每行同时包含这两个字符串,就将这一行中这两个字符串之间的字符删除,并将新的行添加到一个列表中。最后,使用 with open() 语句打开文件,将新的行写入文件中。这样就实现了批量删除文件中的两个字符串中间的字符的功能。
阅读全文