📌  相关文章
📜  Python|查找列表中最大元素的频率

📅  最后修改于: 2022-05-13 01:55:21.979000             🧑  作者: Mango

Python|查找列表中最大元素的频率

给定一个列表,任务是找出列表中最大元素的出现次数。
例子:

Input : [1, 2, 8, 5, 8, 7, 8]
Output :3


Input : [2, 9, 1, 3, 4, 5]
Output :1

方法 1:天真的方法是使用 max(list)函数找到列表中存在的最大元素,然后使用 for 循环遍历列表并找到列表中最大元素的频率。下面是实现。

Python3
# Python program to find the
# frequency of largest element
 
 
L = [1, 2, 8, 5, 8, 7, 8]
 
# print the  frequency of largest element
frequency = print(L.count(max(L)))


Python3
# Python program to find the
# frequency of largest element
 
import collections
 
L = [1, 2, 8, 5, 8, 7, 8]
 
# find the largest element
largest = max(L)
 
# Storing the occurrences of each
# element of list in res
res = collections.Counter(L)
 
print(res[largest])


Python3
# Python program to find the
# frequency of largest element
 
 
L = [1, 2, 8, 5, 8, 7, 8]
d= {}
 
# find the largest element
largest = max(L)
 
for i in L:
    if i in d:
        d[i] += 1
    else:
        d[i] = 1
         
print(d[largest])


输出:

3

方法 2:使用 collections.Counter()
一旦初始化,就可以像访问字典一样访问计数器。此外,它不会引发 KeyValue 错误(如果键不存在),而是值的计数显示为 0。

Python3

# Python program to find the
# frequency of largest element
 
import collections
 
L = [1, 2, 8, 5, 8, 7, 8]
 
# find the largest element
largest = max(L)
 
# Storing the occurrences of each
# element of list in res
res = collections.Counter(L)
 
print(res[largest])

输出:

3

方法3:使用字典
在这种方法中,每个元素的出现次数作为键值对存储在字典中,其中键是元素,值是频率。

Python3

# Python program to find the
# frequency of largest element
 
 
L = [1, 2, 8, 5, 8, 7, 8]
d= {}
 
# find the largest element
largest = max(L)
 
for i in L:
    if i in d:
        d[i] += 1
    else:
        d[i] = 1
         
print(d[largest])

输出:

3