置換する文字列を正規表現にできるソリューションが必要でした。たとえば、複数の空白文字を1つの空白文字に置き換えることで長いテキストを正規化するのに役立ちます。MiniQuarkやmmjを含む他の人からの一連の回答に基づいて、これが私が思いついたものです。
def multiple_replace(string, reps, re_flags = 0):
""" Transforms string, replacing keys from re_str_dict with values.
reps: dictionary, or list of key-value pairs (to enforce ordering;
earlier items have higher priority).
Keys are used as regular expressions.
re_flags: interpretation of regular expressions, such as re.DOTALL
"""
if isinstance(reps, dict):
reps = reps.items()
pattern = re.compile("|".join("(?P<_%d>%s)" % (i, re_str[0])
for i, re_str in enumerate(reps)),
re_flags)
return pattern.sub(lambda x: reps[int(x.lastgroup[1:])][1], string)
それは他の答えで与えられた例のために働きます、例えば:
>>> multiple_replace("(condition1) and --condition2--",
... {"condition1": "", "condition2": "text"})
'() and --text--'
>>> multiple_replace('hello, world', {'hello' : 'goodbye', 'world' : 'earth'})
'goodbye, earth'
>>> multiple_replace("Do you like cafe? No, I prefer tea.",
... {'cafe': 'tea', 'tea': 'cafe', 'like': 'prefer'})
'Do you prefer tea? No, I prefer cafe.'
私にとっての主なことは、たとえば単語全体を置き換えるために、または空白を正規化するために、正規表現も使用できることです。
>>> s = "I don't want to change this name:\n Philip II of Spain"
>>> re_str_dict = {r'\bI\b': 'You', r'[\n\t ]+': ' '}
>>> multiple_replace(s, re_str_dict)
"You don't want to change this name: Philip II of Spain"
辞書キーを通常の文字列として使用したい場合は、たとえば次の関数を使用してmultiple_replaceを呼び出す前に、それらをエスケープできます。
def escape_keys(d):
""" transform dictionary d by applying re.escape to the keys """
return dict((re.escape(k), v) for k, v in d.items())
>>> multiple_replace(s, escape_keys(re_str_dict))
"I don't want to change this name:\n Philip II of Spain"
次の関数は、辞書のキーから誤った正規表現を見つけるのに役立ちます(multiple_replaceからのエラーメッセージはあまりわかりません)。
def check_re_list(re_list):
""" Checks if each regular expression in list is well-formed. """
for i, e in enumerate(re_list):
try:
re.compile(e)
except (TypeError, re.error):
print("Invalid regular expression string "
"at position {}: '{}'".format(i, e))
>>> check_re_list(re_str_dict.keys())
置換はチェーンされず、同時に実行されることに注意してください。これにより、実行できることを制限することなく、より効率的になります。連鎖の効果を模倣するには、文字列と置換のペアをさらに追加して、ペアの期待される順序を確認する必要がある場合があります。
>>> multiple_replace("button", {"but": "mut", "mutton": "lamb"})
'mutton'
>>> multiple_replace("button", [("button", "lamb"),
... ("but", "mut"), ("mutton", "lamb")])
'lamb'