2013-02-10 13 views
24

与えられた列で並べ替えるタプルのリストの最小値を探したい。私はいくつかのデータを2タプルのリストとして並べています。タプルペア、Pythonを使って最小値を見つける

data = [ (1, 7.57), (2, 2.1), (3, 1.2), (4, 2.1), (5, 0.01), 
     (6, 0.5), (7, 0.2), (8, 0.6)] 

タプル内の2番目の数値の比較だけでデータセットの最小値を見つけることはできますか?同意

すなわち

data[0][1] = 7.57 
data[1][1] = 2.1 

分(データ)= (5, 0.01)

min(data)戻り(1, 7.57)は、インデックス0の最小の正しいですが、私は、インデックスの最小限にしたい1

答えて

44
In [2]: min(data, key = lambda t: t[1]) 
Out[2]: (5, 0.01) 

または:

In [3]: import operator 

In [4]: min(data, key=operator.itemgetter(1)) 
Out[4]: (5, 0.01) 
1

Levの答えは正しいですが、最初のn minimasに興味がある場合に備えて、sortメソッドも追加したいと考えていました。考慮すべき ことの一つは、ソートのは、あなたがnumpyのcoolaidを飲むために喜んでいる場合は、これらのコマンドを使用することができますO(N Log N)

data = [ (1, 7.57), (2, 2.1), (3, 1.2), (4, 2.1), (5, 0.01), (6, 0.5), (7, 0.2), (8, 0.6)] 
data.sort(key=lambda x:x[1]) 
print data 

>>> [(5, 0.01), (7, 0.2), (6, 0.5), (8, 0.6), (3, 1.2), (2, 2.1), (4, 2.1), (1, 7.57)] 

https://www.ics.uci.edu/~pattis/ICS-33/lectures/complexitypython.txt

0

ですmin操作のランタイムがO(N)であるということです項目が最小であるリスト内のタプルを取得する:

この作業を行うための要素は、numpyの高度な配列スライシングとargsort機能です。

印刷し
import numpy as np 
#create a python list of tuples and convert it to a numpy ndarray of floats 
data = np.array([ (1, 7.57), (2, 2.1), (3, 1.2), 
        (4, 2.1), (5, 0.01), (6, 0.5), (7, 0.2), (8, 0.6)]) 

print("data is") 
print(data) 

#Generate sortIndices from second column 
sortIndices = np.argsort(data[:,1]) 

print("sortIndices using index 1 is:") 
print(sortIndices) 
print("The column at index 1 is:") 
print(data[:,1]) 
print("Index 1 put into order using column 1") 
print(data[sortIndices,1]) 
print("The tuples put into order using column 1") 
print(data[sortIndices,:]) 
print("The tuple with minimum value at index 1") 
print(data[sortIndices[0],:]) 
print("The tuple with maximum value at index 1") 
print(data[sortIndices[-1],:]) 

data is 
[[ 1. 7.57] 
[ 2. 2.1 ] 
[ 3. 1.2 ] 
[ 4. 2.1 ] 
[ 5. 0.01] 
[ 6. 0.5 ] 
[ 7. 0.2 ] 
[ 8. 0.6 ]] 

sortIndices using index 1 is: 
[4 6 5 7 2 1 3 0] 

The column at index 1 is: 
[ 7.57 2.1 1.2 2.1 0.01 0.5 0.2 0.6 ] 

Index 1 put into order using column 1 
[ 0.01 0.2 0.5 0.6 1.2 2.1 2.1 7.57] 

The tuples put into order using column 1 
[[ 5. 0.01] 
[ 7. 0.2 ] 
[ 6. 0.5 ] 
[ 8. 0.6 ] 
[ 3. 1.2 ] 
[ 2. 2.1 ] 
[ 4. 2.1 ] 
[ 1. 7.57]] 

The tuple with minimum value at index 1 
[ 5. 0.01] 

The tuple with maximum value at index 1 
[ 1. 7.57] 
関連する問題