web-dev-qa-db-ja.com

リスト内の最大値のすべての位置を見つける方法は?

リストがあります:

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]

最大要素は55(位置9および12の2つの要素)

最大値がどの位置にあるかを見つける必要があります。助けてください。

121
Bob
>>> m = max(a)
>>> [i for i, j in enumerate(a) if j == m]
[9, 12]
179
SilentGhost
a.index(max(a))

リストaの最大値要素の最初のインスタンスのインデックスを示します。

259
nmichaels

選択した回答(および他のほとんどの回答)には、リストを少なくとも2回通過する必要があります。
これは、より長いリストに適したワンパスソリューションです。

編集: @John Machinが指摘した2つの欠陥に対処するため。 (2)の場合、各条件の推測確率と前任者からの推論に基づいて、テストを最適化しようとしました。 max_valmax_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
18
martineau

@martineauが引用した@ SilentGhost-beatingパフォーマンスを再現できません。比較のための私の努力は次のとおりです。

=== 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でPython 2.7を実行しているビートアップされた古いラップトップからの結果XP SP3:

>\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
8
John Machin

私は次のことを思いつきましたが、maxmin、およびこれらのようなリスト上の他の関数で見ることができるように動作します:

そのため、次のサンプルリストで、リストamaximumの位置を確認してください。

>>> a = [3,2,1, 4,5]

generatorenumerateを使用してキャストする

>>> list(enumerate(a))
[(0, 3), (1, 2), (2, 1), (3, 4), (4, 5)]

この時点で、maxの位置を抽出できます

>>> 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)

7
jonaprieto
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]

import pandas as pd

pd.Series(a).idxmax()

9

それが私が通常行う方法です。

6
Arijit Laha

Numpyパッケージも使用できます。

import numpy as np
A = np.array(a)
maximum_indices = np.where(A==max(a))

これは、最大値を含むすべてのインデックスのnumpy配列を返します

これをリストにしたい場合:

maximum_indices_list = maximum_indices.tolist()
5
user3569257
>>> max(enumerate([1,2,3,32,1,5,7,9]),key=lambda x: x[1])
>>> (3, 32)
4
Hari Roshan

@ shashは他の場所でこれに答えました

最大のリスト要素のインデックスを見つけるPython的な方法は

position = max(enumerate(a), key=lambda x: x[1])[0]

これはone passです。それでも、@ 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
3
serv-inc

最大値とそれが表示されるインデックスは次のとおりです。

>>> 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]
2
hughdbrown

リストを理解しているが、列挙しない同様のアイデア

m = max(a)
[i for i in range(len(a)) if a[i] == m]
2
Salvador Dali

nというリスト内の最大のdata番号のインデックスを取得する場合は、Pandas sort_values を使用できます。

pd.Series(data).sort_values(ascending=False).index[0:n]
1
dannyg

1行だけ:

idx = max(range(len(a)), key = lambda i: a[i])
1
divkakwani

さまざまな方法でそれを行うことができます。

古い従来の方法は、

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)

Pythonicでスマートな方法でそれを行うことができます!リスト内包表記を1行で使用すると、

maxIndexList = [i for i,j in enumerate(a) if j==max(a)] #here,i=index and j = value of that index

すべてのコードはPython 3.にあります。

0
Taohidul Islam
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])
0
Roger Pate

このコードは、前に投稿した回答ほど洗練されていませんが、機能します。

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上記のコードでは、リスト内の最大数のすべての位置が含まれます。

0
Sukrit Gupta