파이썬에서 문자열을 바꾸는 빠른 방법이 있습니까?하지만 처음부터 시작하는 replace
것이 아니라 처음부터 시작 합니까? 예를 들면 다음과 같습니다.
>>> def rreplace(old, new, occurrence)
>>> ... # Code to replace the last occurrences of old by new
>>> '<div><div>Hello</div></div>'.rreplace('</div>','</bad>',1)
>>> '<div><div>Hello</div></bad>'
답변
>>> def rreplace(s, old, new, occurrence):
... li = s.rsplit(old, occurrence)
... return new.join(li)
...
>>> s
'1232425'
>>> rreplace(s, '2', ' ', 2)
'123 4 5'
>>> rreplace(s, '2', ' ', 3)
'1 3 4 5'
>>> rreplace(s, '2', ' ', 4)
'1 3 4 5'
>>> rreplace(s, '2', ' ', 0)
'1232425'
답변
나는 이것이 가장 효율적인 방법이라고 생각하지는 않지만 간단한 방법입니다. 문제가되는 모든 문자열을 str.replace
반대로하고 뒤집은 문자열을 사용하여 일반적인 대체를 수행 한 다음 결과를 올바른 방향으로 되돌립니다.
>>> def rreplace(s, old, new, count):
... return (s[::-1].replace(old[::-1], new[::-1], count))[::-1]
...
>>> rreplace('<div><div>Hello</div></div>', '</div>', '</bad>', 1)
'<div><div>Hello</div></bad>'
답변
다음은 하나의 라이너입니다.
result = new.join(s.rsplit(old, maxreplace))
모든 하위 문자열 old 가 new 로 대체 된 string s 사본을 리턴합니다 . 첫 번째 maxreplace 발생이 대체됩니다.
그리고이 사용중인 전체 예 :
s = 'mississipi'
old = 'iss'
new = 'XXX'
maxreplace = 1
result = new.join(s.rsplit(old, maxreplace))
>>> result
'missXXXipi'
답변
문자열을 바꾸고 첫 번째 발생을 바꾸고 다시 뒤집으십시오.
mystr = "Remove last occurrence of a BAD word. This is a last BAD word."
removal = "BAD"
reverse_removal = removal[::-1]
replacement = "GOOD"
reverse_replacement = replacement[::-1]
newstr = mystr[::-1].replace(reverse_removal, reverse_replacement, 1)[::-1]
print ("mystr:", mystr)
print ("newstr:", newstr)
산출:
mystr: Remove last occurence of a BAD word. This is a last BAD word.
newstr: Remove last occurence of a BAD word. This is a last GOOD word.
답변
‘오래된’문자열에 특수 문자가 포함되어 있지 않다면 정규 표현식으로 수행 할 수 있습니다.
In [44]: s = '<div><div>Hello</div></div>'
In [45]: import re
In [46]: re.sub(r'(.*)</div>', r'\1</bad>', s)
Out[46]: '<div><div>Hello</div></bad>'
답변
문제에 대한 재귀 적 해결책은 다음과 같습니다.
def rreplace(s, old, new, occurence = 1):
if occurence == 0:
return s
left, found, right = s.rpartition(old)
if found == "":
return right
else:
return rreplace(left, old, new, occurence - 1) + new + right