具有附加条件的Distinct Linq筛选
本文关键字:Linq 筛选 Distinct 附加条件 | 更新日期: 2023-09-27 18:00:40
我有一个列表,其中包含重复的项值(按ID),但优先级不同(或可能相等)。优先级相同或更低的重复项目应从列表中删除。
例如:
var items = new {
new { Id=2, Priority=3 },
new { Id=4, Priority=4 },
new { Id=1, Priority=4 },
new { Id=2, Priority=5 },
new { Id=4, Priority=4 }
};
RemoveDuplicates(items);
// items should now contain distinct values,
// with highest possible priority
var items = new {
new { Id=1, Priority=4 }, // this one was unique
new { Id=2, Priority=5 }, // this one was duplicate with higher priority
new { Id=4, Priority=4 }, // this one was duplicate with same priority
};
使用LINQ可以做到这一点吗?我知道我可以按ID对列表进行排序,然后检查相邻的项目,但我只是想检查这是否可行。
(更新:输入值不一定按ID分组)
var items = new[] {
new { Id=2, Priority=3 },
new { Id=2, Priority=5 },
new { Id=1, Priority=4 },
new { Id=4, Priority=4 },
new { Id=4, Priority=4 }
};
var deduped = items
.GroupBy(item => item.Id)
.Select(group => group.OrderByDescending(item => item.Priority).First())
.OrderBy(item => item.Id);
Distinct扩展方法返回序列中的不同元素。您可以提供IEqualityComparer<TSource>以确定两个元素何时相等。但是,该方法不允许您选择使用两个相等元素中的哪一个。
您可以使用GroupBy Extension方法按ID对列表进行分组,然后从每个组中选择优先级最高的元素:
var query = items.GroupBy(item => item.Id)
.Select(g => g.MaxBy(item => item.Priority))
.OrderBy(item => item.Id);
使用MoreLINQ的MaxBy。