我正在使用反射从反射属性中设置属性。我必须使用反射,因为我不知道子类型的类型是什么,但每次我得到System.Target.TargetException(在prop.SetValue上)prop指向正确的属性
我可以找到很多SetValue的例子,我遇到的问题,我希望与selectSubProcess是一个PropertyInfo而不是一个实际的类相关的事实
PropertyInfo selectedSubProcess = process.GetProperty(e.ChangedItem.Parent.Label);
Type subType = selectedSubProcess.PropertyType;
PropertyInfo prop = subType.GetProperty(e.ChangedItem.Label + "Specified");
if (prop != null)
{
prop.SetValue(process, true, null);
}
答案 0 :(得分:1)
看起来process是“Type”,而不是对象的实例。在行
prop.SetValue(process, true, null);
您需要设置对象的实例,而不是Type。
使用“GetValue”获取您关注的对象的实例:
public void test()
{
A originalProcess = new A();
originalProcess.subProcess.someBoolean = false;
Type originalProcessType = originalProcess.GetType();
PropertyInfo selectedSubProcess = originalProcessType.GetProperty("subProcess");
object subProcess = selectedSubProcess.GetValue(originalProcess, null);
Type subType = selectedSubProcess.PropertyType;
PropertyInfo prop = subType.GetProperty("someBoolean");
if (prop != null)
{
prop.SetValue(subProcess, true, null);
}
MessageBox.Show(originalProcess.subProcess.someBoolean.ToString());
}
public class A
{
private B pSubProcess = new B();
public B subProcess
{
get
{
return pSubProcess;
}
set
{
pSubProcess = value;
}
}
}
public class B
{
private bool pSomeBoolean = false;
public bool someBoolean
{
get
{
return pSomeBoolean;
}
set
{
pSomeBoolean = true;
}
}
}