How to replace characters at multiple index positions in a string with the different character in Python

1 Answer

0 votes
def replace_char_at_index(s, index, replacement):
    new_str = s
    if index < len(s):
        new_str = s[0:index] + replacement + s[index + 1:]
    return new_str
    
    
s = "Python is an interpreted high-level general-purpose programming language"

indexes_and_characters   = {3: 'W', 7: 'Q', 13: 'Y', 32: 'B'}

for index, replacement in indexes_and_characters.items():
    s = replace_char_at_index(s, index, replacement)    

print(s)




'''
run:

PytWon Qs an Ynterpreted high-leBel general-purpose programming language

'''

 



answered Nov 4, 2021 by avibootz
...