将任何IEnumerable分配给对象属性

时间:2013-08-15 11:16:24

标签: c# reflection

我有一个使用反射创建的对象列表,它们都是相同的类型,但是在编译时类型是未知的。

我正在试图找出将此列表(也使用反射)分配给对象属性的最佳方式,该属性可能是任何 IEnumerable。

List<object>
ArrayList
Custom : List<object>

我唯一的方法是假设属性是一个ICollection然后遍历IEnumerable并添加每个项目。 (见下文,其中list是IEnumerable源,key是对象属性的字符串名称,result是对象本身)

foreach (object item in list) {
    PropertyInfo prop = result.GetType().GetProperty(key);
    var collection = prop.GetValue(result, null);

    Type collectionType = collection.GetType();
    MethodInfo add = collectionType.GetMethod("Add", BindingFlags.Public | BindingFlags.Instance);

    add.Invoke(collection, new object[] { item });
}

2 个答案:

答案 0 :(得分:2)

既然你说数据是同质的,我建议你尽可能地输入数据;因此,假设list非空,list[0].GetType()会告诉您所有数据的Type。此时,您可以这样做:

IList typedList = (IList)Activator.CreateInstance(
           typeof(List<>).MakeGenericType(itemType));
...
foreach(var item in list) typedListAdd(item);

或者您可以使用数组:

Array arr = Array.CreateInstance(itemCount, list.Count);
list.CopyTo(arr, 0);

其中任何一个都会为您提供良好类型的列表,这对于大多数用途(数据绑定,序列化或仅反射)往往更好。

如果list实际上不是列表,而只是IEnumerable,那么您基本上仍可以做同样的事情,但只是将创建推迟到第一项:

IList typedList = null;
foreach(object item in list) {
    if(typedList == null) {
        typedList = (IList)Activator.CreateInstance(
           typeof(List<>).MakeGenericType(item.GetType()));
    }
    typedList.Add(item);
}
return typedList ?? new object[0];

答案 1 :(得分:0)

您可以通过多种方式将项目添加到现有的未知类型集合中:

检查IList界面或检查Add方法是否为后备;

public void Add(object obj, string propertyName, IEnumerable enumerable)
{
    Action<object> add;

    PropertyInfo prop = obj.GetType().GetProperty(propertyName);
    var property = prop.GetValue(obj, null);

    var collection = property as IList;

    // Check for IList
    if(collection != null)
    {
        add = item => collection.Add(item);
    }
    // Try to get an Add method as fallback
    else
    {
        var objType = obj.GetType();
        var addMethod = objType.GetMethod("Add", BindingFlags.Public | BindingFlags.Instance);

        // Property doesn't support Adding
        if(addMethod == null) throw new InvalidOperationException("Method Add does not exist on class " + objType.Name);

        add = item => addMethod.Invoke(obj, new object[] { item });
    }

    foreach (var item in enumerable)
    {
        add(item);
    }
}

我可能会选择Marc的方式,因为它更安全。

public class Foo
{
    public Foo()
    {
        Bar = new List<string>();
    }

    public List<string> Bar { get; set; }
    public string Qux { get; set; }
}

var result = new Foo();
var key = "Bar";

var list = new List<object> { "A", "B" };

Add(result, key, list);