Remove any kind of quotes from a string in python

229 Views Asked by At

Example Strings:

'" "Hello World" "'
'" Today isn't a good day for hello world"'
'" Today "is" a good day for hello world "'

Output:

'"Hello World'"
'"Today isnt a good day for hello world'"
'"Today is a good day for hello world'"

I tried string replace but I cannot do str.replace("\"'", ""). Is there a good way to do it using regular expression or even simply replace method?

2

There are 2 best solutions below

0
On

You could call replace twice.

You could use str.translate:

>>> s = '" "Hello World" "'
>>> remove_quotes = str.maketrans('', '', "'\"")
>>> s.translate(remove_quotes)
' Hello World '

You could use a regular expression.

Any of these approaches would work.

2
On

Use str.translate to perform both replacements at once.

quote_dropper = str.maketrans('', '', '\'"')  # Ideally done once up front, and reused

# ... later, when you need to strip quotes from a string ...
mystr = mystr.translate(quote_dropper)

str.maketrans just makes a simple dict mapping the codes for both characters to None, which is how you tell translate to delete said characters when encountered.