EN
C# / .NET - replace last 2 characters in string
0 points
In this article, we would like to show you how to replace last 2 characters in string in C# / .NET.
Quick solution:
xxxxxxxxxx
1
string text = "ABC";
2
string replacement = "12";
3
string result = text[0..^2] + replacement;
4
5
Console.WriteLine(result); // A12
In this example, we use the range operator ..
, which is an alternative to Substring()
method to removing the last 2
characters from the text
string, then we add the replacement
at their place.
xxxxxxxxxx
1
using System;
2
3
public class StringUtils
4
{
5
public static void Main(string[] args)
6
{
7
string text = "ABC";
8
string replacement = "12";
9
string result = text[0..^2] + replacement;
10
11
Console.WriteLine("Original string: " + text); // ABC
12
Console.WriteLine("Modified string: " + result); // A12
13
}
14
}
Output:
xxxxxxxxxx
1
Original string: ABC
2
Modified string: A12
Note:
The
replacement
length doesn't have to be equal to 2. You can remove the last 2 characters from the end of the string and add any number of characters instead.