如果我有一个Python字典,我如何获得包含最小值的条目的键?

我在想一些与min()函数有关的事情…

给定输入:

{320:1, 321:0, 322:3}

它会返回321。


当前回答

my_dic = {320:1, 321:0, 322:3}
min_value = sorted(my_dic, key=lambda k: my_dic[k])[0]
print(min_value)

一个只有排序方法的解。

我用排序方法从最小到最大对值进行排序 当我们得到第一个索引时,它给出了最小的键。

其他回答

对于具有相同最小值的多个键,您可以使用列表推导式:

d = {320:1, 321:0, 322:3, 323:0}

minval = min(d.values())
res = [k for k, v in d.items() if v==minval]

[321, 323]

等价的功能版本:

res = list(filter(lambda x: d[x]==minval, d))
# python 
d={320:1, 321:0, 322:3}
reduce(lambda x,y: x if d[x]<=d[y] else y, d.iterkeys())
  321

我比较了以下三个选项的表现:

    import random, datetime

myDict = {}
for i in range( 10000000 ):
    myDict[ i ] = random.randint( 0, 10000000 )



# OPTION 1

start = datetime.datetime.now()

sorted = []
for i in myDict:
    sorted.append( ( i, myDict[ i ] ) )
sorted.sort( key = lambda x: x[1] )
print( sorted[0][0] )

end = datetime.datetime.now()
print( end - start )



# OPTION 2

start = datetime.datetime.now()

myDict_values = list( myDict.values() )
myDict_keys = list( myDict.keys() )
min_value = min( myDict_values )
print( myDict_keys[ myDict_values.index( min_value ) ] )

end = datetime.datetime.now()
print( end - start )



# OPTION 3

start = datetime.datetime.now()

print( min( myDict, key=myDict.get ) )

end = datetime.datetime.now()
print( end - start )

样例输出:

#option 1
236230
0:00:14.136808

#option 2
236230
0:00:00.458026

#option 3
236230
0:00:00.824048

下面是一个回答,实际上给出了OP要求的解决方案:

>>> d = {320:1, 321:0, 322:3}
>>> d.items()
[(320, 1), (321, 0), (322, 3)]
>>> # find the minimum by comparing the second element of each tuple
>>> min(d.items(), key=lambda x: x[1]) 
(321, 0)

但是,对于较大的字典,使用d.t iteritems()会更有效。

将min与迭代器一起使用(对于python 3使用items而不是iteritems);使用itemgetter from操作符代替lambda,这比lambda快。

from operator import itemgetter
min_key, _ = min(d.iteritems(), key=itemgetter(1))