Catherine Georgia
Catherine Georgia

Reputation: 979

Making a histogram of string values in python

OK so I have six possible values for data to be which are '32', '22', '12', '31', '21' and '11'. I have these stored as strings. Is it possible for python to sort through the data and just make six bins and show how many of each I have? Or do the inputs to a histogram HAVE to be numerical?

Upvotes: 9

Views: 12720

Answers (4)

user648129
user648129

Reputation:

Assuming data is a list and you want to count the numbers in a bins. I will use bins as a dictionary.

bin = {'11': 0, '12': 0, '21': 0, '22': 0, '31': 0, '32': 0}

for element in data:
    if element in bin:  # Ignore other elements in data if any
        bin[element] = bin[element] + 1

bins dictionary will have frequency of each element in data list. Now you can use bins to plot bar graph using graph plot library. May be you can use this post to check matplotlib usage for plotting bar graph.

Upvotes: 0

GilZ
GilZ

Reputation: 6477

Did you consider using collections.Counter?

# python 2.7
>>> l = ['32', '22', '12', '31', '21', '11', '32']
>>> import collections
>>> collections.Counter(l)
Counter({'32': 2, '11': 1, '12': 1, '21': 1, '22': 1, '31': 1})

Upvotes: 8

user647772
user647772

Reputation:

data =  ['32', '22', '12', '32', '22', '12', '31', '21', '11']
dict((x, data.count(x)) for x in data)

Result

{'11': 1, '12': 2, '21': 1, '22': 2, '31': 1, '32': 2}

Upvotes: 15

f p
f p

Reputation: 3223

data =  ['32', '22', '12', '32', '22', '12', '31', '21', '11']
sm = {i:0 for i in ['32', '22', '12', '31', '21','11']}
for i in data:
    sm[i] += 1
print sm

Something like this?

Upvotes: 2

Related Questions