我有一个存储序列化值和类型的类。我想要一个属性/方法返回已经强制转换的值:
public String Value { get; set; }
public Type TheType { get; set; }
public typeof(TheType) CastedValue { get { return Convert.ChangeType(Value, typeof(_Type)); }
这在C#中可能吗?
Answers:
如果包含该属性的类是通用的,并且使用通用参数声明该属性,则是可能的:
class Foo<TValue> {
public string Value { get; set; }
public TValue TypedValue {
get {
return (TValue)Convert.ChangeType(Value, typeof(TValue));
}
}
}
一种替代方法是改为使用通用方法:
class Foo {
public string Value { get; set; }
public Type TheType { get; set; }
public T CastValue<T>() {
return (T)Convert.ChangeType(Value, typeof(T));
}
}
您还可以使用System.ComponentModel.TypeConverter
类进行转换,因为它们允许类定义其自己的转换器。
编辑:请注意,在调用泛型方法时,必须指定泛型类型参数,因为编译器无法推断出它:
Foo foo = new Foo();
foo.Value = "100";
foo.Type = typeof(int);
int c = foo.CastValue<int>();
您必须在编译时知道类型。如果您在编译时不知道类型,则必须将其存储在中object
,在这种情况下,可以将以下属性添加到Foo
类中:
public object ConvertedValue {
get {
return Convert.ChangeType(Value, Type);
}
}
var val = obj.Prop<Type>
,基于类型的查找比obj.Prop[typeof(Type)]
or更为简洁obj.GetProp<Type>()
。