我有一个表,其中包含一个带有客户端名称的列。 它有大约 10-15 个不同的客户端,这些客户端在列中多次出现。 有没有办法可以运行一个查询,该查询将列出所有不同的客户端并为每个客户端进行计数,以便它显示每个客户端在列中出现的次数? 我知道在SQL中您可以使用as来分配临时列,但是我是LINQ的新手,不知道这是否可能。
任何帮助都会很棒,谢谢。
就像使用GROUP BY
和COUNT
的SQL一样,如下所示:
SELECT name, COUNT(*)
FROM customers
GROUP BY name
在 LINQ 中,您将使用 GroupBy(...)
和 Count()
,如下所示:
var res = src.Clients
.GroupBy(c => c.Name)
.Select(g => new {
Name = g.Key
, Count = g.Count()
});
像这样的东西?
查询语法:
from r in someTable
group r by r.ClientId into grp
select new
{
ClientId = grp.Key,
Occurrences = grp.Count(),
}
作为方法语法:
someTable
.GroupBy(r => r.ClientId)
.Select(grp => new
{
ClientId = grp.Key,
Occurrences = grp.Count(),
});
其中ClientId
是要作为区分依据的列。
我假设items
包含具有ClientName
的元素
使用 Linq GroupBy
方法。
var result = (from item in items
group item by item.ClientName
into g // g is the group
select new
{
ClientName = g.Key, // g.Key contains the key of the group ;) -> here the common "ClientName"
Count = g.Count() // g is an enumerable over the elements of the group, so g.Count() gives you the number of elements in the group
});
你可以做这样的事情:
纯林克:
var query = from item in list
group by item.name into gr
let count=gr.Count()
orderby count
select new {Value = gr.Key, Count=count }
使用lambda表达式:
var query= entity.GroupBy(s=>s.Name).
Select(x=> new {Value = x.Key,Count=x.Count()}).
OrderBy(s=>s.Count);
在此处阅读有关 linq 的更多信息: Linq Samples
。
顺便说一句,在问什么之前,你应该搜索更多。