Trying to calculate the probability of getting two 3s in ‘k’ rolls and then bar plot. Prior to me adding the code starting with prob_trials[], it would not return any output. Then when I added the prob_trials[] code, if get the error of tuple not callable.
JavaScript
x
35
35
1
import random
2
import pylab
3
4
"Calculating probability of getting exactly a 3 in k rolls"
5
6
dice=(1,2,3,4,5,6)
7
one=0
8
two=0
9
three=0
10
four=0
11
five=0
12
six=0
13
for i in range(100):
14
result = random.choice(dice)
15
if result == 1:
16
one +=1
17
elif result == 2:
18
two +=1
19
elif result == 3:
20
three +=1
21
elif result == 4:
22
four +=1
23
elif result == 5:
24
five +=1
25
elif result == 6:
26
six +=1
27
trial_result = (one, two, three, four, five, six)
28
29
prob_trials=[]
30
for i in range(6):
31
a = trial_result(i)/100
32
prob_trials.append(a)
33
34
pltbar(dice,prob_trials)
35
Advertisement
Answer
I would suggest a direct calculation of the probability. The experiment of rolling a dice getting
- ‘3’ with probability
1/6
- ‘not 3’ with probability
5/6
This can be looked as a Bernoulli distribution. Thus, the act of 2
successes in k
experiments will be regarded as Binomial distribution. Therefore, the probability of a binomial random variable X
to have 2
successes in k
attempts will be computed as:
P(X=2) = (k choose 2)*(1/6)^2 * (5/6)^{k-2}
Code example for this will be:
JavaScript
1
10
10
1
from math import comb
2
3
p = 1/6 # probability of success in an experiment
4
k = 8 # number of experiments, put any number here
5
s = 2 # number of successes, 2 in our case
6
7
prob = comb(k, s) * p**s * (1-p)**(k-s)
8
9
print(prob)
10