如果我有一个类似的课程:
public class Item
{
public int ClientID { get; set; }
public int ID { get; set; }
}
这些物品的集合......
List<Item> items = getItems();
如何使用LINQ返回具有最高ID的单个“Item”对象?
如果我这样做:
items.Select(i => i.ID).Max();
我只会得到最高的ID,当我真正想要返回的是具有最高ID的Item对象本身?我希望它返回一个“Item”对象,而不是int。
答案 0 :(得分:133)
这只会循环一次。
Item biggest = items.Aggregate((i1,i2) => i1.ID > i2.ID ? i1 : i2);
谢谢尼克 - 这是证据
class Program
{
static void Main(string[] args)
{
IEnumerable<Item> items1 = new List<Item>()
{
new Item(){ ClientID = 1, ID = 1},
new Item(){ ClientID = 2, ID = 2},
new Item(){ ClientID = 3, ID = 3},
new Item(){ ClientID = 4, ID = 4},
};
Item biggest1 = items1.Aggregate((i1, i2) => i1.ID > i2.ID ? i1 : i2);
Console.WriteLine(biggest1.ID);
Console.ReadKey();
}
}
public class Item
{
public int ClientID { get; set; }
public int ID { get; set; }
}
重新排列列表并获得相同的结果
答案 1 :(得分:42)
.OrderByDescending(i=>i.id).Take(1)
关于性能问题,这种方法很可能在理论上比线性方法慢。但实际上,大多数情况下,我们并没有处理足够大的数据集,无法发挥作用。
如果表现是一个主要问题,西雅图伦纳德的答案应该给你线性时间复杂度。或者,您也可以考虑从不同的数据结构开始,该结构在固定时间返回最大值项。
答案 2 :(得分:29)
int max = items.Max(i => i.ID);
var item = items.First(x => x.ID == max);
这假设当然物品集合中有元素。
答案 3 :(得分:28)
答案 4 :(得分:5)
如果您不想使用MoreLINQ并希望获得线性时间,您还可以使用Aggregate
:
var maxItem =
items.Aggregate(
new { Max = Int32.MinValue, Item = (Item)null },
(state, el) => (el.ID > state.Max)
? new { Max = el.ID, Item = el } : state).Item;
这会记住匿名类型中的当前最大元素(Item
)和当前最大值(Item
)。然后你只需选择Item
属性。这确实有点难看,您可以将其包装到MaxBy
扩展方法中,以获得与MoreLINQ相同的内容:
public static T MaxBy(this IEnumerable<T> items, Func<T, int> f) {
return items.Aggregate(
new { Max = Int32.MinValue, Item = default(T) },
(state, el) => {
var current = f(el.ID);
if (current > state.Max)
return new { Max = current, Item = el };
else
return state;
}).Item;
}
答案 5 :(得分:3)
或者您可以编写自己的扩展方法:
static partial class Extensions
{
public static T WhereMax<T, U>(this IEnumerable<T> items, Func<T, U> selector)
{
if (!items.Any())
{
throw new InvalidOperationException("Empty input sequence");
}
var comparer = Comparer<U>.Default;
T maxItem = items.First();
U maxValue = selector(maxItem);
foreach (T item in items.Skip(1))
{
// Get the value of the item and compare it to the current max.
U value = selector(item);
if (comparer.Compare(value, maxValue) > 0)
{
maxValue = value;
maxItem = item;
}
}
return maxItem;
}
}
答案 6 :(得分:2)
试试这个:
var maxid = from i in items
group i by i.clientid int g
select new { id = g.Max(i=>i.ID }
答案 7 :(得分:2)
这是一种源自@Seattle Leonard的答案的扩展方法:
public static T GetMax<T,U>(this IEnumerable<T> data, Func<T,U> f) where U:IComparable
{
return data.Aggregate((i1, i2) => f(i1).CompareTo(f(i2))>0 ? i1 : i2);
}
答案 8 :(得分:1)
您可以使用捕获的变量。
Item result = items.FirstOrDefault();
items.ForEach(x =>
{
if(result.ID < x.ID)
result = x;
});
答案 9 :(得分:1)
在LINQ中,您可以通过以下方式解决问题:
Item itemMax = (from i in items
let maxId = items.Max(m => m.ID)
where i.ID == maxId
select i).FirstOrDefault();