回答:
>>> m = max(a)
>>> [i for i, j in enumerate(a) if j == m]
[9, 12]
a.index(max(a))
listの最大の値を持つ要素の最初のインスタンスのインデックスを教えてくれますa
。
選択した回答(および他のほとんどの回答)では、リストを少なくとも2回通過する必要があります。
これは、より長いリストに適したワンパスソリューションです。
編集: @John Machinによって指摘された2つの欠陥に対処するため。(2)については、各条件の発生の推定された確率と、前任者から許可された推論に基づいて、テストを最適化しようとしました。それはのために適切な初期値を考え出す少しトリッキーだったmax_val
とmax_indices
maxのは、リストの最初の値であることを起こっ場合は特に、すべての可能な場合のために働いている-私はそれが今ないと信じています。
def maxelements(seq):
''' Return list of position(s) of largest element '''
max_indices = []
if seq:
max_val = seq[0]
for i,val in ((i,val) for i,val in enumerate(seq) if val >= max_val):
if val == max_val:
max_indices.append(i)
else:
max_val = val
max_indices = [i]
return max_indices
[]
宣伝どおりに戻る必要があります(「返品リスト」)。コードは単純にすべきですif not seq: return []
。(2)ループ内のテストスキームは最適でval < maxval
はありません。ランダムリストでは平均して条件が最も一般的ですが、上記のコードは1つではなく2つのテストを行います。
==
に2ではなく3つのテストelif
が実行されます。条件は常にtrueになります。
elif
自分を捕まえた、FWIW。;-)
私は次のように上がってきたあなたが見ることができるようにそれが動作しmax
、min
このようなリストの上に、その他の機能:
したがって、次のリストの例で、リスト内の最大値の位置を確認してくださいa
。
>>> a = [3,2,1, 4,5]
ジェネレーター enumerate
を使用してキャストを作成する
>>> list(enumerate(a))
[(0, 3), (1, 2), (2, 1), (3, 4), (4, 5)]
この時点で、我々はの位置を抽出することができ、最大での
>>> max(enumerate(a), key=(lambda x: x[1]))
(4, 5)
上記は、最大が4の位置にあり、彼の値が5であることを示しています。
ご覧のとおり、key
引数では、適切なラムダを定義することで、反復可能なオブジェクトの最大値を見つけることができます。
それが貢献することを願っています。
PD:@PaulOysterがコメントで述べたように。し、新しいキーワードが可能昇給の例外を避けるため、引数が空リストであるときに。Python 3.x
min
max
default
ValueError
max(enumerate(list), key=(lambda x:x[1]), default = -1)
@martineauが引用している@SilentGhostを上回るパフォーマンスを再現できません。これが比較による私の努力です:
=== maxelements.py ===
a = [32, 37, 28, 30, 37, 25, 27, 24, 35, 55, 23, 31, 55, 21, 40, 18, 50,
35, 41, 49, 37, 19, 40, 41, 31]
b = range(10000)
c = range(10000 - 1, -1, -1)
d = b + c
def maxelements_s(seq): # @SilentGhost
''' Return list of position(s) of largest element '''
m = max(seq)
return [i for i, j in enumerate(seq) if j == m]
def maxelements_m(seq): # @martineau
''' Return list of position(s) of largest element '''
max_indices = []
if len(seq):
max_val = seq[0]
for i, val in ((i, val) for i, val in enumerate(seq) if val >= max_val):
if val == max_val:
max_indices.append(i)
else:
max_val = val
max_indices = [i]
return max_indices
def maxelements_j(seq): # @John Machin
''' Return list of position(s) of largest element '''
if not seq: return []
max_val = seq[0] if seq[0] >= seq[-1] else seq[-1]
max_indices = []
for i, val in enumerate(seq):
if val < max_val: continue
if val == max_val:
max_indices.append(i)
else:
max_val = val
max_indices = [i]
return max_indices
Windows XP SP3でPython 2.7を実行している古いラップトップの結果:
>\python27\python -mtimeit -s"import maxelements as me" "me.maxelements_s(me.a)"
100000 loops, best of 3: 6.88 usec per loop
>\python27\python -mtimeit -s"import maxelements as me" "me.maxelements_m(me.a)"
100000 loops, best of 3: 11.1 usec per loop
>\python27\python -mtimeit -s"import maxelements as me" "me.maxelements_j(me.a)"
100000 loops, best of 3: 8.51 usec per loop
>\python27\python -mtimeit -s"import maxelements as me;a100=me.a*100" "me.maxelements_s(a100)"
1000 loops, best of 3: 535 usec per loop
>\python27\python -mtimeit -s"import maxelements as me;a100=me.a*100" "me.maxelements_m(a100)"
1000 loops, best of 3: 558 usec per loop
>\python27\python -mtimeit -s"import maxelements as me;a100=me.a*100" "me.maxelements_j(a100)"
1000 loops, best of 3: 489 usec per loop
numpyパッケージを使用することもできます:
import numpy as np
A = np.array(a)
maximum_indices = np.where(A==max(a))
これは、最大値を含むすべてのインデックスのnumpy配列を返します
これをリストにしたい場合:
maximum_indices_list = maximum_indices.tolist()
>>> max(enumerate([1,2,3,32,1,5,7,9]),key=lambda x: x[1])
>>> (3, 32)
最大のリスト要素のインデックスを見つけるためのPythonの方法は
position = max(enumerate(a), key=lambda x: x[1])[0]
どちらが合格ですか。それでも、@ Silent_Ghostによるソリューションよりも遅く、@ nmichaels:
for i in s m j n; do echo $i; python -mtimeit -s"import maxelements as me" "me.maxelements_${i}(me.a)"; done
s
100000 loops, best of 3: 3.13 usec per loop
m
100000 loops, best of 3: 4.99 usec per loop
j
100000 loops, best of 3: 3.71 usec per loop
n
1000000 loops, best of 3: 1.31 usec per loop
最大値とそれが表示されるインデックスは次のとおりです。
>>> from collections import defaultdict
>>> d = defaultdict(list)
>>> a = [32, 37, 28, 30, 37, 25, 27, 24, 35, 55, 23, 31, 55, 21, 40, 18, 50, 35, 41, 49, 37, 19, 40, 41, 31]
>>> for i, x in enumerate(a):
... d[x].append(i)
...
>>> k = max(d.keys())
>>> print k, d[k]
55 [9, 12]
後で:@SilentGhostを満足させるために
>>> from itertools import takewhile
>>> import heapq
>>>
>>> def popper(heap):
... while heap:
... yield heapq.heappop(heap)
...
>>> a = [32, 37, 28, 30, 37, 25, 27, 24, 35, 55, 23, 31, 55, 21, 40, 18, 50, 35, 41, 49, 37, 19, 40, 41, 31]
>>> h = [(-x, i) for i, x in enumerate(a)]
>>> heapq.heapify(h)
>>>
>>> largest = heapq.heappop(h)
>>> indexes = [largest[1]] + [x[1] for x in takewhile(lambda large: large[0] == largest[0], popper(h))]
>>> print -largest[0], indexes
55 [9, 12]
heapq
-そこにある最大値を見つけるのは簡単でしょう。
heapq
解決策を見たいと思っていますが、うまくいくとは思えません。
n
というリストの中で最大の数のインデックスを取得したい場合は、data
Pandasを使用できますsort_values
。
pd.Series(data).sort_values(ascending=False).index[0:n]
import operator
def max_positions(iterable, key=None, reverse=False):
if key is None:
def key(x):
return x
if reverse:
better = operator.lt
else:
better = operator.gt
it = enumerate(iterable)
for pos, item in it:
break
else:
raise ValueError("max_positions: empty iterable")
# note this is the same exception type raised by max([])
cur_max = key(item)
cur_pos = [pos]
for pos, item in it:
k = key(item)
if better(k, cur_max):
cur_max = k
cur_pos = [pos]
elif k == cur_max:
cur_pos.append(pos)
return cur_max, cur_pos
def min_positions(iterable, key=None, reverse=False):
return max_positions(iterable, key, not reverse)
>>> L = range(10) * 2
>>> L
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
>>> max_positions(L)
(9, [9, 19])
>>> min_positions(L)
(0, [0, 10])
>>> max_positions(L, key=lambda x: x // 2, reverse=True)
(0, [0, 1, 10, 11])
このコードは、以前に投稿された回答ほど洗練されていませんが、機能します。
m = max(a)
n = 0 # frequency of max (a)
for number in a :
if number == m :
n = n + 1
ilist = [None] * n # a list containing index values of maximum number in list a.
ilistindex = 0
aindex = 0 # required index value.
for number in a :
if number == m :
ilist[ilistindex] = aindex
ilistindex = ilistindex + 1
aindex = aindex + 1
print ilist
上記のコードのilistには、リスト内の最大数のすべての位置が含まれます。
さまざまな方法でそれを行うことができます。
古い従来の方法は、
maxIndexList = list() #this list will store indices of maximum values
maximumValue = max(a) #get maximum value of the list
length = len(a) #calculate length of the array
for i in range(length): #loop through 0 to length-1 (because, 0 based indexing)
if a[i]==maximumValue: #if any value of list a is equal to maximum value then store its index to maxIndexList
maxIndexList.append(i)
print(maxIndexList) #finally print the list
リストの長さを計算して最大値を変数に保存しない別の方法、
maxIndexList = list()
index = 0 #variable to store index
for i in a: #iterate through the list (actually iterating through the value of list, not index )
if i==max(a): #max(a) returns a maximum value of list.
maxIndexList.append(index) #store the index of maximum value
index = index+1 #increment the index
print(maxIndexList)
Pythonicicでスマートな方法でそれを行うことができます!リスト内包表記を1行で使用すると、
maxIndexList = [i for i,j in enumerate(a) if j==max(a)] #here,i=index and j = value of that index
私のコードはすべてPython 3です。