关于DataTable的LINQ查询

时间:2008-08-14 10:08:27

标签: c# .net linq datatable .net-3.5

我正在尝试对DataTable对象执行LINQ查询,奇怪的是我发现在DataTables上执行此类查询并不简单。例如:

var results = from myRow in myDataTable
where results.Field("RowNo") == 1
select results;

这是不允许的。我如何得到这样的工作?

我很惊讶DataTables上不允许LINQ查询!

23 个答案:

答案 0 :(得分:1210)

您无法查询DataTable集合,因为DataRowCollection未实现IEnumerable<T>。您需要使用AsEnumerable()的{​​{1}}扩展名。像这样:

DataTable

正如基思所说,你需要添加对System.Data.DataSetExtensions

的引用

var results = from myRow in myDataTable.AsEnumerable() where myRow.Field<int>("RowNo") == 1 select myRow; 返回AsEnumerable()。如果您需要将IEnumerable<DataRow>转换为IEnumerable<DataRow>,请使用DataTable扩展名。

以下是使用Lambda Expression的查询,

CopyToDataTable()

答案 1 :(得分:123)

var results = from DataRow myRow in myDataTable.Rows
    where (int)myRow["RowNo"] == 1
    select myRow

答案 2 :(得分:66)

并不是故意不允许在DataTables上使用它们,只是DataTables预先定义可以执行Linq查询的IQueryable和通用IEnumerable构造。

两个接口都需要一些排序类型安全验证。 DataTables不是强类型的。这就是人们无法查询ArrayList的原因,例如。

要使Linq工作,您需要将结果映射到类型安全的对象,并相反地查询。

答案 3 :(得分:48)

正如@ ch00k所说:

using System.Data; //needed for the extension methods to work

...

var results = 
    from myRow in myDataTable.Rows 
    where myRow.Field<int>("RowNo") == 1 
    select myRow; //select the thing you want, not the collection

您还需要向System.Data.DataSetExtensions

添加项目引用

答案 4 :(得分:38)

var query = from p in dt.AsEnumerable()
                    where p.Field<string>("code") == this.txtCat.Text
                    select new
                    {
                        name = p.Field<string>("name"),
                        age= p.Field<int>("age")                         
                    };

答案 5 :(得分:28)

//Create DataTable 
DataTable dt= new DataTable();
dt.Columns.AddRange(New DataColumn[]
{
   new DataColumn("ID",typeOf(System.Int32)),
   new DataColumn("Name",typeOf(System.String))

});

//Fill with data

dt.Rows.Add(new Object[]{1,"Test1"});
dt.Rows.Add(new Object[]{2,"Test2"});

//Now  Query DataTable with linq
//To work with linq it should required our source implement IEnumerable interface.
//But DataTable not Implement IEnumerable interface
//So we call DataTable Extension method  i.e AsEnumerable() this will return EnumerableRowCollection<DataRow>


// Now Query DataTable to find Row whoes ID=1

DataRow drow = dt.AsEnumerable().Where(p=>p.Field<Int32>(0)==1).FirstOrDefault();
 // 

答案 6 :(得分:28)

我意识到这已经回答了几次,但只是为了提供另一种方法,我喜欢使用.Cast<T>()方法,它有助于我保持理智,看到明确的类型定义,并深入下来我认为无论如何.AsEnumerable()都会调用它:

var results = from myRow in myDataTable.Rows.Cast<DataRow>()
                  where myRow.Field<int>("RowNo") == 1 select myRow;

var results = myDataTable.Rows.Cast<DataRow>()
                  .FirstOrDefault(x => x.Field<int>("RowNo") == 1);

答案 7 :(得分:27)

Using LINQ to manipulate data in DataSet/DataTable

var results = from myRow in tblCurrentStock.AsEnumerable()
              where myRow.Field<string>("item_name").ToUpper().StartsWith(tbSearchItem.Text.ToUpper())
              select myRow;
DataView view = results.AsDataView();

答案 8 :(得分:18)

尝试这个简单的查询行:

var result=myDataTable.AsEnumerable().Where(myRow => myRow.Field<int>("RowNo") == 1);

答案 9 :(得分:15)

您可以在Rows集合上使用LINQ到对象,如下所示:

var results = from myRow in myDataTable.Rows where myRow.Field("RowNo") == 1 select myRow;

答案 10 :(得分:11)

最有可能的是,DataSet,DataTable和DataRow的类已在解决方案中定义。如果是这种情况,您将不需要DataSetExtensions引用。

实施例。 DataSet类名 - &gt; CustomSet,DataRow类名 - &gt; CustomTableRow(具有已定义的列:RowNo,...)

var result = from myRow in myDataTable.Rows.OfType<CustomSet.CustomTableRow>()
             where myRow.RowNo == 1
             select myRow;

或(我更喜欢)

var result = myDataTable.Rows.OfType<CustomSet.CustomTableRow>().Where(myRow => myRow.RowNo);

答案 11 :(得分:11)

