Good way to get the key of the highest value of a Dictionary in C#

前端 未结 10 968
花落未央
花落未央 2020-12-04 17:33

I\'m trying to get the key of the maximum value in the Dictionary results.

This is what I have so far:

double max          


        
10条回答
  •  旧时难觅i
    2020-12-04 17:49

    I think this is the most readable O(n) answer using standard LINQ.

    var max = results.Aggregate((l, r) => l.Value > r.Value ? l : r).Key;
    

    edit: explanation for CoffeeAddict

    Aggregate is the LINQ name for the commonly known functional concept Fold

    It loops over each element of the set and applies whatever function you provide. Here, the function I provide is a comparison function that returns the bigger value. While looping, Aggregate remembers the return result from the last time it called my function. It feeds this into my comparison function as variable l. The variable r is the currently selected element.

    So after aggregate has looped over the entire set, it returns the result from the very last time it called my comparison function. Then I read the .Key member from it because I know it's a dictionary entry

    Here is a different way to look at it [I don't guarantee that this compiles ;) ]

    var l = results[0];
    for(int i=1; i l.Value)
            l = r;        
    }
    var max = l.Key;
    

提交回复
热议问题