답변:
>>> m = max(a)
>>> [i for i, j in enumerate(a) if j == m]
[9, 12]
a.index(max(a))
list의 가장 큰 값을 가진 요소의 첫 번째 인스턴스의 색인을 알려줍니다 a
.
선택한 답변 (및 대부분의 다른 답변)에는 목록을 통과하는 패스가 두 번 이상 필요합니다.
더 긴 목록에 더 적합한 선택이 될 수있는 원 패스 솔루션이 있습니다.
편집 : @ John Machin이 지적한 두 가지 단점을 해결합니다. (2)에 대해 나는 각 조건의 추정 된 확률과 전임자로부터의 추론에 근거하여 테스트를 최적화하려고 시도했다. 그것은을 위해 적절한 초기 값을 알아내는 조금 신중해야 max_val
하고 max_indices
최대 목록의 첫 번째 값으로 일어난 특히, 모든 가능한 경우에 근무하는 -하지만 난 지금 않습니다 생각합니다.
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
이 가장 일반적이지만 위의 코드는 하나가 아닌 두 가지 테스트를 수행합니다.
==
2 대신에 3 번의 테스트가 수행 elif
됩니다. 조건은 항상 맞습니다.
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-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 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()
최대 목록 요소의 색인을 찾는 Pythonic 방법은 다음과 같습니다.
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)
우리는 파이썬적이고 똑똑한 방법으로 그것을 할 수 있습니다! 한 줄로만 목록 이해력을 사용하면
maxIndexList = [i for i,j in enumerate(a) if j==max(a)] #here,i=index and j = value of that index
모든 코드는 Python 3에 있습니다.