我有以下代码,我需要将字符串转换为也是从String中指定的类型:
Type t = Type.GetType("System.Nullable`1[[System.DateTime, mscorlib, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]");
object d = Convert.ChangeType("2012-02-23 10:00:00", t);
我得到以下错误信息:
Invalid cast from 'System.String' to 'System.Nullable`1[[System.DateTime, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]'.
这怎么可能很好?
我知道一种丑陋的方法是使用if:
检查类型是否可以为空 Type possiblyNullableType = Type.GetType("System.Nullable`1[[System.DateTime, mscorlib, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]");
var underlyingType = Nullable.GetUnderlyingType(possiblyNullableType);
Object result;
// if it's null, it means it wasn't nullable
if (underlyingType != null)
{
result = Convert.ChangeType("2012-02-23 10:00:00", underlyingType);
}
会有更好的方法吗?
谢谢,
答案 0 :(得分:30)
有两个问题。
首先,Convert.ChangeType
just plain不支持可空类型。
其次,即使这样做,通过装箱结果(将其分配给object
),您已经将其转换为DateTime
。
您可以使用特殊情况可为空的类型:
string s = "2012-02-23 10:00:00";
Type t = Type.GetType("System.Nullable`1[[System.DateTime, mscorlib, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]");
object d;
if (t.IsGenericType && t.GetGenericTypeDefinition() == typeof(Nullable<>))
{
if (String.IsNullOrEmpty(s))
d = null;
else
d = Convert.ChangeType(s, t.GetGenericArguments()[0]);
}
else
{
d = Convert.ChangeType(s, t);
}
答案 1 :(得分:10)
我编写了以下通用助手方法,该方法适用于大多数情况(未使用泛型类型进行测试):
static void Main(string[] args)
{
Object result =
ConvertValue(
"System.Nullable`1[[System.DateTime, mscorlib, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]",
"2012-02-23 10:00:00");
}
public static Object ConvertValue(string typeInString, string value)
{
Type originalType = Type.GetType(typeInString);
var underlyingType = Nullable.GetUnderlyingType(originalType);
// if underlyingType has null value, it means the original type wasn't nullable
object instance = Convert.ChangeType(value, underlyingType ?? originalType);
return instance;
}
答案 2 :(得分:2)
public static T GetValue<T>(string Literal, T DefaultValue)
{
if (Literal == null || Literal == "" || Literal == string.Empty) return DefaultValue;
IConvertible obj = Literal;
Type t = typeof(T);
Type u = Nullable.GetUnderlyingType(t);
if (u != null)
{
return (obj == null) ? DefaultValue : (T)Convert.ChangeType(obj, u);
}
else
{
return (T)Convert.ChangeType(obj, t);
}
}
答案 3 :(得分:1)
这样的东西?除非你真的需要动态地做。
if (string.IsNullOrEmpty(input))
{
return new DateTime?();
}
else
{
return new DateTime?(DateTime.Parse(input));
}
可能你可以查看你的类型是否是'可空'类型之一,然后你可以找到一些有用的东西: