Change characters. In C# programs, strings are immutable. If we want to change their characters, we must first convert them to arrays.
C# performance. A char array can be changed in memory before conversion back to a string. This is efficient. We show how to change string characters in this way.
Tip This will reduce memory pressure and ultimately improve runtime performance.
using System;
string input = "aaa 123";
// Change uppercase to lowercase.// Change space to hyphen.// Change a to b.
char[] array = input.ToCharArray();
for (int i = 0; i < array.Length; i++)
{
char let = array[i];
if (char.IsUpper(let))
{
array[i] = char.ToLower(let);
}
else if (let == ' ')
{
array[i] = '-';
}
else if (let == 'a')
{
array[i] = 'b';
}
}
string result = new string(array);
Console.WriteLine(result);bbb-123
One letter. If you need to change one letter at a certain position (such as the first letter), this approach to string mutation is also ideal.
Summary. To change chars in a string, you must use a lower-level representation of the character data, which you can acquire with ToCharArray. You cannot simply assign indexes in a string.
Summary, continued. This style of method introduces complexity. It is often best to wrap this logic in a helper method, and call that method.
Dot Net Perls is a collection of tested code examples. Pages are continually updated to stay current, with code correctness a top priority.
Sam Allen is passionate about computer languages. In the past, his work has been recommended by Apple and Microsoft and he has studied computers at a selective university in the United States.
This page was last updated on Nov 13, 2024 (edit).