在Linq分组(在多个领域)

时间:2011-04-22 18:31:29

标签: c# .net linq

我使用linq对一些数据进行分组如下:

var groupedData = from row in salesTable.AsEnumerable()                   
group row by   
row.Field<string>("InvoiceNum") into grp
select grp;

我想使用某些字段重新组合 groupedData ,例如 row.Field(“InvoiceNum”),row.Field(“InvoiceLineNum”),我不知道如何linq分组适用于多个领域?

1 个答案:

答案 0 :(得分:9)

使用匿名类型对象进行分组。

 var groupedData = from row in salesTable.AsEnumerable()                   
                   group row by new
                   {
                        InvoiceNum = row.Field<string>("InvoiceNum"),
                        InvoiceLineNum = row.Field<string>("InvoiceLineNum")
                   }
                   into grp
                   select grp;

或使用命名类

public class InvoiceGrouping : IEquatable<InvoiceGrouping>
{
     public string InvoiceNum { get; set; }
     public string InvoiceLineNum { get; set; }

     public bool Equals( InvoiceGrouping other )
     {
         return other != null 
                && this.InvoiceNum == other.InvoiceNum
                && this.InvoiceLineNum == other.InvoiceLineNum;
     }

     public override bool Equals( object other )
     {
         return Equals( other as InvoiceGrouping );
     }

     public override int GetHashCode()
     {
         unchecked
         {
            int hash = 17;
            hash *= (this.InvoiceNum != null ? 23 + this.InvoiceNum.GetHashCode() : 1);
            hash *= (this.InvoiceLineNum != null ? 23 + this.InvoiceLineNum.GetHashCode() : 1 );
            return hash;
         }
     }
 }

 var groupedData = from row in salesTable.AsEnumerable()                   
                   group row by new InvoiceGrouping
                   {
                        InvoiceNum = row.Field<string>("InvoiceNum"),
                        InvoiceLineNum = row.Field<string>("InvoiceLineNum")
                   }
                   into grp
                   select grp;