如何用Python编写一个脚本,能够遍历指定文件夹中所有文件,查找每份文件中首次出现 ‘<SQL_CASE>’ 的位置,并在此位置后插入文本1?查找每份文件中首次出现'<CLEAR>'的位置,并在此为止后插入文本2.不记录改动到db中
时间: 2024-10-26 09:03:19 浏览: 12
python遍历文件夹下所有excel文件
5星 · 资源好评率100%
在Python中,你可以使用`os`模块来遍历文件夹,`re`模块来搜索字符串,以及`open`函数读取文件内容。下面是一个简单的示例脚本,它会完成你所描述的任务:
```python
import os
import re
# 定义替换前后的文本
text1 = "这是插入的文本1"
text2 = "这是插入的文本2"
# 指定要遍历的文件夹路径
folder_path = '/path/to/your/folder'
# 遍历文件夹中的每个文件
for filename in os.listdir(folder_path):
if filename.endswith('.txt'): # 只处理.txt文件
file_path = os.path.join(folder_path, filename)
with open(file_path, 'r', encoding='utf-8') as f:
content = f.read()
# 查找 '<SQL_CASE>' 和 '<CLEAR>'
sql_case_index = content.find('<SQL_CASE>')
clear_index = content.find('<CLEAR>')
# 如果找到,就在相应位置插入文本
if sql_case_index != -1 and clear_index != -1 and sql_case_index < clear_index:
new_content = content[:sql_case_index] + text1 + content[sql_case_index:]
# 注意,这里只是打印结果,如果你不想修改原文件,可以注释掉这行
# with open(file_path, 'w', encoding='utf-8') as f:
# f.write(new_content)
print(f"在 {filename} 中,将在位置 {sql_case_index + len(text1)} 插入 '{text1}',并在位置 {clear_index} 结束处插入 '{text2}'")
```
阅读全文