Skip to content

Instantly share code, notes, and snippets.

@bgusach
Last active April 23, 2024 18:46
Show Gist options
  • Star 90 You must be signed in to star a gist
  • Fork 13 You must be signed in to fork a gist
  • Save bgusach/a967e0587d6e01e889fd1d776c5f3729 to your computer and use it in GitHub Desktop.
Save bgusach/a967e0587d6e01e889fd1d776c5f3729 to your computer and use it in GitHub Desktop.
Python string multireplacement
def multireplace(string, replacements, ignore_case=False):
"""
Given a string and a replacement map, it returns the replaced string.
:param str string: string to execute replacements on
:param dict replacements: replacement dictionary {value to find: value to replace}
:param bool ignore_case: whether the match should be case insensitive
:rtype: str
"""
if not replacements:
# Edge case that'd produce a funny regex and cause a KeyError
return string
# If case insensitive, we need to normalize the old string so that later a replacement
# can be found. For instance with {"HEY": "lol"} we should match and find a replacement for "hey",
# "HEY", "hEy", etc.
if ignore_case:
def normalize_old(s):
return s.lower()
re_mode = re.IGNORECASE
else:
def normalize_old(s):
return s
re_mode = 0
replacements = {normalize_old(key): val for key, val in replacements.items()}
# Place longer ones first to keep shorter substrings from matching where the longer ones should take place
# For instance given the replacements {'ab': 'AB', 'abc': 'ABC'} against the string 'hey abc', it should produce
# 'hey ABC' and not 'hey ABc'
rep_sorted = sorted(replacements, key=len, reverse=True)
rep_escaped = map(re.escape, rep_sorted)
# Create a big OR regex that matches any of the substrings to replace
pattern = re.compile("|".join(rep_escaped), re_mode)
# For each match, look up the new string in the replacements, being the key the normalized old string
return pattern.sub(lambda match: replacements[normalize_old(match.group(0))], string)
@ackdav
Copy link

ackdav commented Apr 6, 2017

how would you modify this to have a case-insensitive match?

@HatScripts
Copy link

HatScripts commented Apr 27, 2017

@derdav3

Edit 2019-11-25:
Removed my code since it had bugs, as pointed out by @bgusach (OP) and @sidscry, and as fixed by @thorfi.
Props to OP for updating their code to support case-insensitive matching.

@bgusach
Copy link
Author

bgusach commented May 10, 2017

@derdav3, as @HatScripts suggested, just pass the ignore-case flag to re.compile.

@HatScripts, I haven't tested your proposal, but... aren't you sorting the strings by the length of the first character (i.e. always 1?)

@sidscry
Copy link

sidscry commented Feb 6, 2018

@HatScripts This case fails
string = "original text is here"
replacements = {
"original": "text",
"text" : "fake",
"Is hEre": "was there"
}
ignore_case = True

@thorfi
Copy link

thorfi commented Jul 11, 2018

@sidscry @HatScripts @bgusach:
Bugfixes for the above, replace: rep_sorted = ... with:

    if ignore_case:
        replacements = dict((pair[0].lower(), pair[1]) for pair in sorted(replacements.iteritems()))
    rep_sorted = sorted(replacements, key=lambda s: (len(s), s), reverse=True)
    ...
    return pattern.sub(lambda match: replacements[match.group(0).lower() if ignore_case else match.group(0)], string)

@Gutsu7
Copy link

Gutsu7 commented Sep 2, 2019

How is it possible to use a pandas DataFrame for replacement instead of using a dictionary?

@bgusach
Copy link
Author

bgusach commented Sep 3, 2019

How is it possible to use a pandas DataFrame for replacement instead of using a dictionary?

I'm not familiar with pandas DataFrames, but I guess you can convert that data structure into a dictionary in a meaningful way and then use this function.

@bgusach
Copy link
Author

bgusach commented Oct 2, 2019

Hi @thorfi and @HatScripts, I updated the gist with a solution inspired in yours.

@kungfoomanchu
Copy link

This is a great script. I have two novice questions:

  1. Is there an easy change that would allow me to feed in a list to be replaced instead of a string?
  2. Is there a way for the list of replacements to contain regular expressions? Something like this:
    replacements = { /\bcheese\b/g, 'cheesey', /\bbig\b/g, 'bigger' }

@HatScripts
Copy link

HatScripts commented Nov 25, 2019

@kungfoomanchu

  1. Is there an easy change that would allow me to feed in a list to be replaced instead of a string?

