为什么 replace() 方法不能正常工作但字符串拼接有效

Why is replace() method not working properly but string splicing works

最近我遇到了一个我无法理解的错误输出。

我正在解决一个问题,如果字符串中的前一个字符按字母顺序在当前字符之前,那么我必须将当前字符大写。另一方面,如果当前字符按字母顺序在前一个字符之前,则当前字符为小写。如果两者相同则无需执行任何操作。

例如:

Input : ab cB GG
Output : aB cb GG

这是我的代码:

def transformSentence(sentence):
    for i in range(len(sentence)):
        s = sentence[i]
        p = sentence[i-1]
        if i ==0 or s == ' ' or p == ' ':
            continue
        if s == p:
            continue
        elif ord(s.lower()) > ord(p.lower()):
            sentence = sentence.replace(sentence[i], sentence[i].upper())

        elif ord(s.lower()) < ord(p.lower()):
            sentence = sentence.replace(sentence[i], sentence[i].lower())
    return sentence

print(transformSentence('ab cB GG'))

我得到的这个代码块的输出是:

ab cb GG

如果您注意到上面的输出,第二个 elif 块中的 replace() 有效! (大写 b 更改为小写,因为它在字母 c 之前)

当我使用 string slicingconcatenation 而不是下面的 replace() 时,它在两个块上都能完美运行并给出预期的输出:

sentence = sentence[:i] + sentence[i].upper() + sentence[i+1:]

我需要知道为什么 replace() 方法在第一个 elif 块中不起作用但在第二个块中起作用。

Replace 更新了句子中各处的字母。