回答:
私は現在の回答のすべての方法と1つの追加の時間を計った。
入力文字列 abc&def#ghi
&-> \&および#-> \#の置き換えて、最速の方法は、次のように置換をチェーン化することtext.replace('&', '\&').replace('#', '\#')
でした。
各機能のタイミング:
ここに関数があります:
def a(text):
chars = "&#"
for c in chars:
text = text.replace(c, "\\" + c)
def b(text):
for ch in ['&','#']:
if ch in text:
text = text.replace(ch,"\\"+ch)
import re
def c(text):
rx = re.compile('([&#])')
text = rx.sub(r'\\\1', text)
RX = re.compile('([&#])')
def d(text):
text = RX.sub(r'\\\1', text)
def mk_esc(esc_chars):
return lambda s: ''.join(['\\' + c if c in esc_chars else c for c in s])
esc = mk_esc('&#')
def e(text):
esc(text)
def f(text):
text = text.replace('&', '\&').replace('#', '\#')
def g(text):
replacements = {"&": "\&", "#": "\#"}
text = "".join([replacements.get(c, c) for c in text])
def h(text):
text = text.replace('&', r'\&')
text = text.replace('#', r'\#')
def i(text):
text = text.replace('&', r'\&').replace('#', r'\#')
このように時限:
python -mtimeit -s"import time_functions" "time_functions.a('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.b('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.c('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.d('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.e('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.f('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.g('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.h('abc&def#ghi')"
python -mtimeit -s"import time_functions" "time_functions.i('abc&def#ghi')"
以下は、同じことを行うための同様のコードですが、エスケープする文字が多くなっています(\ `* _ {}>#+-。!$):
def a(text):
chars = "\\`*_{}[]()>#+-.!$"
for c in chars:
text = text.replace(c, "\\" + c)
def b(text):
for ch in ['\\','`','*','_','{','}','[',']','(',')','>','#','+','-','.','!','$','\'']:
if ch in text:
text = text.replace(ch,"\\"+ch)
import re
def c(text):
rx = re.compile('([&#])')
text = rx.sub(r'\\\1', text)
RX = re.compile('([\\`*_{}[]()>#+-.!$])')
def d(text):
text = RX.sub(r'\\\1', text)
def mk_esc(esc_chars):
return lambda s: ''.join(['\\' + c if c in esc_chars else c for c in s])
esc = mk_esc('\\`*_{}[]()>#+-.!$')
def e(text):
esc(text)
def f(text):
text = text.replace('\\', '\\\\').replace('`', '\`').replace('*', '\*').replace('_', '\_').replace('{', '\{').replace('}', '\}').replace('[', '\[').replace(']', '\]').replace('(', '\(').replace(')', '\)').replace('>', '\>').replace('#', '\#').replace('+', '\+').replace('-', '\-').replace('.', '\.').replace('!', '\!').replace('$', '\$')
def g(text):
replacements = {
"\\": "\\\\",
"`": "\`",
"*": "\*",
"_": "\_",
"{": "\{",
"}": "\}",
"[": "\[",
"]": "\]",
"(": "\(",
")": "\)",
">": "\>",
"#": "\#",
"+": "\+",
"-": "\-",
".": "\.",
"!": "\!",
"$": "\$",
}
text = "".join([replacements.get(c, c) for c in text])
def h(text):
text = text.replace('\\', r'\\')
text = text.replace('`', r'\`')
text = text.replace('*', r'\*')
text = text.replace('_', r'\_')
text = text.replace('{', r'\{')
text = text.replace('}', r'\}')
text = text.replace('[', r'\[')
text = text.replace(']', r'\]')
text = text.replace('(', r'\(')
text = text.replace(')', r'\)')
text = text.replace('>', r'\>')
text = text.replace('#', r'\#')
text = text.replace('+', r'\+')
text = text.replace('-', r'\-')
text = text.replace('.', r'\.')
text = text.replace('!', r'\!')
text = text.replace('$', r'\$')
def i(text):
text = text.replace('\\', r'\\').replace('`', r'\`').replace('*', r'\*').replace('_', r'\_').replace('{', r'\{').replace('}', r'\}').replace('[', r'\[').replace(']', r'\]').replace('(', r'\(').replace(')', r'\)').replace('>', r'\>').replace('#', r'\#').replace('+', r'\+').replace('-', r'\-').replace('.', r'\.').replace('!', r'\!').replace('$', r'\$')
同じ入力文字列の結果は次のabc&def#ghi
とおりです。
そして、より長い入力文字列(## *Something* and [another] thing in a longer sentence with {more} things to replace$
)の場合:
いくつかのバリアントを追加します。
def ab(text):
for ch in ['\\','`','*','_','{','}','[',']','(',')','>','#','+','-','.','!','$','\'']:
text = text.replace(ch,"\\"+ch)
def ba(text):
chars = "\\`*_{}[]()>#+-.!$"
for c in chars:
if c in text:
text = text.replace(c, "\\" + c)
入力が短い場合:
長い入力の場合:
だから私はba
読みやすさとスピードのために使うつもりです。
コメント欄でhaccksに促され、間に1つの違いab
とは、ba
あるif c in text:
チェック。さらに2つのバリアントに対してテストしてみましょう。
def ab_with_check(text):
for ch in ['\\','`','*','_','{','}','[',']','(',')','>','#','+','-','.','!','$','\'']:
if ch in text:
text = text.replace(ch,"\\"+ch)
def ba_without_check(text):
chars = "\\`*_{}[]()>#+-.!$"
for c in chars:
text = text.replace(c, "\\" + c)
Python 2.7.14および3.6.3、および以前のセットとは異なるマシンでのループあたりの時間(μs)なので、直接比較することはできません。
╭────────────╥──────┬───────────────┬──────┬──────────────────╮
│ Py, input ║ ab │ ab_with_check │ ba │ ba_without_check │
╞════════════╬══════╪═══════════════╪══════╪══════════════════╡
│ Py2, short ║ 8.81 │ 4.22 │ 3.45 │ 8.01 │
│ Py3, short ║ 5.54 │ 1.34 │ 1.46 │ 5.34 │
├────────────╫──────┼───────────────┼──────┼──────────────────┤
│ Py2, long ║ 9.3 │ 7.15 │ 6.85 │ 8.55 │
│ Py3, long ║ 7.43 │ 4.38 │ 4.41 │ 7.02 │
└────────────╨──────┴───────────────┴──────┴──────────────────┘
私たちはそれを結論付けることができます:
チェックありのものはチェックなしのものより最大4倍高速です。
ab_with_check
Python 3でわずかにリードしていますが、ba
(チェックあり)Python 2でよりリードしています。
ただし、ここでの最大の教訓は、Python 3がPython 2よりも最大3倍高速であることです。Python 3の最も遅いものとPython 2の最も速いものとの間に大きな違いはありません!
if c in text:
必要ba
ですか?
1.45 usec per loop
なし:5.3 usec per loop
、長い文字列:4.38 usec per loop
あり:なし:7.03 usec per loop
。(これらは、異なるマシンなどであるため、上記の結果と直接比較することはできません。)
replace
のみ呼び出されるためです。c
text
ba
ab
>>> string="abc&def#ghi"
>>> for ch in ['&','#']:
... if ch in string:
... string=string.replace(ch,"\\"+ch)
...
>>> print string
abc\&def\#ghi
string=string.replace(ch,"\\"+ch)
ですか?string.replace(ch,"\\"+ch)
十分ではないですか?
replace
このような機能を単純にチェーンする
strs = "abc&def#ghi"
print strs.replace('&', '\&').replace('#', '\#')
# abc\&def\#ghi
交換品の数が増える場合は、この一般的な方法でこれを行うことができます
strs, replacements = "abc&def#ghi", {"&": "\&", "#": "\#"}
print "".join([replacements.get(c, c) for c in strs])
# abc\&def\#ghi
ここにstr.translate
and を使用したpython3メソッドがありstr.maketrans
ます:
s = "abc&def#ghi"
print(s.translate(str.maketrans({'&': '\&', '#': '\#'})))
印刷される文字列はabc\&def\#ghi
です。
.translate()
すると3つ連鎖するよりも遅くなるようです.replace()
(CPython 3.6.4を使用)。
replace()
自分で使いますが、完全を期すためにこの回答を追加しました。
'\#'
有効ですか?それはそうではありませんr'\#'
か'\\#'
?コードブロックのフォーマットの問題である可能性があります。
パーティーに遅れましたが、答えが見つかるまでこの問題で多くの時間を失いました。
短くて甘い、translate
より優れていreplace
ます。時間の経過に伴う機能性にさらに関心がある場合は、を使用しないでくださいreplace
。
またtranslate
、置換する文字のセットが、置換に使用する文字のセットと重なっているかどうかわからない場合にも使用します。
適例:
replace
単純にスニペット"1234".replace("1", "2").replace("2", "3").replace("3", "4")
が戻ることを期待して使用すると"2344"
、実際には戻り"4444"
ます。
翻訳は本来OPが望んでいたものを実行するようです。
参考までに、これはOPにはほとんどまたはまったく役に立ちませんが、他の読者には役立つかもしれません(ダウンボットしないでください。私はこれを知っています)。
やや馬鹿げているが興味深い演習として、複数の文字を置き換えるためにpython関数型プログラミングを使用できるかどうかを確認したかった。これがreplace()を2回呼び出すだけでは勝るとは思いません。そして、パフォーマンスが問題である場合、rust、C、julia、perl、java、javascript、そしておそらくawkでもこれを簡単に克服できます。cythonを介して高速化されたpytoolzと呼ばれる外部「ヘルパー」パッケージを使用します(cytoolz、これはpypiパッケージです)。
from cytoolz.functoolz import compose
from cytoolz.itertoolz import chain,sliding_window
from itertools import starmap,imap,ifilter
from operator import itemgetter,contains
text='&hello#hi&yo&'
char_index_iter=compose(partial(imap, itemgetter(0)), partial(ifilter, compose(partial(contains, '#&'), itemgetter(1))), enumerate)
print '\\'.join(imap(text.__getitem__, starmap(slice, sliding_window(2, chain((0,), char_index_iter(text), (len(text),))))))
これについて説明するつもりはありません。複数の置換を行うためにこれを使用する人は誰もいないからです。それにもかかわらず、私はこれを行うことである程度達成したと感じ、それが他の読者を刺激したり、コード難読化コンテストに勝ったりするかもしれないと思いました。
python2.7とpython3。*で利用可能なreduceを使用すると、クリーンでpythonicな方法で複数の部分文字列を簡単に置き換えることができます。
# Lets define a helper method to make it easy to use
def replacer(text, replacements):
return reduce(
lambda text, ptuple: text.replace(ptuple[0], ptuple[1]),
replacements, text
)
if __name__ == '__main__':
uncleaned_str = "abc&def#ghi"
cleaned_str = replacer(uncleaned_str, [("&","\&"),("#","\#")])
print(cleaned_str) # "abc\&def\#ghi"
python2.7では、reduceをインポートする必要はありませんが、python3。*では、functoolsモジュールからインポートする必要があります。
文字を置き換える単純なループかもしれません:
a = '&#'
to_replace = ['&', '#']
for char in to_replace:
a = a.replace(char, "\\"+char)
print(a)
>>> \&\#