Created:August 11, 2024
Last Updated:March 26, 2025
This calculator helps you compute the probabilities of a binomial distribution. Simply enter the number of trials (n), the probability of success (p), and the desired comparison type and value. The calculator will display the probability distribution chart and statistics.
Calculator
Parameters
Distribution Chart
Click Calculate to view the distribution chart
Learn More
Binomial Distribution: Definition, Formula, and Examples
Binomial Distribution
Definition: The binomial distribution is a discrete probability distribution that models the number of successes in a fixed number of independent Bernoulli trials. A Bernoulli trial is an experiment with two possible outcomes: success or failure.
Formula:
Where:
- is the number of trials
- is the number of successes
- is the probability of success on each trial
- \inom{n}{k} is the binomial coefficient
Examples: Suppose you flip a fair coin times . Let's calculate various probabilities:
- Probability of getting exactly 6 heads:
- Probability of getting between 3 and 7 heads :
- Probability of getting less than 5 heads :
- Probability of getting more than 4 heads :
Properties of Binomial Distribution
- Mean:
- Variance:
- Standard Deviation:
How to Calculate Binomial Probabilities in R?
R
library(tidyverse)
n <- 10
p <- 0.5
# P(X = 6)
# dbinom(k, size, prob) returns the probability of getting k successes in n trials
prob_equal_6 <- dbinom(6, size = n, prob = p)
print(prob_equal_6) # 0.205078125
# P(X <= 4)
# pbinom(k, size, prob) returns the probability of getting at most k successes in n trials
prob_less_equal_4 <- pbinom(4, size = n, prob = p)
print(prob_less_equal_4) # 0.376953125
# P(X > 7)
# P(X > 7) = 1 - P(X <= 7)
prob_greater_7 <- 1 - pbinom(7, size = n, prob = p)
print(prob_greater_7) # 0.0546875
# P(3 < X < 8)
# P(3 < X < 8) = P(X <= 7) - P(X <= 3)
prob_between_3_and_8 <- pbinom(7, size = n, prob = p) - pbinom(3, size = n, prob = p)
print(prob_between_3_and_8) # 0.7734375
# mean and variance
print(str_glue("Mean: {n * p}")) # 5
print(str_glue("Variance: {n * p * (1 - p)}") # 2.5
How to Calculate Binomial Probabilities in Python?
Python
import scipy.stats as stats
n = 10
p = 0.5
# P(X = 6)
# stats.binom.pmf(k, n, p) returns the probability of getting k successes in n trials
prob_equal_6 = stats.binom.pmf(6, n, p)
print(prob_equal_6)
# P(X <= 4)
# stats.binom.cdf(k, n, p) returns the probability of getting at most k successes in n trials
prob_less_equal_4 = stats.binom.cdf(4, n, p)
print(prob_less_equal_4)
# P(X > 7)
prob_greater_7 = 1 - stats.binom.cdf(7, n, p)
print(prob_greater_7)
# P(3 < X < 8)
prob_between_3_and_8 = stats.binom.cdf(7, n, p) - stats.binom.cdf(3, n, p)
print(prob_between_3_and_8)
# mean and variance
print(f"Mean: {n * p}")
print(f"Variance: {n * p * (1 - p)}")