我想在python中删除字符串中的字符:
string.replace(',', '').replace("!", '').replace(":", '').replace(";", '')...但是我必须删除许多字符。我想到了一个清单
list = [',', '!', '.', ';'...]但是,如何使用list来替换中的字符string?
我想在python中删除字符串中的字符:
string.replace(',', '').replace("!", '').replace(":", '').replace(";", '')...但是我必须删除许多字符。我想到了一个清单
list = [',', '!', '.', ';'...]但是,如何使用list来替换中的字符string?
Answers:
如果您使用的是python2,而您的输入是字符串(不是unicodes),则绝对最佳的方法是str.translate:
>>> chars_to_remove = ['.', '!', '?']
>>> subj = 'A.B!C?'
>>> subj.translate(None, ''.join(chars_to_remove))
'ABC'否则,可以考虑以下选项:
A.通过char迭代主题char,省略不需要的字符和join结果列表:
>>> sc = set(chars_to_remove)
>>> ''.join([c for c in subj if c not in sc])
'ABC'(请注意,生成器版本 ''.join(c for c ...)效率较低)。
B.动态创建一个正则表达式,并re.sub带有一个空字符串:
>>> import re
>>> rx = '[' + re.escape(''.join(chars_to_remove)) + ']'
>>> re.sub(rx, '', subj)
'ABC'(re.escape确保字符喜欢^或]不会破坏正则表达式)。
C.使用以下映射的变体translate:
>>> chars_to_remove = [u'δ', u'Γ', u'ж']
>>> subj = u'AжBδCΓ'
>>> dd = {ord(c):None for c in chars_to_remove}
>>> subj.translate(dd)
u'ABC'完整的测试代码和计时:
#coding=utf8
import re
def remove_chars_iter(subj, chars):
    sc = set(chars)
    return ''.join([c for c in subj if c not in sc])
def remove_chars_re(subj, chars):
    return re.sub('[' + re.escape(''.join(chars)) + ']', '', subj)
def remove_chars_re_unicode(subj, chars):
    return re.sub(u'(?u)[' + re.escape(''.join(chars)) + ']', '', subj)
def remove_chars_translate_bytes(subj, chars):
    return subj.translate(None, ''.join(chars))
def remove_chars_translate_unicode(subj, chars):
    d = {ord(c):None for c in chars}
    return subj.translate(d)
import timeit, sys
def profile(f):
    assert f(subj, chars_to_remove) == test
    t = timeit.timeit(lambda: f(subj, chars_to_remove), number=1000)
    print ('{0:.3f} {1}'.format(t, f.__name__))
print (sys.version)
PYTHON2 = sys.version_info[0] == 2
print ('\n"plain" string:\n')
chars_to_remove = ['.', '!', '?']
subj = 'A.B!C?' * 1000
test = 'ABC' * 1000
profile(remove_chars_iter)
profile(remove_chars_re)
if PYTHON2:
    profile(remove_chars_translate_bytes)
else:
    profile(remove_chars_translate_unicode)
print ('\nunicode string:\n')
if PYTHON2:
    chars_to_remove = [u'δ', u'Γ', u'ж']
    subj = u'AжBδCΓ'
else:
    chars_to_remove = ['δ', 'Γ', 'ж']
    subj = 'AжBδCΓ'
subj = subj * 1000
test = 'ABC' * 1000
profile(remove_chars_iter)
if PYTHON2:
    profile(remove_chars_re_unicode)
else:
    profile(remove_chars_re)
profile(remove_chars_translate_unicode)结果:
2.7.5 (default, Mar  9 2014, 22:15:05) 
[GCC 4.2.1 Compatible Apple LLVM 5.0 (clang-500.0.68)]
"plain" string:
0.637 remove_chars_iter
0.649 remove_chars_re
0.010 remove_chars_translate_bytes
unicode string:
0.866 remove_chars_iter
0.680 remove_chars_re_unicode
1.373 remove_chars_translate_unicode
---
3.4.2 (v3.4.2:ab2c023a9432, Oct  5 2014, 20:42:22) 
[GCC 4.2.1 (Apple Inc. build 5666) (dot 3)]
"plain" string:
0.512 remove_chars_iter
0.574 remove_chars_re
0.765 remove_chars_translate_unicode
unicode string:
0.817 remove_chars_iter
0.686 remove_chars_re
0.876 remove_chars_translate_unicode(作为附带说明,该数字remove_chars_translate_bytes可能为我们提供了一个线索,说明为什么该行业这么长时间不愿采用Unicode)。
TypeError: translate() takes exactly one argument (2 given)。显然,它以dict为参数。
                    您可以使用str.translate():
