我有一个关于分组和Select()方法的问题。

假设我有一个IEnumerable<IGrouping<int, smth>>,如下所示:

var groups = list.GroupBy(x => x.ID);

其中list是list <smth>。

现在我需要以某种方式将每个IGrouping的值传递给另一个列表:

foreach (var v in structure)
{
    v.ListOfSmth = groups.Select(...); // <- ???
}

有人能建议如何从IGrouping<int, smth>在这样的上下文中获得值(List<smth>)吗?


当前回答

简单地这样做:

// this will "split" the list into groups
var groups = list.GroupBy(x => x.ID);

// groups is a "collection of lists"
foreach (var sublist in groups)
{
  // now the sublist is only a part of the original list
  // to get which is the value of ID, you can use sublist.Key
}

你不需要Select(). groupby (expr)生成“列表的列表”。

其他回答

如果您有一个IGrouping<GroupItem, ListItem>,并且您希望在不使用foreach循环的情况下访问该组的ListItem类型的项,这是非常简单的。类型为IGrouping<GroupItem, ListItem>的对象也是类型为IEnumerable<ListItem>的对象,因为它被定义为:

public interface IGrouping<out TKey, out TElement> : IEnumerable<TElement>, IEnumerable

所以你可以简单地说:

foreach (IGrouping<GroupItem, ListItem> group in list.GroupBy(x => x.ID))
{
    IEnumerable<ListItem> itemsInThisGroup = group;
    // ...
}

如果由于某种原因,它必须是List<T>而不是IEnumerable<T>,当然您仍然可以调用itemsInThisGroup.ToList()。但通常情况下,如果没有必要,最好不要这样做。

假设您有一个MyPayments类

 public class Mypayment
{
    public int year { get; set; }
    public string month { get; set; }
    public string price { get; set; }
    public bool ispaid { get; set; }
}

你有一个我的支付列表

public List<Mypayment> mypayments { get; set; }

你要把名单按年分组。你可以这样使用linq:

List<List<Mypayment>> mypayments = (from IGrouping<int, Mypayment> item in yearGroup
                                                let mypayments1 = (from _payment in UserProjects.mypayments
                                                                   where _payment.year == item.Key
                                                                   select _payment).ToList()
                                                select mypayments1).ToList();
foreach (var v in structure) 
{     
    var group = groups.Single(g => g.Key == v. ??? );
    v.ListOfSmth = group.ToList();
}

首先,您需要选择所需的组。然后可以使用组上的ToList方法。IGrouping是值的IEnumerable。

以上答案的更明确版本:

IEnumerable<IGrouping<int, ClassA>> groups = list.GroupBy(x => x.PropertyIntOfClassA);

foreach (var groupingByClassA in groups)
{
    int propertyIntOfClassA = groupingByClassA.Key;

    //iterating through values
    foreach (var classA in groupingByClassA)
    {
        int key = classA.PropertyIntOfClassA;
    }
}

根据IGrouping的定义:

IGrouping<out TKey, out TElement> : IEnumerable<TElement>, IEnumerable

你可以像这样迭代元素:

IEnumerable<IGrouping<int, smth>> groups = list.GroupBy(x => x.ID)
foreach(IEnumerable<smth> element in groups)
{
//do something
}