0

我正在尝试创建一个简单的脚本,它将从文件中获取正则表达式,然后在另一个文件上执行搜索和替换。这就是我所拥有的,但它不起作用,文件没有改变,我做错了什么?

import re, fileinput

separator = ' => '

file = open("searches.txt", "r")

for search in file:
    pattern, replacement = search.split(separator)
    pattern = 'r"""' + pattern + '"""'
    replacement = 'r"""' + replacement + '"""'
    for line in fileinput.input("test.txt", inplace=1):
        line = re.sub(pattern, replacement, line)
        print(line, end="")

文件search.txt如下所示:

<p (class="test">.+?)</p> => <h1 \1</h1>
(<p class="not">).+?(</p>) => \1This was changed by the script\2

test.txt像这样:

<p class="test">This is an element with the test class</p>
<p class="not">This is an element without the test class</p>
<p class="test">This is another element with the test class</p>

我做了一个测试,看看它是否正确地从文件中获取表达式:

>>> separator = ' => '
>>> file = open("searches.txt", "r")
>>> for search in file:
...     pattern, replacement = search.split(separator)
...     pattern = 'r"""' + pattern + '"""'
...     replacement = 'r"""' + replacement + '"""'
...     print(pattern)
...     print(replacement)
... 
r"""<p (class="test">.+?)</p>"""
r"""<h1 \1</h1>
"""
r"""(<p class="not">).+?(</p>)"""
r"""\1This was changed by the script\2"""

由于某种原因,第一次替换的结束三引号在换行符上,这可能是我的问题的原因吗?

4

2 回答 2

3

你不需要

pattern = 'r"""' + pattern + '"""'

在对 re.sub 的调用中,pattern应该是实际的正则表达式。所以<p (class="test">.+?)</p>。当您将所有这些双引号括起来时,它会使模式永远不会与文件中的文本匹配。

即使您似乎看过这样的代码:

replaced = re.sub(r"""\w+""", '-')

在这种情况下,r"""向 python 解释器表明您正在谈论“原始”多行字符串,或者不应替换反斜杠序列的字符串(例如 \n 替换为换行符)。程序员经常在 python 中使用“原始”字符串来引用正则表达式,因为他们想使用正则表达式序列(\w如上)而不必引用反斜杠。如果没有原始字符串,则正则表达式必须是'\\w+',这会让人感到困惑。

但是无论如何,您根本不需要三重双引号。最后一个代码短语可以简单地写成:

replaced = re.sub(r'\w+', '-')

最后,您的另一个问题是您的输入文件中有换行符,将每个模式 => 替换的情况分开。所以实际上它是“模式=>替换\ n”,尾随换行符跟随您的替换变量。尝试做:

for search in file:
    search = search.rstrip() #Remove the trailing \n from the input
    pattern, replacement = search.split(separator)
于 2013-01-22T21:49:12.450 回答
1

两个观察:

1).strip()像这样读取文件时使用:

pattern, replacement = search.strip().split(separator)

这将从\n文件中删除

2)如果您打算从模式中转义正则表达式元字符,请使用re.escape()而不是您正在使用的 r"""+ str +""" 形式

于 2013-01-22T21:44:42.577 回答