Is there a way to remove all characters except letters in a string in Python?

A solution using RegExes is quite easy here:

import re
newstring = re.sub(r"[^a-zA-Z]+", "", string)

Where string is your string and newstring is the string without characters that are not alphabetic. What this does is replace every character that is not a letter by an empty string, thereby removing it. Note however that a RegEx may be slightly overkill here.

A more functional approach would be:

newstring = "".join(filter(str.isalpha, string))

Unfortunately you can't just call stron a filterobject to turn it into a string, that would look much nicer...
Going the pythonic way it would be

newstring = "".join(c for c in string if c.isalpha())

Given

s = '@#24A-09=wes()&8973o**_##me'  # contains letters 'Awesome'    

You can filter out non-alpha characters with a generator expression:

result = ''.join(c for c in s if c.isalpha())

Or filter with filter:

result = ''.join(filter(str.isalpha, s))    

Or you can substitute non-alpha with blanks using re.sub:

import re
result = re.sub(r'[^A-Za-z]', '', s)