3

我正在尝试构建一个通用方法,它将任何 IEnumerable 转换为对象 [,]。这样做的目的是通过 ExcelDNA 插入 excel,理想情况下需要二维对象数组。

我是反思的新手,需要一些认真的帮助来填补这里的空白。下面发布的代码是我到目前为止所拥有的,我需要的是在外部循环中 DataSource 的索引 i 处获取 T 的属性。然后在内部循环中依次获取每个属性的值并插入到 object[,] 中。

任何帮助表示赞赏。谢谢理查德

    public object[,] ConvertListToObject<T>(IEnumerable<T> DataSource)
    {
        int rows = DataSource.Count();

        //Get array of properties of the type T
        PropertyInfo[] propertyInfos;
        propertyInfos = typeof(T).GetProperties(BindingFlags.Public);

        int cols = propertyInfos.Count();   //Cols for array is the number of public properties

        //Create object array with rows/cols
        object[,] excelarray = new object[rows, cols];

        for (int i = 0; i < rows; i++) //Outer loop
        {
            for(int j = 0; j < cols; j++) //Inner loop
            {
                object[i,j] =             //Need to insert each property val into j index
            }
        }
        return excelarray;
       }
}
4

3 回答 3

5

你很接近。几点建议:

  • 外部循环需要是一个foreach循环,因为您通常无法有效地访问IEnumerable按索引。
  • GetProperties需要或者BindingFlags.Static为了.Instance返回任何东西。
  • 您可以通过调用来获取实际值propertyInfos[j].GetValue,传入T要从中获取它的 -instance 以及索引器值数组 - 对于常规属性为 null,但如果您的对象可能具有索引属性,则您需要找出要传递的内容在这里或处理可能以其他方式抛出的异常。

我得到这样的东西:

public object[,] ConvertListToObject<T>(IEnumerable<T> DataSource)
{
    int rows = DataSource.Count();
    //Get array of properties of the type T
    PropertyInfo[] propertyInfos;
    propertyInfos = typeof(T).GetProperties(
        BindingFlags.Public |
        BindingFlags.Instance); // or .Static
    int cols = propertyInfos.Length;
    //Create object array with rows/cols
    object[,] excelarray = new object[rows, cols];
    int i = 0;
    foreach (T data in DataSource) //Outer loop
    {
        for (int j = 0; j < cols; j++) //Inner loop
        {
            excelarray[i, j] = propertyInfos[j].GetValue(data, null);
        }
        i++;
    }
    return excelarray;
}
于 2012-10-03T10:52:52.113 回答
1

由于您不能对可枚举进行索引,因此您应该在递增计数器时在 foreach 循环中枚举它,而不是使用 for 循环。

int i = 0;
foreach (var row in DataSource)
{
    for (int j = 0; j < cols; j++)
        excelarray[i,j] = propertyInfos[j].GetValue(row, null);
    i++;
}
于 2012-10-03T10:54:31.673 回答
1
    public object[,] ConvertListToObject<T>(IEnumerable<T> dataSource)
    {
        if (dataSource != null)
        {
            var rows = dataSource.Count();
            var propertyInfos = typeof (T).GetProperties(BindingFlags.Public);
            var cols = propertyInfos.Length;
            var excelarray = new object[rows,cols];
            var i = 0;
            foreach (var data in dataSource)
            {
                for (var j = 0; j < cols; j++)
                {
                    excelarray[i, j] = propertyInfos[j].GetValue(data, null);
                }
                i++;
            }
            return excelarray;
        }
        return new object[,] {};
    }
于 2012-10-03T11:00:48.817 回答