如何避免 .replace 替换一个已经被替换的词
How to avoid .replace replacing a word that was already replaced
给定一个字符串,我必须反转每个单词,但要将它们保持在原位。
我试过了:
def backward_string_by_word(text):
for word in text.split():
text = text.replace(word, word[::-1])
return text
但是如果我有字符串 Ciao oaiC
,当它试图反转第二个单词时,它在被反转后与第一个相同,所以它再次替换它。我怎样才能避免这种情况?
拆分字符串会将其转换为列表。您可以将该列表的每个值重新分配给该项目的反面。见下文:
text = "The cat tac in the hat"
def backwards(text):
split_word = text.split()
for i in range(len(split_word)):
split_word[i] = split_word[i][::-1]
return ' '.join(split_word)
print(backwards(text))
您可以在一行中使用 join 加上生成器表达式:
text = "test abc 123"
text_reversed_words = " ".join(word[::-1] for word in text.split())
s.replace(x, y)
不是这里使用的正确方法:
它做了两件事:
- 在
s
中找到x
- 将替换为
y
但是您实际上在这里找不到任何东西,因为您已经有要替换的词。问题在于它每次都从字符串的开头开始搜索 x
,而不是在您当前所在的位置,因此它会找到您已经替换的单词,而不是您想要替换的单词接下来。
最简单的解决方案是将颠倒的单词收集在一个列表中,然后通过连接所有颠倒的单词从这个列表中构建一个新的字符串。您可以使用 ' '.join()
.
连接字符串列表并用空格分隔它们
def backward_string_by_word(text):
reversed_words = []
for word in text.split():
reversed_words.append(word[::-1])
return ' '.join(reversed_words)
如果你理解了这一点,你也可以通过跳过带有生成器表达式的中间列表来写得更简洁:
def backward_string_by_word(text):
return ' '.join(word[::-1] for word in text.split())
给定一个字符串,我必须反转每个单词,但要将它们保持在原位。
我试过了:
def backward_string_by_word(text):
for word in text.split():
text = text.replace(word, word[::-1])
return text
但是如果我有字符串 Ciao oaiC
,当它试图反转第二个单词时,它在被反转后与第一个相同,所以它再次替换它。我怎样才能避免这种情况?
拆分字符串会将其转换为列表。您可以将该列表的每个值重新分配给该项目的反面。见下文:
text = "The cat tac in the hat"
def backwards(text):
split_word = text.split()
for i in range(len(split_word)):
split_word[i] = split_word[i][::-1]
return ' '.join(split_word)
print(backwards(text))
您可以在一行中使用 join 加上生成器表达式:
text = "test abc 123"
text_reversed_words = " ".join(word[::-1] for word in text.split())
s.replace(x, y)
不是这里使用的正确方法:
它做了两件事:
- 在
s
中找到 - 将替换为
y
x
但是您实际上在这里找不到任何东西,因为您已经有要替换的词。问题在于它每次都从字符串的开头开始搜索 x
,而不是在您当前所在的位置,因此它会找到您已经替换的单词,而不是您想要替换的单词接下来。
最简单的解决方案是将颠倒的单词收集在一个列表中,然后通过连接所有颠倒的单词从这个列表中构建一个新的字符串。您可以使用 ' '.join()
.
def backward_string_by_word(text):
reversed_words = []
for word in text.split():
reversed_words.append(word[::-1])
return ' '.join(reversed_words)
如果你理解了这一点,你也可以通过跳过带有生成器表达式的中间列表来写得更简洁:
def backward_string_by_word(text):
return ' '.join(word[::-1] for word in text.split())