我有一个装有Property
的容器。
public class Property<T> : INotifyPropertyChanged
{
private T _value;
public Property(string name)
{
Name = name;
}
public Property(string name, T value)
: this(name)
{
_value = value;
}
public string Name { get; }
public T Value
{
get
{
return _value;
}
set
{
if(_value == null || !_value.Equals(value))
{
_value = value;
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs(Name));
}
}
}
}
public event PropertyChangedEventHandler PropertyChanged;
}
如您所见,属性的名称为Generic
,因为类型可以不同。
问题在于这些XML可以配置这些属性:
<InputProperties>
<Property Type="System.UInt64" Name="Id"/>
<Property Type="System.DateTime" Name="Timestamp"/>
<Property Type="System.Byte" Name="State"/>
</InputProperties>
所以我的步骤应该是:
1。
初始化包含List<Property<dynamic>>
的容器(不喜欢动态的,但这是解决编译错误的唯一方法)
2。
解析xml并通过反射创建通用类型
foreach(XElement xProperty in allconfiguredInputParameters)
{
string xPropertyType = xProperty.Attribute("Type") != null ? xProperty.Attribute("Type").Value : String.Empty;
string xPropertyName = xProperty.Attribute("Name") != null ? xProperty.Attribute("Name").Value : String.Empty;
if (!String.IsNullOrEmpty(xPropertyType) && !String.IsNullOrEmpty(xPropertyName))
{
Type genericProperty = typeof(Property<>);
Type constructedGenericProperty = genericProperty.MakeGenericType(new Type[] { GetTypeByFullname(xPropertyType) });
var property = constructedGenericProperty.GetConstructor(new Type[] { typeof(String) }).Invoke(new object[] { xPropertyName });
}
}
作为对象的属性包含我想要的数据,但无法将其强制转换为Property。我想做的是:
myContainer.InputParamers.Add((Parameter<T>)property));
但是自然不起作用。你能给我一些提示吗?谢谢。