一个LINQ表达式中的计数和不同计数

本文关键字:LINQ 表达式 一个 | 更新日期: 2023-09-27 18:25:15

是否有将两个linq表达式合并为一个的方法?也就是说,一个LINQ表达式将DistCount和NormCount返回到两个独立的int变量中。

DistCount = (from string row in myList[i]
                where row.Length > 0
                select row).Distinct().Count();
NormCount = (from string row in myList[i]
                where row.Length > 0
                select row).Count();

一个LINQ表达式中的计数和不同计数

逐行执行group。然后,您将获得不同的计数(组数)和总数(Counts的总和)

var q = (from string row in myList[i]
    where row.Length > 0
    group row by row into rowCount
    select new {rowCount.Key, rowCount.Count})
int distinct = q.Count();
int total = q.Sum(r=>r.Count);

回答您的问题没有内置的linq表达式。

旁注如果你真的需要,你可以创建一个。

public static class Extensions
{
    public static Tuple<int, int> DistinctAndCount<T>(this IEnumerable<T> elements)
    {
        HashSet<T> hashSet = new HashSet<T>();
        int count = 0;
        foreach (var element in elements)
        {
            count++;
            hashSet.Add(element);
        }
        return new Tuple<int, int>(hashSet.Count, count);
    }
}

您可以创建您的命名返回类型,而不是Tuple,以使使用更容易。

示例用法如下:

   var distinctAndCount = (from string row in myList[i]
                              where row.Length > 0 
                              select row
                             ).DistinctAndCount();

或者,正如我个人更喜欢写的那样:

   var distinctAndCount = myList[i].Where(row => row.Length > 0).DistinctAndCount();

您可以尝试选择匿名类型:

from string row in myList[i] 
where row.Length > 0
select new { 
    DistCount = row.Distinct().Count(), 
    NormCount = row.Count() 
}