Click here to Skip to main content
65,938 articles
CodeProject is changing. Read more.
Articles / Languages / C#

How to Toggle String Case in .NET

0.00/5 (No votes)
23 Feb 2011CPOL 10K  
I think if you just want to toggle the case of letters in some string, you don't need any special algorithms and sophisticated methods.In fact, no matter what method you select, you must remember that POINTER is the fastest runner.After reading all methods submitted above, I should say that...
I think if you just want to toggle the case of letters in some string, you don't need any special algorithms and sophisticated methods.
In fact, no matter what method you select, you must remember that POINTER is the fastest runner.
After reading all methods submitted above, I should say that the method actually is very simple. Take C# as an example, we can use the following method to toggle the string:
C#
public static unsafe string ToggleString(string s)
{
    fixed (char* p = s)
    {
        for (int i = 0; i < s.Length; i++)
        {
            if (p[i] > 96 && p[i] < 123) p[i] -= (char)32;
            else if (p[i] > 64 && p[i] < 91) p[i] += (char)32;
        }
    }

    return s;
}


Upper case letters are from 65 to 90, and lower case ones are from 97 to 122. So the diff-value between one upper case letter and its lower counterpart is 32!

Let's test it with 1000,0000 loops, run it several times:
C#
Stopwatch watch = new Stopwatch();
watch.Start();
for (int i = 0; i < 10000000; i++)
{
	ToggleString("AbCdEfGhIjKlMnOpQrStUvWxYz");
}
watch.Stop();
Console.WriteLine(watch.ElapsedMilliseconds);


The result is:
2793
2804
2799
2776
...


The average is 2790, about 3 seconds, how about your results ?

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)