Yes, you can simply use a list comprehension to call multireplace for each string in your list.

strings = ["who is he?", "who did he see?", "who will he become?"]
replacements = {"he" : "she", "who": "what"}
strings = [multireplace(string, replacements) for string in strings]
print(strings)  # ['what is she?', 'what did she see?', 'what will she become?']

  1. Is there a way for the list of replacements to contain regular expressions? Something like this:
    replacements = { /\bcheese\b/g, 'cheesey', /\bbig\b/g, 'bigger' }

If you mean you want all of your matches to be surrounded by word boundaries (\b), you would just need to change this line within the multireplace function:

pattern = re.compile("|".join(rep_escaped), re_mode)

to this:

pattern = re.compile(r"\b(" + "|".join(rep_escaped) + r")\b", re_mode)

If instead you mean you want to be able to pass in any regular expressions as your needles, it gets a bit more complicated, and the multireplace function would need to be essentially rewritten I believe.

If your replacements are simple enough, you could just do something like this:

import re

def multi_replace_regex(string, replacements, ignore_case=False):
    for pattern, repl in replacements.items():
        string = re.sub(pattern, repl, string, flags=re.I if ignore_case else 0)
    return string

replacements = {
    "bee?"     : "b",
    "t(oo?|wo)": "2",
    "not"      : "!",
    "question" : "?",
}
string = "to be or not to be, that is the question"
string = multi_replace_regex(string, replacements)
print(string)  # 2 b or ! 2 b, that is the ?

Important to note is that this will give unexpected results with many/complicated overlapping patterns and replacements, because unlike OP's multireplace function, this does not do the replacements in a single pass. Thus, the order of the dictionary may be important to you. If so, I would recommend using an OrderedDict, unless you are using Python 3.7 or later, wherein it is guaranteed that the built-in dict class will remember insertion order.

@kungfoomanchu
Copy link

kungfoomanchu commented Dec 5, 2019

@HatScripts This is fantastic, thank you very much!

@harshil122017
Copy link

Thank you so much for this script!!! I really appreciate it 👍

@elidchan
Copy link

elidchan commented Nov 11, 2020

Thanks to all who have contributed to this script! One further improvement is to separate the compilation of the regular expression from the processing of the pattern on a string. This provides a big performance improvement when the same regular expression needs to be used to process multiple strings.

Here's my stab at doing this:

import re


def identity(s):
    return s


def lowercase(s):
    return s.lower()


class StringReplacer(object):

    def process(self, string):
        """
        Process the given string by replacing values as configured
        :param str string: string to perform replacements on
        :rtype: str
        """
        replacements = self.replacements
        normalize = self.normalize
        # For each match, look up the new string in the replacements via the normalized old string
        return self.pattern.sub(lambda match: replacements[normalize(match.group(0))], string)

    def __init__(self, replacements, ignore_case=False):
        """
        Given a replacement map, instantiate a StringReplacer.
        :param dict replacements: replacement dictionary {value to find: value to replace}
        :param bool ignore_case: whether the match should be case insensitive
        :rtype: None
        """
        self.normalize = self._configure_normalize(ignore_case)
        self.replacements = self._configure_replacements(replacements, self.normalize)
        self.pattern = self._configure_pattern(self.replacements, ignore_case)

    def _configure_normalize(self, ignore_case):
        # If case insensitive, we need to normalize the old string so that later a replacement
        # can be found. For instance with {"HEY": "lol"} we should match and find a replacement for "hey",
        # "HEY", "hEy", etc.
        return lowercase if ignore_case else identity

    def _configure_replacements(self, replacements, normalize):
        return {normalize(key): value for key, value in replacements.items()}

    def _configure_pattern(self, replacements, ignore_case):
        # Place longer ones first to keep shorter substrings from matching where the longer ones should take place
        # For instance given the replacements {'ab': 'AB', 'abc': 'ABC'} against the string 'hey abc', it should produce
        # 'hey ABC' and not 'hey ABc'
        sorted_replacement_keys = sorted(replacements, key=len, reverse=True)
        escaped_replacement_keys = [re.escape(key) for key in sorted_replacement_keys]

        re_mode = re.IGNORECASE if ignore_case else 0

        # Create a big OR regex that matches any of the substrings to replace
        return re.compile('|'.join(escaped_replacement_keys), re_mode)

@bgusach
Copy link
Author

