在C#中,使用LINQ(Language Integrated Query)可以非常高效地進行分組查詢和計數操作。以下是一個示例,展示了如何在分組查詢中使用Count()
方法:
using System;
using System.Collections.Generic;
using System.Linq;
class Program
{
static void Main(string[] args)
{
// 創建一個示例列表
List<Person> people = new List<Person>
{
new Person { Name = "Alice", Age = 30 },
new Person { Name = "Bob", Age = 25 },
new Person { Name = "Charlie", Age = 30 },
new Person { Name = "David", Age = 28 },
new Person { Name = "Eva", Age = 25 }
};
// 使用LINQ進行分組查詢,并計算每個分組的數量
var groupedPeople = from person in people
group person by person.Age into ageGroup
select new
{
Age = ageGroup.Key,
Count = ageGroup.Count()
};
// 輸出結果
foreach (var group in groupedPeople)
{
Console.WriteLine($"Age: {group.Age}, Count: {group.Count}");
}
}
}
class Person
{
public string Name { get; set; }
public int Age { get; set; }
}
在這個示例中,我們首先創建了一個包含5個人的列表。然后,我們使用LINQ對這個列表進行分組查詢,按照年齡進行分組,并計算每個分組的數量。最后,我們遍歷結果并輸出每個分組的年齡和數量。
運行此程序,您將看到以下輸出:
Age: 30, Count: 2
Age: 25, Count: 2
Age: 28, Count: 1
這表明在這個列表中,有2個人的年齡是30歲,2個人的年齡是25歲,1個人的年齡是28歲。通過使用LINQ的Count()
方法,我們可以輕松地計算每個分組的數量,從而實現高效的分組查詢。