欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

c#中查询表达式GroupBy的使用方法

程序员文章站 2022-06-15 18:39:54
说明:c#中实现ienumerable接口的类提供了很多扩展方法,其中select,where等为最常见的,且几乎和sql语法类似比较好理解,基本满足了日常处理集合的大部分需求,然而...

说明:

c#中实现ienumerable<t>接口的类提供了很多扩展方法,其中select,where等为最常见的,且几乎和sql语法类似比较好理解,基本满足了日常处理集合的大部分需求,然而还有一部分稍有不一样理解起来比较拗,实际分析一下实现的原理倒也很好理解,本篇文章介绍一下groupby的使用方法。

实验基础数据用例:

student类:

public class student
    {
        public int stuid { get; set; }

        public string classname { get; set; }

        public string studentname { get; set; }
    }

设定数据如下:

list<student> studentlist = new list<student>
            {
                new student {classname = "软工一班", studentname = "康巴一", stuid = 1},
                new student {classname = "软工一班", studentname = "康巴二", stuid = 2},
                new student {classname = "软工一班", studentname = "康巴三", stuid = 3},
                new student {classname = "软工二班", studentname = "康定一", stuid = 4},
                new student {classname = "软工二班", studentname = "康定二", stuid = 5},
                new student {classname = "软工二班", studentname = "康定三", stuid = 6},
            };

我们假设两个班里的学生总共有六名,现在根据班级分组

ienumerable<igrouping<string, student>> studentgroup = studentlist.groupby(s => s.classname);

如代码,调用groupby扩展方法后,返回类型为ienumerable<igrouping<string, student>>, ienumerable代表了返回结果可被foreach遍历,其中泛型实现为igrouping<string,student>,按照普遍理解的分组的概念,可以推断igrouping中应该是string代表的是一个key,即classname,那么key对应的应该就是一个student的集合,但是代码应该怎样实现呢?

可以首先foreach一下studentgroup

foreach (igrouping<string, student> item in studentgroup)
            {
                
            }

这时候可以item.一下看看提示信息

c#中查询表达式GroupBy的使用方法

这时候发现,只能提示出来的属性只有一个key,那么怎样通过item获取到分组后的student集合呢?这时候发现第二个getenumerator()方法,这个说明了item是可以被foreach的,类型为ienumerator<student>,说明了可被遍历的类型为student

然后可以foreach下item试一试

c#中查询表达式GroupBy的使用方法

如果所示,果然是student,根据推断,现在在foreach中遍历所有数据,然后打出来看一下

foreach (igrouping<string, student> item in studentgroup)
            {
                console.writeline(item.key);
                foreach (var student in item)
                {
                    console.writeline(student.studentname);
                }
            }

执行结果如下:

c#中查询表达式GroupBy的使用方法

所以可以断定item是一个student的集合,那么为什么item还有个key属性呢,好像是和平常的集合不太一样,事实确实是不一样的,我们看下igrouping的定义如下:

public interface igrouping<out tkey, out telement> : ienumerable<telement>, ienumerable
  {
    /// <summary>
    /// 获取 <see cref="t:system.linq.igrouping`2"/> 的键。
    /// </summary>
    /// 
    /// <returns>
    /// <see cref="t:system.linq.igrouping`2"/> 的键。
    /// </returns>
    [__dynamicallyinvokable]
    tkey key { [__dynamicallyinvokable] get; }
  }

igrouping的key是作为自己的属性来存储了,telement则实现了ienumerable<telement>,所以调用foreach遍历igrouping的时候返回的即是student的集合了

这个探索是挺有趣的,通过神器vs的智能提示和源码的实现最终知道了groupby的用法,并且了解了为什么这样用。

同时也看出了通过接口可以巧妙的实现多态,其中自然是妙趣无穷!

到此这篇关于c#中查询表达式groupby的使用的文章就介绍到这了,更多相关c#查询表达式groupby使用内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!