删除 之后的每个组中的重复项.GroupBy()
本文关键字:GroupBy 之后 删除 | 更新日期: 2023-09-27 18:30:06
var groupedList = mylist.GroupBy(mytype => mytype.Category).ToList()
groupedList
现在是一个IEnumerable<IGrouping<Category, MyType>>
现在我想为每个IGrouping<Category, MyType>
对MyType的特定属性执行Distinct((以删除重复项。返回值需要与 groupedList
的类型相同。
所以这是一个解决方案。 就性能而言,它并不理想,因为最后的GroupBy
有点多余,主要是为了获得正确的类型,但这不是一个超级昂贵的操作,所以这应该足够好。
groupedList = groupedList.SelectMany(group =>
group.DistinctBy(mytype => mytype.SomeProperty)
.Select(item => new
{
key = group.Key,
element = item,
}))
.GroupBy(pair => pair.key, pair => pair.element)
.ToList();
如果创建 Group
类,如下所示:
public class Group<TKey, TElement> : IGrouping<TKey, TElement>
{
private IEnumerable<TElement> elements;
public Group(TKey key, IEnumerable<TElement> elements)
{
this.elements = elements;
Key = key;
}
public TKey Key { get; private set; }
public IEnumerator<TElement> GetEnumerator()
{
return elements.GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator()
{
return GetEnumerator();
}
}
public static Group<TKey, TElement> CreateGroup<TKey, TElement>(
TKey key, IEnumerable<TElement> elements)
{
return new Group<TKey, TElement>(key, elements);
}
然后你可以做:
groupedList = groupedList.Select(group =>
(IGrouping<string, Foo>)CreateGroup(group.Key,
group.DistinctBy(mytype => mytype.SomeProperty)))
.ToList();
存在Distinct
的重载,需要 IEqualityComparer<T>
的实例。
创建一个实现该接口的类,其中T
是 mytype。GetType((。实现应使用属性值进行比较。