Cast object to T
I'm parsing an XML file with the XmlReader
class in .NET and I thought it would be smart to write a generic parse function to read different attributes generically. I came up with the following function:
private static T ReadData<T>(XmlReader reader, string value)
{
reader.MoveToAttribute(value);
object readData = reader.ReadContentAsObject();
return (T)readData;
}
As I came to realise, this does not work entirely as I have planned; it throws an error with primitive types such as int
or double
, since a cast cannot convert from a string
to a numeric type. Is there any way for my function to prevail in modified form?
Solution 1:
First check to see if it can be cast.
if (readData is T) {
return (T)readData;
}
try {
return (T)Convert.ChangeType(readData, typeof(T));
}
catch (InvalidCastException) {
return default(T);
}
Solution 2:
Have you tried Convert.ChangeType?
If the method always returns a string, which I find odd, but that's besides the point, then perhaps this changed code would do what you want:
private static T ReadData<T>(XmlReader reader, string value)
{
reader.MoveToAttribute(value);
object readData = reader.ReadContentAsObject();
return (T)Convert.ChangeType(readData, typeof(T));
}
Solution 3:
try
if (readData is T)
return (T)(object)readData;
Solution 4:
You could require the type to be a reference type :
private static T ReadData<T>(XmlReader reader, string value) where T : class
{
reader.MoveToAttribute(value);
object readData = reader.ReadContentAsObject();
return (T)readData;
}
And then do another that uses value types and TryParse...
private static T ReadDataV<T>(XmlReader reader, string value) where T : struct
{
reader.MoveToAttribute(value);
object readData = reader.ReadContentAsObject();
int outInt;
if(int.TryParse(readData, out outInt))
return outInt
//...
}