如何在泛型方法中有效地创建对象列表?

时间:2013-09-21 06:45:49

标签: c# generics reflection ado.net

所以,我有一个位于数据库上的应用程序。到目前为止,我的查询结果都进入了一个DataTable对象,如下所示:

DataTable data = new DataTable();
data.Load(someQuery.ExecuteReader());

现在,我想将数据加载到强类型对象的列表中。像这样:

List<MyClass> data = someQuery.Load<MyClass>();

但是,我写这个方法的第一次尝试最终运行速度比DataTable.Load(IDataReader)方法快三倍。基本上,我有用户GetConstructor(null).Invoke(null)来创建和对象,我使用了PropertyInfo.SetValue(reader.GetValue())来填充数据。

有更好的方法吗?

使用的方法:

    public List<T> LoadData<T>(DbCommand query)
    {
        Type t = typeof(T);

        List<T> list = new List<T>();
        using (IDataReader reader = query.ExecuteReader())
        {
            while (reader.Read())
            {
                T newObject = (T)t.GetConstructor(null).Invoke(null);

                for (int ct = 0; ct < reader.FieldCount; ct++)
                {
                    PropertyInfo prop = t.GetProperty(reader.GetName(ct));
                    if (prop != null)
                        prop.SetValue(newObject, reader.GetValue(ct), null);
                }

                list.Add(newObject);
            }
        }

        return list;
    }

2 个答案:

答案 0 :(得分:1)

要有效地做到这一点需要元编程。您可以使用库来提供帮助。例如,“FastMember”包括TypeAccessor,它提供对实例创建的快速访问和按名称的成员访问。但是,这个例子基本上也是“精致”的工作方式,所以你可以使用dapper

int id = ...
var data = connection.Query<Order>(
    "select * from Orders where CustomerId = @id",
    new { id }).ToList();

您还可以打开“精致”代码,了解其功能。

答案 1 :(得分:0)

您可以使用linQ执行查询并获取通用列表,然后如果您想将其转换为DataTable,请使用以下代码,它可能会对您有所帮助。

public DataTable ListToDataTable<T>(IEnumerable<T> list)
    {
        PropertyDescriptorCollection properties =
            TypeDescriptor.GetProperties(typeof(T));
        DataTable table = new DataTable();
        foreach (PropertyDescriptor prop in properties)
            table.Columns.Add(prop.Name, Nullable.GetUnderlyingType(prop.PropertyType) ?? prop.PropertyType);
        foreach (T item in list)
        {
            DataRow row = table.NewRow();
            foreach (PropertyDescriptor prop in properties)
                row[prop.Name] = prop.GetValue(item) ?? DBNull.Value;
            table.Rows.Add(row);
        }
        return table;
    }

它适用于任何强类型类。请检查执行所需的时间。

谢谢,