我必须在未知对象中设置属性。结构如下所示:
ObjA.ObjB().ObjC.PropA = propValue;
ObjA来自引用的类。 ObjB()属于object类型,因此ObjC是未知的。我想过使用Reflection但在这种情况下不知道如何正确使用它。
object objB = ObjA.ObjB();
Type objBType = objB.GetType();
System.Reflection.XXXInfo objCInfo = objBType.GetXXX("ObjC");
Type objCType = objCInfo.GetType();
System.Reflection.PropertyInfo PropAInfo = objCType.GetProperty("PropA");
PropAInfo.SetValue(PropAInfo, propValue, null);
回答(感谢BigM):
dynamic objAB = ObjA.ObjB();
objAB.ObjC.PropA = propValue;
答案 0 :(得分:2)
这应该适合你。
object objB = ObjA.ObjB();
Type objBType = objB.GetType();
System.Reflection.PropertyInfo objCInfo = objBType.GetProperty("ObjC");
object val = objCInfo.GetValue(objB);
Type objCType = val.GetType();
System.Reflection.PropertyInfo PropAInfo = objCType.GetProperty("PropA");
PropAInfo.SetValue(val, propValue, null);
但是,我认为可以在这里进行一些重新设计,以使生活更轻松。例如,如果您不知道关于类型的 任何 ,那么您可以考虑使用dynamic
并从{{1}返回dynamic
类型}和ObjC
- 但那里有性能影响。
另一方面,如果有任何方法可以使用泛型,那将使您的生活更轻松。例如,这里设置属性值的代码,如果该方法是通用的,它可能能够定义PropA
的类型 - 但我无法用当前的代码片段来推断它。
答案 1 :(得分:2)
以下是一些通用扩展方法,可帮助您按名称获取和设置“未知”属性:
public static class ReflectionHelpers
{
public static bool TrySetProperty<TValue>(this object obj, string propertyName, TValue value)
{
var property = obj.GetType()
.GetProperties()
.Where(p => p.CanWrite && p.PropertyType == typeof(TValue))
.FirstOrDefault(p => p.Name == propertyName);
if (property == null)
{
return false;
}
property.SetValue(obj, value);
return true;
}
public static bool TryGetPropertyValue<TProperty>(this object obj, string propertyName, out TProperty value)
{
var property = obj.GetType()
.GetProperties()
.Where(p => p.CanRead && p.PropertyType == typeof(TProperty))
.FirstOrDefault(p => p.Name == propertyName);
if (property == null)
{
value = default(TProperty);
return false;
}
value = (TProperty) property.GetValue(obj);
return true;
}
}
一个用法示例:
public class Program
{
public static void Main()
{
var foo = new Foo
{
Bar = new Bar
{
HelloReflection = "Testing"
}
};
string currentValue;
if (foo.Bar.TryGetPropertyValue("HelloReflection", out currentValue))
{
Console.WriteLine(currentValue); // "Testing"
}
if (foo.Bar.TrySetProperty("HelloReflection", "123..."))
{
foo.Bar.TryGetPropertyValue("HelloReflection", out currentValue)
Console.WriteLine(currentValue); // "123.."
}
else
{
Console.WriteLine("Failed to set value");
}
}
}
public class Foo
{
public object Bar { get; set; }
}
public class Bar
{
public string HelloReflection { get; set; }
}