C# 中的 DataTable 列

DataTable columns in C#

我目前有这段代码,我知道如何打印行,但我不知道如何获取我的列 headers?我不想使用我注释掉的解决方案,因为我想让代码通用,这样我也可以将它用于其他列表。

static DataTable ConvertListToDataTable(List<List<string>> list)
{
    // New table.
    DataTable table = new DataTable();

    /* table.Columns.Add("Employee ID");
       table.Columns.Add("First Name");
       table.Columns.Add("Last Name");
       table.Columns.Add("Job Title");
       table.Columns.Add("Address");
       table.Columns.Add("City"); 
    */

    foreach(List<string> row in list) {
        table.Rows.Add(row.ToArray());
    }

    return table;
}

不可能从 List<List<string>> 派生列 headers,因为信息根本不可用。您可以按参数提供它们:

static DataTable ConvertListToDataTable(List<List<string>> list, IList<string> columnNames)
{
    DataTable table = new DataTable();
    foreach (string columnName in columnNames)
        table.Columns.Add(columnName);
    foreach (List<string> row in list)
    {
        if (row.Count != columnNames.Count)
            throw new ArgumentException(string.Format("Invalid data in list, must have the same columns as the columnNames-argument. Line was: '{0}'", string.Join(",", row)), "list");
        DataRow r =  table.Rows.Add();
        for (int i = 0; i < columnNames.Count; i++)
            r[i] = row[i];
    }
    return table;
}

使用方法:

string[] columns = { "Employee ID", "First Name", "Last Name", "Job Title", "Address", "City"};
DataTable tblEmployee = ConvertListToDataTable(employees, columns);

但不要使用 List<List<string>>(或 DataTable)来存储您的员工,您应该使用自定义 class,例如具有所有这些属性的 Employee .然后可以填一个List<Employee>。这样你的代码就更容易阅读和维护了。

以下代码使您能够使用 System.Reflection.PropertyInfo 将 IEnumerable 类型转换为具有动态 Headers 的 DataTable。尝试使用它。

    public static DataTable EnumerableToDataTable<T>(IEnumerable<T> varlist)
    {
        DataTable dtReturn = new DataTable();

        // column names  
        PropertyInfo[] oProps = null;

        if (varlist == null) return dtReturn;

        foreach (T rec in varlist)
        {
            // Use reflection to get property names, to create table, Only first time, others will follow  
            if (oProps == null)
            {
                oProps = ((Type)rec.GetType()).GetProperties();
                foreach (PropertyInfo pi in oProps)
                {
                    Type colType = pi.PropertyType;

                    if ((colType.IsGenericType) && (colType.GetGenericTypeDefinition() == typeof(Nullable<>)))
                    {
                        colType = colType.GetGenericArguments()[0];
                    }

                    dtReturn.Columns.Add(new DataColumn(pi.Name, colType));
                }
            }

            DataRow dr = dtReturn.NewRow();

            foreach (PropertyInfo pi in oProps)
            {
                dr[pi.Name] = pi.GetValue(rec, null) == null ? DBNull.Value : pi.GetValue
                (rec, null);
            }

            dtReturn.Rows.Add(dr);
        }
        return dtReturn;
    }