bgusach commented Jul 7, 2021

@elidchan re.compile caches to a certain extent:

https://docs.python.org/3/library/re.html#re.compile

The compiled versions of the most recent patterns passed to re.compile() and the module-level
matching functions are cached, so programs that use only a few regular expressions at a time
needn’t worry about compiling regular expressions.

So your approach may or may not make sense depending on the scenario (and it could be that you'd have to cache your StringReplacer instances)

@mnesarco
Copy link

mnesarco commented Sep 15, 2021

Based on @bgusach and @elidchan proposals, I have created a version with support for basic regex replacement. The main restriction is that expressions must not contain subgroups, and there may be some edge cases:

import re

class StringReplacer:

    def __init__(self, replacements, ignore_case=False):
        patterns = sorted(replacements, key=len, reverse=True)
        self.replacements = [replacements[k] for k in patterns]
        re_mode = re.IGNORECASE if ignore_case else 0
        self.pattern = re.compile('|'.join(("({})".format(p) for p in patterns)), re_mode)
        def tr(matcher):
            index = next((index for index,value in enumerate(matcher.groups()) if value), None)
            return self.replacements[index]
        self.tr = tr

    def __call__(self, string):
        return self.pattern.sub(self.tr, string)

Tests

table = {
    "aaa"    : "[This is three a]",
    "b+"     : "[This is one or more b]",
    r"<\w+>" : "[This is a tag]"
}

replacer = StringReplacer(table, True)

sample1 = "whatever bb, aaa, <star> BBB <end>"

print(replacer(sample1))

# output: whatever [This is one or more b], [This is three a], [This is a tag] [This is one or more b] [This is a tag]

The trick is to identify the matched group by its position. It is not super efficient (O(n)), but it works.

index = next((index for index,value in enumerate(matcher.groups()) if value), None)

Replacement is done in one pass.

@gsalfourn
Copy link

How would one apply multireplace to strings in pandas dataframe?

@jrom99
Copy link

jrom99 commented Nov 8, 2021

Based on @mnesarco approach, I tried a functional one with support for one subgroup per expression:

import re
from typing import Dict, Union


def multireplace(table: Dict[str, str], string: str, flags: Union[int, re.RegexFlag] = 0):
    patterns = {
        f"_g{n}": pattern for n, pattern in enumerate(table)
    }

    def repl(match: re.Match):
        repkey = None
        groupkey = None

        for key, value in match.groupdict().items():
            if value is None:
                continue

            if key.startswith("_g"):
                repkey = key
            else:
                groupkey, groupval = key, value

        repval = table[patterns[repkey]]
        return repval if groupkey is None else repval.replace(fr"\g<{groupkey}>", groupval)

    regex = "|".join(fr"(?P<{group}>{rep})" for group, rep in patterns.items())
    return re.sub(regex, repl, string, flags=flags)

Test

table = {
    "aaa": "[This is three a]",
    "b+": "[This is one or more b]",
    r"(?<=<spam>).+(?=</spam>)": "[REDACTED]",
    r"</?\w+>": "[This is a tag]",
}

txt = multireplace(table, "whatever bb, aaa, <star> BBB <end> <tag>keep me</tag> and <spam>delete me</spam>", re.IGNORECASE)
print(txt)
# output: whatever [This is one or more b], [This is three a], [This is a tag] [This is one or more b] [This is a tag] [This is a tag]keep me[This is a tag] and [This is a tag][REDACTED][This is a tag]

table = {
    "aaa": "[This is three a]",
    "b+": "[This is one or more b]",
    r"<(?P<name>\w+)>(?P<value>.+)</(?P=name)>": r"[This is an HTML tag with text (\g<value>)]",
    r"</?\w+>": "[This is a tag]",
}

txt = multireplace(table, "whatever bb, aaa, <star> BBB <end> <tag>keep me</tag> and <spam>delete me</spam>", re.IGNORECASE)
print(txt)

# output: whatever [This is one or more b], [This is three a], [This is a tag] [This is one or more b] [This is a tag] [This is an HTML tag with text (keep me)] and [This is an HTML tag with text (delete me)]

It's still O(n), I don't know how priorities are being set inside the main regex, they should be based on the dictionary order, but when there is competition (eg r"<(?P<name>\w+)>(?P<value>.+)</(?P=name)>" versus r"(?<=<spam>).+(?=</spam>)") the first has precedence. Also, one cannot reference a group by its order, only by name.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment