![]() |
Finding Special Characters in a String - Printable Version +- Python Forum (https://python-forum.io) +-- Forum: Python Coding (https://python-forum.io/forum-7.html) +--- Forum: General Coding Help (https://python-forum.io/forum-8.html) +--- Thread: Finding Special Characters in a String (/thread-214.html) |
Finding Special Characters in a String - ATXpython - Sep-30-2016 Hello, Ive got a script that builds a list based on data from a spreadsheet. Each item added to the list is a string, some of which contain special characters like $, *, @, etc. What Id like to do is remove the special characters from each item in the list. So if the spreadsheet has 'blah $blah' Id want just 'blah blah'. I was thinking it may be best to create a list of the characters I want to search for, then loop over each character of each list item. If anyone could help with some pseudo code, it would be greatly appreciated. RE: Finding Special Characters in a String - Larz60+ - Sep-30-2016 Hello, Try this: import re def remove_special_characters(s=None): if s: return re.sub(r'[^a-zA-Z\d\s]', '', s) return None if __name__ == '__main__': s = remove_special_characters('Is there any $*@#Rat^$#~ in the strawberry shortcake?') print(s)results Is there any Rat in the strawberry shortcakeLarz60+ RE: Finding Special Characters in a String - ichabod801 - Sep-30-2016 I would use the translate method of the strings. It allows for the deletion of multiple characters in one call, along with other modifications. You need a translation table, using maketrans. In Python 3.x this is a method of the string object as well, but in Python 2.x it's part of the string module. RE: Finding Special Characters in a String - snippsat - Sep-30-2016 (Sep-30-2016, 04:17 PM)ATXpython Wrote: I was thinking it may be best to create a list of the characters I want to search for, then loop over each character of each list item.Yes you can do it one go like this. >>> s = 'bl"a@h $bl*ah' >>> ''.join(c for c in s if c not in '$@"*') 'blah blah' RE: Finding Special Characters in a String - ATXpython - Sep-30-2016 Thank you all so much!! Very helpful! |