s.translate(None, ",!.;")例:
>>> s = "asjo,fdjk;djaso,oio!kod.kjods;dkps"
>>> s.translate(None, ",!.;")
'asjofdjkdjasooiokodkjodsdkps's.translate(dict.fromkeys(map(ord, u",!.;")))
                    unicode.translate()方法具有与该方法不同的参数str.translate()。将以上注释中的变体用于Unicode对象。
                    您可以使用翻译方法。
s.translate(None, '!.;,')关于从字符串中将char转换为标准非重音char的字符串删除UTF-8重音也是一个有趣的话题:
删除python unicode字符串中的重音符号的最佳方法是什么?
来自主题的代码摘录:
import unicodedata
def remove_accents(input_str):
    nkfd_form = unicodedata.normalize('NFKD', input_str)
    return u"".join([c for c in nkfd_form if not unicodedata.combining(c)])简单的方法
import re
str = 'this is string !    >><< (foo---> bar) @-tuna-#   sandwich-%-is-$-* good'
// condense multiple empty spaces into 1
str = ' '.join(str.split()
// replace empty space with dash
str = str.replace(" ","-")
// take out any char that matches regex
str = re.sub('[!@#$%^&*()_+<>]', '', str)输出:
this-is-string--foo----bar--tuna---sandwich--is---good
怎么样-一个衬垫。
reduce(lambda x,y : x.replace(y,"") ,[',', '!', '.', ';'],";Test , ,  !Stri!ng ..")我认为这很简单并且可以!
list = [",",",","!",";",":"] #the list goes on.....
theString = "dlkaj;lkdjf'adklfaj;lsd'fa'dfj;alkdjf" #is an example string;
newString="" #the unwanted character free string
for i in range(len(TheString)):
    if theString[i] in list:
        newString += "" #concatenate an empty string.
    else:
        newString += theString[i]这是做到这一点的一种方法。但是,如果您厌倦了要保留要删除的字符列表,则实际上可以使用迭代的字符串的顺序号来完成。订单号是该字符的ascii值。0作为字符的ascii数为48,小写字母z的ascii数为122,因此:
theString = "lkdsjf;alkd8a'asdjf;lkaheoialkdjf;ad"
newString = ""
for i in range(len(theString)):
     if ord(theString[i]) < 48 or ord(theString[i]) > 122: #ord() => ascii num.
         newString += ""
     else:
        newString += theString[i]这些天,我开始研究计划,现在我认为擅长递归和评估。哈哈哈 只需分享一些新方法:
首先,评估一下
print eval('string%s' % (''.join(['.replace("%s","")'%i for i in replace_list])))第二,递归
def repn(string,replace_list):
    if replace_list==[]:
        return string
    else:
        return repn(string.replace(replace_list.pop(),""),replace_list)
print repn(string,replace_list)嘿,别投票。我只想分享一些新想法。
我正在考虑为此的解决方案。首先,我将字符串输入作为列表。然后,我将替换列表中的项目。然后通过使用join命令,我将以字符串形式返回list。代码可以像这样:
def the_replacer(text):
    test = []    
    for m in range(len(text)):
        test.append(text[m])
        if test[m]==','\
        or test[m]=='!'\
        or test[m]=='.'\
        or test[m]=='\''\
        or test[m]==';':
    #....
            test[n]=''
    return ''.join(test)这将从字符串中删除任何内容。您对此有何看法?
这是一种more_itertools方法:
import more_itertools as mit
s = "A.B!C?D_E@F#"
blacklist = ".!?_@#"
"".join(mit.flatten(mit.split_at(s, pred=lambda x: x in set(blacklist))))
# 'ABCDEF'在这里,我们分割了在中找到的项目blacklist,将结果展平并加入字符串。
去掉 *%,&@!从下面的字符串:
s = "this is my string,  and i will * remove * these ** %% "
new_string = s.translate(s.maketrans('','','*%,&@!'))
print(new_string)
# output: this is my string  and i will  remove  these