リスト内の要素の頻度を見つける必要があります
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
出力 - >
b = [4,4,2,1,2]
また、私はから重複を削除したい
a = [1,2,3,4,5]
リストは順序付けされているのでこれを行うことができます。
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
from itertools import groupby
[len(list(group)) for key, group in groupby(a)]
出力:
[4, 4, 2, 1, 2]
Python 2.7以降では、 collections.Counter
を使用できます。
import collections
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
counter=collections.Counter(a)
print(counter)
# Counter({1: 4, 2: 4, 3: 2, 5: 2, 4: 1})
print(counter.values())
# [4, 4, 2, 1, 2]
print(counter.keys())
# [1, 2, 3, 4, 5]
print(counter.most_common(3))
# [(1, 4), (2, 4), (3, 2)]
あなたがPython 2.6またはそれ以前のPythonを使っているなら、あなたはそれをダウンロードすることができます ここ 。
Python 2.7以降ではDictionary Comprehensionが導入されました。リストから辞書を構築すると、重複が取り除かれるだけでなく、数が増えます。
>>> a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
>>> d = {x:a.count(x) for x in a}
>>> d
{1: 4, 2: 4, 3: 2, 4: 1, 5: 2}
>>> a, b = d.keys(), d.values()
>>> a
[1, 2, 3, 4, 5]
>>> b
[4, 4, 2, 1, 2]
出現回数を数えるには:
from collections import defaultdict
appearances = defaultdict(int)
for curr in a:
appearances[curr] += 1
重複を削除するには
a = set(a)
要素の頻度を数えるのは、おそらく辞書を使ったほうがよいでしょう。
b = {}
for item in a:
b[item] = b.get(item, 0) + 1
重複を削除するには、セットを使用します。
a = list(set(a))
Python 2.7以降では、 collections.Counter を使って項目を数えることができます。
>>> a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
>>>
>>> from collections import Counter
>>> c=Counter(a)
>>>
>>> c.values()
[4, 4, 2, 1, 2]
>>>
>>> c.keys()
[1, 2, 3, 4, 5]
あなたはこれを行うことができます:
import numpy as np
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
np.unique(a, return_counts=True)
出力:
(array([1, 2, 3, 4, 5]), array([4, 4, 2, 1, 2], dtype=int64))
最初の配列は値で、2番目の配列はこれらの値を持つ要素の数です。
それで、あなたがちょうど数値を配列にしたいのなら、これを使うべきです:
np.unique(a, return_counts=True)[1]
これはitertools.groupby
を使用した別の簡潔な代替方法です。これは順不同の入力に対しても機能します。
from itertools import groupby
items = [5, 1, 1, 2, 2, 1, 1, 2, 2, 3, 4, 3, 5]
results = {value: len(list(freq)) for value, freq in groupby(sorted(items))}
結果
{1: 4, 2: 4, 3: 2, 4: 1, 5: 2}
from collections import Counter
a=["E","D","C","G","B","A","B","F","D","D","C","A","G","A","C","B","F","C","B"]
counter=Counter(a)
kk=[list(counter.keys()),list(counter.values())]
pd.DataFrame(np.array(kk).T, columns=['Letter','Count'])
seta = set(a)
b = [a.count(el) for el in seta]
a = list(seta) #Only if you really want it.
私は単にscipy.stats.itemfreqを次のように使います。
from scipy.stats import itemfreq
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
freq = itemfreq(a)
a = freq[:,0]
b = freq[:,1]
あなたはここでドキュメントをチェックすることができます: http://docs.scipy.org/doc/scipy-0.16.0/reference/generated/scipy.stats.itemfreq.html
def frequencyDistribution(data):
return {i: data.count(i) for i in data}
print frequencyDistribution([1,2,3,4])
...
{1: 1, 2: 1, 3: 1, 4: 1} # originalNumber: count
あなたの最初の質問のために、リストを繰り返して、要素の存在を追跡するために辞書を使ってください。
2番目の質問では、単にset演算子を使用してください。
この答えはもっと明確です
a = [1,1,1,1,2,2,2,2,3,3,3,4,4]
d = {}
for item in a:
if item in d:
d[item] = d.get(item)+1
else:
d[item] = 1
for k,v in d.items():
print(str(k)+':'+str(v))
# output
#1:4
#2:4
#3:3
#4:2
#remove dups
d = set(a)
print(d)
#{1, 2, 3, 4}
私はかなり遅れています、しかしこれはまたうまくいくでしょう、そして他の人たちを助けるでしょう:
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
freq_list = []
a_l = list(set(a))
for x in a_l:
freq_list.append(a.count(x))
print 'Freq',freq_list
print 'number',a_l
これを生成します..
Freq [4, 4, 2, 1, 2]
number[1, 2, 3, 4, 5]
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
# 1. Get counts and store in another list
output = []
for i in set(a):
output.append(a.count(i))
print(output)
# 2. Remove duplicates using set constructor
a = list(set(a))
print(a)
出力
D:\MLrec\venv\Scripts\python.exe D:/MLrec/listgroup.py
[4, 4, 2, 1, 2]
[1, 2, 3, 4, 5]
counterを使ってfreqを生成しています。テキストファイルから1行のコードで生成
def _fileIndex(fh):
''' create a dict using Counter of a
flat list of words (re.findall(re.compile(r"[a-zA-Z]+"), lines)) in (lines in file->for lines in fh)
'''
return Counter(
[wrd.lower() for wrdList in
[words for words in
[re.findall(re.compile(r'[a-zA-Z]+'), lines) for lines in fh]]
for wrd in wrdList])
from collections import OrderedDict
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
def get_count(lists):
dictionary = OrderedDict()
for val in lists:
dictionary.setdefault(val,[]).append(1)
return [sum(val) for val in dictionary.values()]
print(get_count(a))
>>>[4, 4, 2, 1, 2]
重複を削除して順序を維持するには
list(dict.fromkeys(get_count(a)))
>>>[4, 2, 1]
#!usr/bin/python
def frq(words):
freq = {}
for w in words:
if w in freq:
freq[w] = freq.get(w)+1
else:
freq[w] =1
return freq
fp = open("poem","r")
list = fp.read()
fp.close()
input = list.split()
print input
d = frq(input)
print "frequency of input\n: "
print d
fp1 = open("output.txt","w+")
for k,v in d.items():
fp1.write(str(k)+':'+str(v)+"\n")
fp1.close()
この方法は、ライブラリを使用したくなくてシンプルで短くしたくない場合に試すことができます。
a = [1,1,1,1,2,2,2,2,3,3,4,5,5]
marked = []
b = [(a.count(i), marked.append(i))[0] for i in a if i not in marked]
print(b)
o/P
[4, 4, 2, 1, 2]
コレクションを使用せずに別のアルゴリズムを使用したさらに別の解決策:
def countFreq(A):
n=len(A)
count=[0]*n # Create a new list initialized with '0'
for i in range(n):
count[A[i]]+= 1 # increase occurrence for value A[i]
return [x for x in count if x] # return non-zero count
a=[1,2,3,4,5,1,2,3]
b=[0,0,0,0,0,0,0]
for i in range(0,len(a)):
b[a[i]]+=1
辞書を使った簡単な解決法。
def frequency(l):
d = {}
for i in l:
if i in d.keys():
d[i] += 1
else:
d[i] = 1
for k, v in d.iteritems():
if v ==max (d.values()):
return k,d.keys()
print(frequency([10,10,10,10,20,20,20,20,40,40,50,50,30]))
あなたはpythonで提供される組み込み関数を使うことができます
l.count(l[i])
d=[]
for i in range(len(l)):
if l[i] not in d:
d.append(l[i])
print(l.count(l[i])
上記のコードは、リスト内の重複を自動的に削除し、元のリストと重複のないリストの各要素の頻度も出力します。
一発二羽の鳥! X D
num=[3,2,3,5,5,3,7,6,4,6,7,2]
print ('\nelements are:\t',num)
count_dict={}
for elements in num:
count_dict[elements]=num.count(elements)
print ('\nfrequency:\t',count_dict)