Desde una perspectiva de eficiencia, no vas a vencer
s.translate(None, string.punctuation)
Para versiones superiores de Python use el siguiente código:
s.translate(str.maketrans('', '', string.punctuation))
Realiza operaciones de cadena sin formato en C con una tabla de búsqueda: no hay mucho que supere eso, sino escribir su propio código C.
Si la velocidad no es una preocupación, otra opción es:
exclude = set(string.punctuation)
s = ''.join(ch for ch in s if ch not in exclude)
Esto es más rápido que reemplazarlo con cada carácter, pero no funcionará tan bien como los enfoques de Python no puros como regexes o string.translate, como puede ver en los tiempos a continuación. Para este tipo de problema, vale la pena hacerlo al nivel más bajo posible.
Código de tiempo:
import re, string, timeit
s = "string. With. Punctuation"
exclude = set(string.punctuation)
table = string.maketrans("","")
regex = re.compile('[%s]' % re.escape(string.punctuation))
def test_set(s):
return ''.join(ch for ch in s if ch not in exclude)
def test_re(s): # From Vinko's solution, with fix.
return regex.sub('', s)
def test_trans(s):
return s.translate(table, string.punctuation)
def test_repl(s): # From S.Lott's solution
for c in string.punctuation:
s=s.replace(c,"")
return s
print "sets :",timeit.Timer('f(s)', 'from __main__ import s,test_set as f').timeit(1000000)
print "regex :",timeit.Timer('f(s)', 'from __main__ import s,test_re as f').timeit(1000000)
print "translate :",timeit.Timer('f(s)', 'from __main__ import s,test_trans as f').timeit(1000000)
print "replace :",timeit.Timer('f(s)', 'from __main__ import s,test_repl as f').timeit(1000000)
Esto da los siguientes resultados:
sets : 19.8566138744
regex : 6.86155414581
translate : 2.12455511093
replace : 28.4436721802