我正在编写自己的方法将对象图转换为自定义对象,因为JavaScriptSerializer会触发空值的错误。
所以这就是我到目前为止:
internal static T ParseObjectGraph<T>(Dictionary<string, object> oGraph)
{
T generic = (T)Activator.CreateInstance<T>();
Type resType = typeof(T);
foreach (PropertyInfo pi in resType.GetProperties())
{
object outObj = new object();
if (oGraph.TryGetValue(pi.Name.ToLower(), out outObj))
{
Type outType = outObj.GetType();
if (outType == pi.PropertyType)
{
pi.SetValue(generic, outObj, null);
}
}
}
return generic;
}
现在pi.SetValue()
方法运行,并且不会触发错误,但是当我查看generic
的属性时,它仍然与之前相同。
它经历的第一个属性是布尔值,因此值最终会像这样
generic = an object of type MyCustomType
generic.property = false
outObj = true
pi = boolean property
outType = boolean
然后在SetValue
方法运行后,generic.property
仍设置为false。
答案 0 :(得分:6)
所以我采用了你的方法并对其进行了单元测试:
class PropertySetTest
{
static readonly Type resType = typeof(Car);
internal static T ParseObjectGraph<T>(Dictionary<string, object> oGraph)
{
T generic = (T)Activator.CreateInstance<T>();
foreach (PropertyInfo pi in resType.GetProperties())
{
//No need to new() this
object outObj; // = new object();
if (oGraph.TryGetValue(pi.Name.ToLower(), out outObj))
{
Type outType = outObj.GetType();
if (outType == pi.PropertyType)
{
pi.SetValue(generic, outObj, null);
}
}
}
return generic;
}
[Test]
public void Test()
{
var typeData = new Dictionary<String, Object> {{"color", "Blue"}};
var myCar = ParseObjectGraph<Car>(typeData);
Assert.AreEqual("Blue", myCar.Color);
}
}
internal class Car
{
public String Color { get; set; }
}
这过去了。你能不能以你所看到的方式传递它?
编辑:使用你的结构,它只是稍微复杂一点。请参阅Jon Skeet关于正在发生的事情的答案here。至于工作代码:
class PropertySetTest
{
static readonly Type resType = typeof(Car);
internal static T ParseObjectGraph<T>(Dictionary<string, object> oGraph)
{
Object generic = Activator.CreateInstance<T>();
foreach (var pi in resType.GetProperties())
{
//No need to new() this
object outObj; // = new object();
if (oGraph.TryGetValue(pi.Name.ToLower(), out outObj))
{
var outType = outObj.GetType();
if (outType == pi.PropertyType)
pi.SetValue(generic, outObj, null);
}
}
return (T)generic;
}
[Test]
public void Test()
{
var typeData = new Dictionary<String, Object> {{"color", "Blue"}};
var myCar = ParseObjectGraph<Car>(typeData);
Assert.AreEqual("Blue", myCar.Color);
}
}
internal struct Car
{
public String Color { get; set; }
}
答案 1 :(得分:5)
找到答案。显然,PropertyInfo.SetValue()和PropertyInfo.GetValue()不适用于结构,只适用于类。
不幸的是,MyCustomType是一个结构体,因此将其更改为一个类使其正常工作。
this帖子中的第3个回复说明了为什么结构不起作用而类没有。
编辑:它确实适用于结构,请参阅标记的答案。
答案 2 :(得分:5)
PropertyInfo.SetValue / GetValue与struct一起使用,准确使用
struct Z
{
public int X { get; set; }
}
Z z1 = new Z();
z1.GetType().GetProperty("X").SetValue(z1, 100, null);
Console.WriteLine(z1.X); //z1.X dont changed
object z2 = new Z();
z2.GetType().GetProperty("X").SetValue(z2, 100, null);
Console.WriteLine(((Z)z2).X); //z2.x changed to 100
Z z3 = new Z();
object _z3 = z3;
_z3.GetType().GetProperty("X").SetValue(_z3, 100, null);
z3 = (Z)_z3;
Console.WriteLine(z3.X); //z3.x changed to 100
更正结构的正确方法: