What is the fastest way to convert an object to a double? I'm at a piece of code right now, which reads:
var d = double.TryParse(o.ToString(), out d); // o is the Object...
First thoughts were to rewrite this as
var d = Convert.ToDouble(o);
but would that actually be faster?
EDIT: In addition to running the profile (by the way, I strongly recommend JetBrains dotTrace to any developer), I ran Reflector, and that helped me to come up with the following (more or less the relevant portion of the code):
if (o is IConvertible)
{
d = ((IConvertible)o).ToDouble(null);
}
else
{
d = 0d;
}
The original code double.TryParse()
executed in 140ms. The new code executes in 34ms. I'm almost certain that this is the optimization path I should take, but before I do that, does anyone see anything problematic with my "optimized" code? Thanks in advance for your feedback!