我使用this SO Question来使用反射检索对象的属性。我检索的属性是另一个对象,它有一个我需要访问的属性Value
。我使用反射检索的所有潜在对象都派生自同一个类EntityField
,因此都具有Value
属性。我看到this这个问题暗示我可以如何访问Value
属性,但我无法将正确的代码组合在一起。如何访问由反射检索的对象的Value
属性?
var parent = entity.GetType().GetProperty("Property");
parent.GetType().GetProperty("Value").SetValue(parent, newValue); // parent.GetType() is null
(parent as EntityField<T>).Value = newValue; // Not sure how to dynamically set T since it could be any system type
private static void SetValues(JObject obj, EntityBase entity)
{
// entity.GetType().GetProperty("Property") returns an EntityField Object
// I need to set EntityField.Value = obj["Value"]
// Current code sets EntityField = obj["Value"] which throws an error
entity.GetType().GetProperty("Property").SetValue(entity, obj["Value"], null);
}
public class EntityField<T> : EntityFieldBase
{
private Field _Field;
private T _Value;
public EntityField(Field field, T value){
this._Field = field;
this._Value = value;
}
public Field Field
{
get
{
return this._Field;
}
set
{
if (this._Field != value)
{
this._Field = value;
}
}
}
public T Value
{
get
{
return this._Value;
}
set
{
if (!EqualityComparer<T>.Default.Equals(this._Value, value))
{
this._Value = value;
this._IsDirty = true;
}
}
}
}
答案 0 :(得分:0)
试试这个:
entity.GetType().GetProperty("Value").SetValue(entity, obj["Value"], null);
您需要在GetProperty()方法中指定属性的名称。我怀疑没有这样的财产叫做“物业”。 :)
编辑:阅读完评论后,尝试
entity.Property.GetType().GetProperty("Value").SetValue(entity, obj["Value"], null);
答案 1 :(得分:0)
在LinqPad中尝试了以下内容并且它有效...
class TestChild<T>
{
public T ChildProperty { get; set; }
}
class TestParent<T>
{
public TestChild<T> ParentProperty { get; set; }
}
void Main()
{
var instance = new TestParent<string>
{
ParentProperty = new TestChild<string>()
};
instance.GetType()
.GetProperty("ParentProperty")
.GetValue(instance)
.GetType()
.GetProperty("ChildProperty")
.SetValue(instance.ParentProperty, "Value");
Console.WriteLine(instance.ParentProperty.ChildProperty);
}