I think it might be faster to do the comparison in-place. If you reverse the string, you've got to:
- Instantiate a new string object (or StringBuffer object)
- Copy the data (in reverse) from the first string to the new string
- Do your comparison.
If you perform the comparison in place, you do only the last step. An even then, your comparison is only half the string (or half - 0.5, in the event of an odd number of characters). Something like the following should work:
static bool IsPalindromic(string s){ int len = s.Length; int half = len-- >> 1; for(int i = 0; i < half; i++) if(s[i] != s[len - i]) return false; return true;}
EDIT:
Although this answers the OP's question, the solutions offered by ggf31416 and configurator solve the OP's real need about 30% faster, by my tests. configurator's solution is a tiny bit faster than ggf31416's, if you convert it to a static method and use int
s instead of ulong
s (but much slower, otherwise).
Incidentally, running through these examples to solve the problem the OP mentions (finding the largest palindromic product of any two three-digit numbers) with the simple (perhaps naïve) loop below:
for(int i = 100; i < 1000; i++) for(int j = i; j < 1000; j++) // calculations where j < i would be redundant ...
yields the following results on my machine:
IsPalindromic(product.ToString()) took 0.3064174 seconds.ggf31416Reverse(product) == product took 0.1933994 seconds.configuratorReverse(product) == product took 0.1872061 seconds.
Each produces the correct result of 913 * 993 = 906609
.