I have a dataframe that shows answers of a multiple choice question of 5 students:
JavaScript
x
7
1
id Question 1
2
0 a;b;c
3
1 a;c
4
2 b
5
3 a;d
6
4 b;c;d
7
And I want to count how many times does a choice been selected. For example, the final answer should be
JavaScript
1
5
1
a:3
2
b:3
3
c:3
4
d:2
5
So is there a quick way to get the solution using python?
Besides, I am using the data from the dataframe for visualization in Tableau. Tableau counts like this:
JavaScript
1
6
1
a;b;c appear once
2
a;c appear once
3
b appear once
4
a;d appear once
5
b;c;d appear once
6
So is there a way to get the above result directly using Tableau? Or I have to do something in python then using tableau.
Thanks
Advertisement
Answer
You can try below code to count the occurrence of each choice in a pandas dataframe column:
JavaScript
1
3
1
data = pd.DataFrame({'id':[0, 1,2,3,4], 'Question1':['a;b;c','a;c','b','a;d','b;c;d']})
2
count = data.Question1.str.split(';', expand=True).stack().value_counts()
3
output:
JavaScript
1
6
1
a 3
2
b 3
3
c 3
4
d 2
5
dtype: int64
6