StatsCalculators.com

One-Sample Z-Test

This One-Sample Z-Test Calculator helps you compare a sample mean to a known population mean when the population standard deviation is known. For example, you could test if the average weight of products from a manufacturing line differs significantly from the target weight, given known production variability. The calculator performs comprehensive statistical analysis including descriptive statistics and hypothesis testing. It also generates publication-ready APA format reports. To learn about the data format required and test this calculator, click here to populate the sample data.

Calculator

1. Load Your Data

2. Select Columns & Options

Learn More

One-Sample Z-Test

Definition

One-Sample Z-Test is a statistical test used to determine whether a sample mean significantly differs from a known population mean when the population standard deviation is known. It's particularly useful for large samples and when working with known population parameters.

Formula

Test Statistic:

z=xˉμ0σ/nz = \frac{\bar{x} - \mu_0}{\sigma / \sqrt{n}}

Where:

  • xˉ\bar x = sample mean
  • μ0\mu_0 = hypothesized population mean
  • σ\sigma = known population standard deviation
  • nn = sample size

Confidence Interval:

Two-sided: xˉ±zα/2σn\text{Two-sided: }\bar{x} \pm z_{\alpha/2} \cdot \frac{\sigma}{\sqrt{n}}One-sided: xˉ±zασn\text{One-sided: }\bar{x} \pm z_{\alpha} \cdot \frac{\sigma}{\sqrt{n}}
where zα/2z_{\alpha/2} and zαz_{\alpha} are the critical z-values

Key Assumptions

Known Population Standard Deviation: σ must be known
Random Sampling: Data should be randomly selected
Independence: Observations should be independent
Normality: Population should be normal or n>30n > 30

Practical Example

A manufacturing process is known to produce bolts with a population mean of 10mm and standard deviation of 0.2mm. To test if the process has shifted:

  • Sample of 100 bolts measured
  • Sample mean xˉ\bar x = 10.05mm
  • Known σ\sigma = 0.2mm
  • H0:μ=10H_0: \mu = 10mm
  • Ha:μ10H_a: \mu \neq 10mm

Calculating z-statistic:

z=10.05100.2/100=2.50z = \frac{10.05 - 10}{0.2/\sqrt{100}} = 2.50

Constructing confidence interval

xˉ±zα/2σn=10.05±1.960.2100=[10.011,10.089]\bar{x} \pm z_{\alpha/2}\frac{\sigma}{\sqrt{n}} = 10.05 \pm 1.96\frac{0.2}{\sqrt{100}} = [10.011, 10.089]

We are 95% confident that the true mean lies between 10.01110.011 and 10.08910.089 .

Effect Size

Cohen's d for one-sample z-test:

d=xˉμ0σd = \frac{|\bar{x} - \mu_0|}{\sigma}

Interpretation guidelines:

  • Small effect: d0.2|d| \approx 0.2
  • Medium effect: d0.5|d| \approx 0.5
  • Large effect: d0.8|d| \approx 0.8

Power Analysis

Required sample size for desired power (1-β):

n=((z1α/2+z1β)σμaμ0)2n = \left(\frac{(z_{1-\alpha/2} + z_{1-\beta})\sigma}{|\mu_a-\mu_0|}\right)^2

Where:

  • μa\mu_a = anticipated population mean
  • μ0\mu_0 = hypothesized mean
  • σ\sigma = population standard deviation
  • α\alpha = significance level
  • β\beta = probability of Type II error

Decision Rules

Reject H0H_0 if:

  • Two-sided test: z>zα/2|z| > z_{\alpha/2}
  • Left-tailed test: z<zαz < -z_{\alpha}
  • Right-tailed test: z>zαz > z_{\alpha}
  • Or if p-value<αp\text{-value} < \alpha

Reporting Results

Standard format:

"A one-sample z-test was conducted to compare [variable] to [hypothesized value]. Results indicated that [variable] (M = [mean], σ = [pop std dev]) was [not] significantly different from [hypothesized value], z = [z-value], p = [p-value], d = [Cohen's d]."

Code Examples

R
library(tidyverse)
set.seed(42)
sample_data <- tibble(
  value = rnorm(50, mean = 150, sd = 10) # 50 observations, mean=150, sd=10
)

# Known parameters
pop_mean <- 145
pop_sd <- 10  # Known population SD (this is key for z-test)

# Basic summary statistics
summary_stats <- sample_data %>%
  summarise(
    n = n(),
    mean = mean(value),
    sd = sd(value),
    se = pop_sd/sqrt(n)  # Note: using pop_sd for z-test
  )

# Calculate z-statistic
z_stat <- with(summary_stats, (mean - pop_mean)/(pop_sd/sqrt(n)))
p_value <- 2 * pnorm(-abs(z_stat))  # two-sided

# Effect size (Cohen's d)
cohens_d <- with(summary_stats, (mean - pop_mean)/pop_sd)

# Calculate confidence interval (95%)
alpha <- 0.05
ci <- summary_stats %>%
  mutate(
    lower = mean - qnorm(1-alpha/2) * se,
    upper = mean + qnorm(1-alpha/2) * se
  ) %>%
  select(lower, upper)

# Print results
print(str_glue("Z-statistic: {round(z_stat, 3)}"))
print(str_glue("P-value: {round(p_value, 4)}"))
print(str_glue("Effect size (Cohen's d): {round(cohens_d, 3)}"))
print(str_glue("95% CI: [{round(ci$lower, 2)}, {round(ci$upper, 2)}]"))

# Visualize the data
ggplot(sample_data, aes(x = value)) +
  geom_histogram(aes(y = after_stat(density)), bins = 10, fill = "lightblue", color = "black") +
  geom_density(color = "darkblue") +
  geom_vline(xintercept = pop_mean, color = "red", linetype = "dashed") +
  geom_vline(xintercept = summary_stats$mean, color = "blue") +
  theme_minimal() +
  labs(
    title = "Sample Distribution with Population Mean",
    subtitle = "Blue: Sample Mean, Red dashed: Population Mean",
    x = "Value",
    y = "Density"
  )
Python
import numpy as np
from scipy import stats
import matplotlib.pyplot as plt
import seaborn as sns

# Generate sample data
np.random.seed(42)
n = 50
pop_mean = 145
pop_sd = 10
sample_data = np.random.normal(150, pop_sd, n)

# Calculate z-statistic
z_stat = (np.mean(sample_data) - pop_mean)/(pop_sd/np.sqrt(n))

# Calculate p-value (two-sided)
p_value = 2 * (1 - stats.norm.cdf(abs(z_stat)))

# Calculate confidence interval
alpha = 0.05
ci = stats.norm.interval(1-alpha, 
                        loc=np.mean(sample_data),
                        scale=pop_sd/np.sqrt(n))

# Calculate effect size
cohens_d = abs(np.mean(sample_data) - pop_mean)/pop_sd

# Visualization
plt.figure(figsize=(10, 6))
sns.histplot(sample_data, stat='density')
plt.axvline(pop_mean, color='red', linestyle='--', label='Population Mean')
plt.axvline(np.mean(sample_data), color='blue', label='Sample Mean')
plt.legend()
plt.show()

# Print results
print(f"Z-statistic: {z_stat:.4f}")
print(f"P-value: {p_value:.4f}")
print(f"95% CI: [{ci[0]:.2f}, {ci[1]:.2f}]")
print(f"Cohen's d: {cohens_d:.4f}")

Verification

Related Calculators