EN
Python - replace last 3 characters in string
0 points
In this article, we would like to show you how to replace last 3 characters in string in Python.
Quick solution:
xxxxxxxxxx
1
text = "ABCD"
2
3
size = len(text) # text length
4
replacement = "XYZ" # replace with this
5
6
text = text.replace(text[size - 3:], replacement)
7
8
print(text) # AXYZ
In this example, we use replace()
method to replace last 3
characters in text
string.
xxxxxxxxxx
1
text = "ABCD"
2
3
print("String before:", text)
4
5
size = len(text) # text length
6
replacement = "XYZ" # replace with this
7
8
text = text.replace(text[size - 3:], replacement)
9
10
print("String after: ", text) # AXYZ
Output:
xxxxxxxxxx
1
String before: ABCD
2
String after: AXYZ
Note:
Number of characters to replace (
3
) and number of characters inreplacement
don't have to be the same.