我正在对一个抽象类进行反射,并遇到了一个问题,即我无法使用 PropertyInfo.SetValue 方法将值分配给现有的 List 对象。
这是一些(非常)缩短的类声明。
public abstract class User { }
public class Subscriber : User
{
public string Name { get; set; }
public List<string> AttributeList { get; set; }
}
现在在 User 内部,我有一个方法可以从包含未知数量元素的 XML 中提取数据。我解析这些元素,如果它们被识别为 User(或其任何子项)的属性,我会填充该属性。
private void ExtractElement(XElement inner)
{
// Uses reflection to get the correct Derived class (Initiate, Member, Subscriber)
Type tUser = this.GetType();
var prop = tUser.GetProperty("AttributeList"); // hard-coded for brevity
object value = "Random Value" // same
var nullableType = Nullable.GetUnderlyingType(prop.PropertyType);
if (nullableType == null)
nullableType = prop.PropertyType;
if (nullableType == typeof(int))
{
prop.SetValue(this, int.Parse(value as string), null);
}
else if (nullableType == typeof(List<string>))
{
var myList = (List<string>)(prop.GetValue(this, null));
myList.Add(value as string);
prop.SetValue(this, myList, null); // <- This doesn't save changes.
}
else
{
prop.SetValue(this, value as string, null);
}
当它进入最后一部分时,myList 被正确填充。但是当我尝试将 AttributeList 的值设置为 myList 时,更改不会“坚持”。从其他关于反射的帖子来看,我最好的猜测是我正在提取 AttributeList 的副本(因为装箱/拆箱?),并影响它而不是原来的。有没有办法在这种情况下直接影响原作?如果未保存更改,为什么我的代码的最后一行不会引发错误?