EN
C# / .NET - replace last 4 characters in string
0
points
In this article, we would like to show you how toĀ replaceĀ the last 4 characters in a stringĀ inĀ C#.
Quick solution:Ā
string originalString = "abcdefg";
string replaced = originalString.Substring(0, originalString.Length - 4) + "1234";
Console.WriteLine(originalString); // abcdefg
Console.WriteLine(replaced); // abc1234
Ā
Practical examples
1. Using Substring()
method
using System;
public class Program
{
static string ReplaceLastLetters(string text, int letterCount, string newLetters)
{
string substring = text.Substring(0, text.Length - letterCount); // abcdefg -> abc
return substring + newLetters;
}
public static void Main(string[] args)
{
string originalString = "abcdefg";
string newLetters = "1234";
string replaced = ReplaceLastLetters(originalString, 4, newLetters);
Console.WriteLine(originalString); // abcdefg
Console.WriteLine(replaced); // abc1234
}
}
Output:
abcdefg
abc1234
1. Using Remove()
method
using System;
public class Program
{
static string ReplaceLastLetters(string text, int letterCount, string newLetters)
{
string substring = text.Remove(text.Length - letterCount, letterCount); // abcdefg -> abc
return substring + newLetters;
}
public static void Main(string[] args)
{
string originalString = "abcdefg";
string newLetters = "1234";
string replaced = ReplaceLastLetters(originalString, 4, newLetters);
Console.WriteLine(originalString); // abcdefg
Console.WriteLine(replaced); // abc1234
}
}
Output:
abcdefg
abc1234