C#中的DataTable列

时间:2015-04-21 11:58:51

标签: c# list datatable

我目前有这个代码,我知道如何打印出行,但我无法弄清楚如何获取我的列标题?我不想使用我注释掉的解决方案,因为我想使代码通用,以便我也可以将它用于其他列表。

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;
}

2 个答案:

答案 0 :(得分:6)

由于信息根本不可用,因此无法从List<List<string>>派生列标题。您可以按参数提供它们:

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)来存储您的员工,而应使用自定义类,例如Employee以及所有这些属性。然后你可以填List<Employee>。通过这种方式,您的代码可以更好地阅读和维护。

答案 1 :(得分:0)

以下代码为您提供了使用System.Reflection.PropertyInfo将IEnumerable类型转换为带有动态标头的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;
    }
相关问题