Pythonで文字列の文字を削除したい:
string.replace(',', '').replace("!", '').replace(":", '').replace(";", '')...
しかし、私は削除しなければならない多くのキャラクターを持っています。リストについて考えた
list = [',', '!', '.', ';'...]
しかし、どうやってを使用list
しての文字を置き換えることができstring
ますか?
Pythonで文字列の文字を削除したい:
string.replace(',', '').replace("!", '').replace(":", '').replace(";", '')...
しかし、私は削除しなければならない多くのキャラクターを持っています。リストについて考えた
list = [',', '!', '.', ';'...]
しかし、どうやってを使用list
しての文字を置き換えることができstring
ますか?
回答:
python2を使用していて、入力が文字列(Unicodeではない)である場合、絶対に最適な方法はstr.translate
次のとおりです。
>>> chars_to_remove = ['.', '!', '?']
>>> subj = 'A.B!C?'
>>> subj.translate(None, ''.join(chars_to_remove))
'ABC'
それ以外の場合は、次のオプションを検討する必要があります。
A.件名を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)
。どうやらそれは議論として口述を取る。
使用できます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, '!.;,')
あなたがpython3を使用していてtranslate
解決策を探しているなら-関数は変更され、今では2つではなく1つのパラメータを取ります。
そのパラメーターはテーブル(ディクショナリーにすることができます)であり、各キーは検索する文字のUnicode序数(int)であり、値は置換(Unicode序数またはキーをマップする文字列のいずれか)です。
次に使用例を示します。
>>> list = [',', '!', '.', ';']
>>> s = "This is, my! str,ing."
>>> s.translate({ord(x): '' for x in list})
'This is my string'
また、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]
これはそのための1つの方法です。ただし、削除したい文字のリストを保持するのに飽きた場合は、実際に、反復する文字列の順序番号を使用することで実行できます。注文番号は、その文字のASCII値です。charとしての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コマンドを使用して、リストを文字列として返します。コードは次のようになります。
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
、で見つかったアイテムを分割し、結果をフラット化して文字列を結合します。
Python 3、単一行リスト内包表記の実装。
from string import ascii_lowercase # 'abcdefghijklmnopqrstuvwxyz'
def remove_chars(input_string, removable):
return ''.join([_ for _ in input_string if _ not in removable])
print(remove_chars(input_string="Stack Overflow", removable=ascii_lowercase))
>>> 'S O'