You're working as a sports journalist at a major online sports media company, specializing in soccer analysis and reporting. You've been watching both men's and women's international soccer matches for a number of years, and your gut instinct tells you that more goals are scored in women's international football matches than men's. This would make an interesting investigative article that your subscribers are bound to love, but you'll need to perform a valid statistical hypothesis test to be sure!
While scoping this project, you acknowledge that the sport has changed a lot over the years, and performances likely vary a lot depending on the tournament, so you decide to limit the data used in the analysis to only official FIFA World Cup
matches (not including qualifiers) after 2002-01-01
.
You create two datasets containing the results of every official men's and women's international football match since the 19th century, which you scraped from a reliable online source. This data is stored in two CSV files: women_results.csv
and men_results.csv
.
The question you are trying to determine the answer to is:
Are more goals scored in women's international soccer matches than men's?
You assume a 10% significance level, and use the following null and alternative hypotheses:
library(tidyverse)
library(gridExtra) # This library helps you print side by side plots, but it's not essential
# Load men's and women's datasets
women <- read_csv("women_results.csv")
men <- read_csv("men_results.csv")
# Filtering the matches and creating the test values
men <- men %>%
filter(tournament == "FIFA World Cup", date > "2002-01-01") %>%
mutate(goals_scored = home_score + away_score)
women <- women %>%
filter(tournament == "FIFA World Cup", date > "2002-01-01") %>%
mutate(goals_scored = home_score + away_score)
# Determine normality using histograms
men_plot <- ggplot(men, aes(x = goals_scored)) +
geom_histogram(color = "red", bins = 30) +
ggtitle("Goals Scored (Men's)") +
xlab("Goals Scored") +
ylab("Frequency")
women_plot <- ggplot(women, aes(x = goals_scored)) +
geom_histogram(color = "blue", bins = 30) +
ggtitle("Goals Scored (Women's)") +
xlab("Goals Scored") +
ylab("Frequency")
grid.arrange(men_plot, women_plot, nrow = 1)
# Goals scored is not normally distributed, so use Wilcoxon-Mann-Whitney test of two groups (you can use other tests with the same assumptions if you prefer)
# Run a Wilcoxon-Mann-Whitney test on goals_scored vs. group
test_results <- wilcox.test(
x = women$goals_scored,
y = men$goals_scored,
alternative = "greater"
)
# Determine hypothesis test result using sig. level
p_val <- round(test_results$p.value, 4)
result <- ifelse(p_val <= 0.10, "reject", "fail to reject")
# Create the result data frame
result_df <- data.frame(p_val, result)