var groupedList = mylist.GroupBy(mytype => mytype.Category).ToList()
groupedList
现在是一个IEnumerable<IGrouping<Category, MyType>>
现在我想对 MyType 的特定属性执行 Distinct()IGrouping<Category, MyType>
以删除重复项。返回值的类型必须与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()。实现应该使用您的属性值进行比较。