使用ReGex来匹配表达式,Python
我有很多句子,但是我会创建一个函数来分别对每个句子进行操作。所以输入只是一个字符串。我的主要目标是提取在"near blue meadows"
之类的介词后面的单词,我想要提取blue meadows
。
我有我的所有介词在一个文本文件。它工作正常,但我想在使用正则表达式中有一个问题。这里是我的代码: 进口重新使用ReGex来匹配表达式,Python
with open("Input.txt") as f: words = "|".join(line.rstrip() for line in f)
pattern = re.compile('({})\s(\d+\w+|\w+)\s\w+'.format(words))
text3 = "003 canopy grace appt, classic royale garden, hennur main road, bangalore 43. near hennur police station"
print(pattern.search(text3).group())
这将返回:
AttributeError Traceback (most recent call last) <ipython-input-83-be0cdffb436b> in <module>()
5 pattern = re.compile('({})\s(\d+\w+|\w+)\s\w+'.format(words))
6 text3 = ""
----> 7 print(pattern.search(text3).group())
AttributeError: 'NoneType' object has no attribute 'group
的主要问题是用正则表达式,我的预期成果是“hennur警察”即2个字后不久。在我的代码中,我使用({})
与preps列表匹配,\s
后跟空格,(\d+\w+|\w+)
后跟单词如19或hennur,\s\w+
后跟一个空格和一个单词。我的正则表达式无法匹配,因此出现None
错误。 为什么它不起作用?
的Input.txt
文件的内容:
['near','nr','opp','opposite','behind','towards','above','off']
预期输出:
hennur police
回答:
该文件包含Python列表文字。使用ast.literal
解析文字。
>>> import ast >>> ast.literal_eval("['near','nr','opp','opposite','behind','towards','above','off']")
['near', 'nr', 'opp', 'opposite', 'behind', 'towards', 'above', 'off']
import ast import re
with open("Input.txt") as f:
words = '|'.join(ast.literal_eval(f.read()))
pattern = re.compile('(?:{})\s(\d*\w+\s\w+)'.format(words))
text3 = "003 canopy grace appt, classic royale garden, hennur main road, bangalore 43. near hennur police station"
# If there could be multiple matches, use `findall` or `finditer`
# `findall` returns a list of list if there's capturing group instead of
# entire matched string.
for place in pattern.findall(text3):
print(place)
# If you want to get only the first match, use `search`.
# You need to use `group(1)` to get only group 1.
print pattern.search(text3).group(1)
输出(第一行是for
环印刷,第二个来自search(..).group(1)
):
hennur police hennur police
注意需要re.escape
每个字,如果有正则表达式中具有特殊含义的单词中的任何特殊字符。
以上是 使用ReGex来匹配表达式,Python 的全部内容, 来源链接: utcz.com/qa/264152.html