web-dev-qa-db-ja.com

リスト内の一意の値をカウントする方法

そこで、ユーザーに入力を求め、値を配列/リストに保存するこのプログラムを作成しようとしています。
次に、空白行が入力されると、それらの値のうちどれが一意であるかをユーザーに通知します。
私はこれを問題セットとしてではなく、現実の理由で構築しています。

enter: happy
enter: rofl
enter: happy
enter: mpg8
enter: Cpp
enter: Cpp
enter:
There are 4 unique words!

私のコードは次のとおりです。

# ask for input
ipta = raw_input("Word: ")

# create list 
uniquewords = [] 
counter = 0
uniquewords.append(ipta)

a = 0   # loop thingy
# while loop to ask for input and append in list
while ipta: 
  ipta = raw_input("Word: ")
  new_words.append(input1)
  counter = counter + 1

for p in uniquewords:

..そして、それは私がこれまでに得たすべてについてです。
リスト内の単語の一意の数をカウントする方法がわかりませんか?
誰かが解決策を投稿して、そこから学ぶことができるか、少なくともそれがどのように素晴らしいかを見せてくれたら、ありがとう!

83
Joel Aqu.

さらに、 collections.Counter を使用してコードをリファクタリングします。

from collections import Counter

words = ['a', 'b', 'c', 'a']

Counter(words).keys() # equals to list(set(words))
Counter(words).values() # counts the elements' frequency

出力:

['a', 'c', 'b']
[2, 1, 1]
168
Vidul

set を使用して重複を削除し、 len 関数を使用してセット内の要素をカウントできます。

len(set(new_words))
165
codebox

set を使用します。

words = ['a', 'b', 'c', 'a']
unique_words = set(words)             # == set(['a', 'b', 'c'])
unique_Word_count = len(unique_words) # == 3

これにより、ソリューションは次のように簡単になります。

words = []
ipta = raw_input("Word: ")

while ipta:
  words.append(ipta)
  ipta = raw_input("Word: ")

unique_Word_count = len(set(words))

print "There are %d unique words!" % unique_Word_count

values, counts = np.unique(words, return_counts=True)

12
James Hirschorn

Ndarrayには nique と呼ばれるnumpyメソッドがあります:

np.unique(array_name)

例:

>>> np.unique([1, 1, 2, 2, 3, 3])
array([1, 2, 3])
>>> a = np.array([[1, 1], [2, 3]])
>>> np.unique(a)
array([1, 2, 3])

シリーズの場合、関数呼び出し value_counts() があります。

Series_name.value_counts()
2
user78692
ipta = raw_input("Word: ") ## asks for input
words = [] ## creates list
unique_words = set(words)
1
user1590499

セットが最も簡単な方法ですが、辞書を使用し、some_dict.has(key)を使用して、一意のキーと値のみを辞書に追加することもできます。

words[]にユーザーからの入力が既に入力されていると仮定して、リスト内の一意の単語を数字にマッピングする辞書を作成します。

Word_map = {}
i = 1
for j in range(len(words)):
    if not Word_map.has_key(words[j]):
        Word_map[words[j]] = i
        i += 1                                                             
num_unique_words = len(new_map) # or num_unique_words = i, however you prefer
1
JMB
aa="XXYYYSBAA"
bb=dict(Zip(list(aa),[list(aa).count(i) for i in list(aa)]))
print(bb)
# output:
# {'X': 2, 'Y': 3, 'S': 1, 'B': 1, 'A': 2}
0
MadJayhawk

私は自分でセットを使用しますが、さらに別の方法があります:

uniquewords = []
while True:
    ipta = raw_input("Word: ")
    if ipta == "":
        break
    if not ipta in uniquewords:
        uniquewords.append(ipta)
print "There are", len(uniquewords), "unique words!"
0
Nicola Musatti
ipta = raw_input("Word: ") ## asks for input
words = [] ## creates list

while ipta: ## while loop to ask for input and append in list
  words.append(ipta)
  ipta = raw_input("Word: ")
  words.append(ipta)
#Create a set, sets do not have repeats
unique_words = set(words)

print "There are " +  str(len(unique_words)) + " unique words!"
0
Curious

パンダを使用する他の方法

import pandas as pd

LIST = ["a","a","c","a","a","v","d"]
counts,values = pd.Series(LIST).value_counts().values, pd.Series(LIST).value_counts().index
df_results = pd.DataFrame(list(Zip(values,counts)),columns=["value","count"])

その後、任意の形式で結果をエクスポートできます

0
snat2100

以下が動作するはずです。ラムダ関数は、重複した単語を除外します。

inputs=[]
input = raw_input("Word: ").strip()
while input:
    inputs.append(input)
    input = raw_input("Word: ").strip()
uniques=reduce(lambda x,y: ((y in x) and x) or x+[y], inputs, [])
print 'There are', len(uniques), 'unique words'
0
John Wang