在Linq中分组(在多个字段上)

本文关键字:字段 Linq | 更新日期: 2023-09-27 17:51:24

我使用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分组如何与多个字段工作?

在Linq中分组(在多个字段上)

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

 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;