2013-08-21 25 views
0

在我的代碼中,我得到了需要將查詢列表轉換爲表的實例。我用下面的方法來實現這一目標:使可訪問類超出數據表LINQToDataTable <T>()?

//Attach query results to DataTables 
    public DataTable LINQToDataTable<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; 
    } 

它完美的作品,在下面的例子:

DataTable gridTable = LINQToDataTable(GetGrids); // Loads Query into Table 

,而不是複製在不同的.cs文件的方法 - 它會如何看,如果它是它可以讓我寫下如下的東西:

DataTable gridTable = Utility.LINQToDataTable(GetGrids); // Loads Query into Table 

爲了避免大量的重複?

回答

1

你的方法轉移到Utility電話,並使其爲static

public class Utility 
{ 
    public static DataTable LINQToDataTable<T>(IEnumerable<T> varlist) 
    { 
     // code .... 
    } 

} 

現在你可以稱其爲:

DataTable gridTable = Utility.LINQToDataTable(GetGrids); 
1
public static class EnumerableExtensions 
{ 
    public static DataTable ToDataTable<T>(this IEnumerable<T> varlist) 
    { 
     // .. existing code here .. 
    } 
} 

使用它,如下所示:

GetGrids.ToDataTable(); 
// just like the others 
GetGrids.ToList(); 
+0

謝謝蒂莫西,你說得對:)達mith獲得了投票 - 純粹是因爲他完全按照我的要求離開了電話,因此我現有的代碼完全就位。 –