这是一种适合我并使用lambda表达式的简单方法:

var results = myDataTable.Select("").FirstOrDefault(x => (int)x["RowNo"] == 1)

然后,如果你想要一个特定的值:

if(results != null) 
    var foo = results["ColName"].ToString()

答案 12 :(得分:11)

试试这个

var row = (from result in dt.AsEnumerable().OrderBy( result => Guid.NewGuid()) select result).Take(3) ; 

答案 13 :(得分:9)

var results = from myRow in myDataTable
where results.Field<Int32>("RowNo") == 1
select results;

答案 14 :(得分:7)

在我的应用程序中,我发现在答案中建议使用LINQ to Datasets和DataTable的AsEnumerable()扩展非常慢。如果您对优化速度感兴趣,请使用James Newtonking的Json.Net库(http://james.newtonking.com/json/help/index.html

// Serialize the DataTable to a json string
string serializedTable = JsonConvert.SerializeObject(myDataTable);    
Jarray dataRows = Jarray.Parse(serializedTable);

// Run the LINQ query
List<JToken> results = (from row in dataRows
                    where (int) row["ans_key"] == 42
                    select row).ToList();

// If you need the results to be in a DataTable
string jsonResults = JsonConvert.SerializeObject(results);
DataTable resultsTable = JsonConvert.DeserializeObject<DataTable>(jsonResults);

答案 15 :(得分:7)

如何实现此目的的示例:

DataSet dataSet = new DataSet(); //Create a dataset
dataSet = _DataEntryDataLayer.ReadResults(); //Call to the dataLayer to return the data

//LINQ query on a DataTable
var dataList = dataSet.Tables["DataTable"]
              .AsEnumerable()
              .Select(i => new
              {
                 ID = i["ID"],
                 Name = i["Name"]
               }).ToList();

答案 16 :(得分:6)

试试这个......

SqlCommand cmd = new SqlCommand( "Select * from Employee",con);
SqlDataReader dr = cmd.ExecuteReader( );
DataTable dt = new DataTable( "Employee" );
dt.Load( dr );
var Data = dt.AsEnumerable( );
var names = from emp in Data select emp.Field<String>( dt.Columns[1] );
foreach( var name in names )
{
    Console.WriteLine( name );
}

答案 17 :(得分:6)

IEnumerable<string> result = from myRow in dataTableResult.AsEnumerable()
                             select myRow["server"].ToString() ;

答案 18 :(得分:6)

对于VB.NET代码如下所示:

Dim results = From myRow In myDataTable  
Where myRow.Field(Of Int32)("RowNo") = 1 Select myRow

答案 19 :(得分:5)

你可以通过这样的linq让它变得优雅:

from prod in TenMostExpensiveProducts().Tables[0].AsEnumerable()
where prod.Field<decimal>("UnitPrice") > 62.500M
select prod

或者像动态linq这样(AsDynamic直接在DataSet上调用):

TenMostExpensiveProducts().AsDynamic().Where (x => x.UnitPrice > 62.500M)

我更喜欢最后一种方法,而且最灵活。 P.S。:不要忘记连接System.Data.DataSetExtensions.dll参考

答案 20 :(得分:5)

你可以试试这个,但你必须确定每个列的值的类型

List<MyClass> result = myDataTable.AsEnumerable().Select(x=> new MyClass(){
     Property1 = (string)x.Field<string>("ColumnName1"),
     Property2 = (int)x.Field<int>("ColumnName2"),
     Property3 = (bool)x.Field<bool>("ColumnName3"),    
});

答案 21 :(得分:0)

                    //Json Formating code
                    //DT is DataTable
                    var filter = (from r1 in DT.AsEnumerable()

                                  //Grouping by multiple columns 
                                  group r1 by new
                                  {
                                      EMPID = r1.Field<string>("EMPID"),
                                      EMPNAME = r1.Field<string>("EMPNAME"),

                                  } into g
                                  //Selecting as new type
                                  select new
                                  {

                                      EMPID = g.Key.EMPID,
                                      MiddleName = g.Key.EMPNAME});

答案 22 :(得分:0)

我提出以下解决方案:

DataView view = new DataView(myDataTable); 
view.RowFilter = "RowNo = 1";
DataTable results = view.ToTable(true);

看看DataView Documentation,我们首先看到的是:

  

表示DataTable的可绑定数据的自定义视图,用于排序,过滤,搜索,编辑和导航。

我从中得到的是,DataTable仅用于存储数据,而DataView则使我们能够对DataTable进行“查询”。

在这种情况下,这是如何工作的:

您尝试实现SQL语句

SELECT *
FROM myDataTable
WHERE RowNo = 1

在“数据表语言”中。在C#中,我们将这样阅读:

FROM myDataTable
WHERE RowNo = 1
SELECT *

在C#中看起来像这样:

DataView view = new DataView(myDataTable);  //FROM myDataTable
view.RowFilter = "RowNo = 1";  //WHERE RowNo = 1
DataTable results = view.ToTable(true);  //SELECT *