1 Introduction

This tutorial focuses on how to describe and summarize data (see e.g. Bickel and Lehmann 2012; Thompson 2009). The entire R markdown document for this tutorial can be downloaded here.

To show why data summaries are useful, think of the following: you are teaching two different classes in the same school, in the same grade, and at the same level. Both classes take the same exam and, after correcting and grading the exams, someone asks you which class performed better. You could of course say something along the lines of Well, class A had 5 Bs, 10 Cs, 12 Ds, and 2 Fs while class B had 2 As, 8 Bs, 10 Ds, and 4 Fs but this answer is not really satisfying. Descriptive statistics enable you to summarize complex data sets in very few words and using only very basic, and easy to understand, concepts. And this is what we will be dealing with in the following.

Before delving deeper into what descriptive statistics is, it is useful to have a general idea of how it can be contextualized. Thus, on a more general note, we will be dealing only with one particular subbranch of statistics. Statistics in general can be defined as a branch of mathematics that deals with data collection, organization, analysis, interpretation, and presentation. As such, statistics can be subdivided into two main areas. Descriptive statistics deals with the description of data and their visualization, while inferential statistics deals with data analysis and interpretation. Typically, this means testing assumptions about correlations between variables (see for example here). As stated above, here, we will be dealing with the description of data, especially with measures of central tendency, measures of variability and confidence intervals.

Preparation and session set up

This tutorial is based on R. If you have not installed R or are new to it, you will find an introduction to and more information how to use R here. For this tutorials, we need to install certain packages from an R library so that the scripts shown below are executed without errors. Before turning to the code below, please install the packages by running the code below this paragraph. If you have already installed the packages mentioned below, then you can skip ahead and ignore this section. To install the necessary packages, simply run the following code - it may take some time (between 1 and 5 minutes to install all of the libraries so you do not need to worry if it takes some time).

# install packages
install.packages("tidyverse")
install.packages("boot")
install.packages("DescTools")
install.packages("tidyverse")
install.packages("psych")
install.packages("Rmisc")
install.packages("ggpubr")
install.packages("flextable")
# install klippy for copy-to-clipboard button in code chunks
remotes::install_github("rlesur/klippy")

Now that we have installed the packages, we activate them as shown below.

# set options
options(stringsAsFactors = F)          # no automatic data transformation
options("scipen" = 100, "digits" = 12) # suppress math annotation
# activate packages
library(boot)
library(DescTools)
library(tidyverse)
library(flextable)
library(psych)
library(Rmisc)
library(ggpubr)
# activate klippy for copy-to-clipboard button
klippy::klippy()

Once you have installed R and RStudio and initiated the session by executing the code shown above, you are good to go.

2 Measures of Centrality

In linguistics three measures of centrality or measures of central tendency are of particular relevance: the mean, the median and the mode (Gaddis and Gaddis 1990). In addition, there are two more measures of central tendency, the geometric and the harmonic mean which we will only briefly discuss as they are not that relevant for language research. What measure is appropriate depends on the type of variable scaling, the distribution of the data, and what is the intended aim of the data summary.

In the following we will go over these types of measures of central tendencies, exemplify their use, describe their strengths and weaknesses, and show how to calculate them in R.

Mean

The mean is used when the data is numeric and normally distributed. The mean is calculated by applying the formula shown below.

\[\begin{equation} \bar{x}=\frac{1}{n} \sum_{i=1}^n x_i = \frac{x_{1}+x_{2}+ \dots + x_{n}}{n} \end{equation}\]

To calculate the mean, sum up all values and divide by the number of values. See the example below for clarification.

Consider, we are interested in the mean length of sentences in a short text, then the first thing we could do would be to list the sentences and their length in a table.

To calculate the mean, we need to divide the sum of the number of words per sentence (145) by the number of sentences (7) (see the equation below).

\[\begin{equation} \frac{3+40+15+87}{4} = \frac{145}{4} = 36.25 \label{eq:mittel2} \end{equation}\]

The mean sentences length in our example is 36.25 words

In R, the mean is calculated as follows.

# create numeric vector
frequencies <- c(3, 40, 15, 87)
# calculate mean
mean(frequencies)
## [1] 36.25

The mean is the most common way to summarize numeric variables and it is very easy and intuitive to understand. A disadvantage of the mean is that it is very strongly affected by outliers which is why the median is the preferable measure of centrality when dealing with data that is not normal or that contains outliers.


EXERCISE TIME!

`

  1. Calculate the arithmetic mean: 1, 2, 3, 4, 5, 6

Answer

  (1 + 2 + 3 + 4 + 5 + 6)/6
  ## [1] 3.5
  1. Calculate the arithmetic mean for the following values using the mean function: 4, 3, 6, 2, 1, 5, 6, 8

Answer

  mean(c(4, 3, 6, 2, 1, 5, 6, 8))
  ## [1] 4.375
  1. Create a vector out of the following values and calculate the arithmetic mean using the mean function: 1, 5, 5, 9

Answer

  vec <- c(1, 5, 5, 9)
  mean(vec)
  ## [1] 5

`


Median

The median can be used for both numeric and ordinal variables. In contract to the mean, it is more robust and not as easily affected by outliers. While the mean is commonly associated with numeric data that is normally distributed, the median is typically used when dealing with non-normal numeric or ordinal variables, i.e. variables that are ordered but not truly numeric. The median is the central value in a de- or increasing ordering of values in a vector. In other words, 50 percent of values are above and 50 percent of values are below the median in a given vector.

If the vector contains an even number of elements, then the two central values are summed up and divided by 2. If the vector contains an uneven number of elements, the median represents the central value.

\[\begin{equation} median_{x}= \begin{cases} x_{\frac{n+1}{2}} & n\text{ uneven} \\ \frac{1}{2}\bigl(x_{\frac{n}{2}}+x_{\frac{n+1}{2}}\bigr) & n\text{ even} \end{cases} \label{eq:median} \end{equation}\]

Let’s have a look at an example. Consider you are interested in the age stratification of speakers in the private dialogue section of the Irish component of the International Corpus of English (ICE). When tabulating and plotting the age variable you get the following table and graph.

The age groups represent an order factor which means that there are categories with a natural order (here from old to young or vice versa). If we order speakers according to their age from young to old, we get a vector of length 320. If we then take the central value, i.e. the value of the 160th speaker, we get the median age in the private dialogue section of the Irish component of the International Corpus of English (ICE).

In R, the median is calculated as shown below.

# create a vector consisting out of ranks
ranks <- c(rep(1, 9), rep(2, 160), rep(3, 70), rep(4, 15), rep(5, 9), rep(6, 57))
# calculate median
median(ranks)
## [1] 2

In our case, the median age is 19-25 because the 160th speaker belongs to the 2nd age group, i.e. the age group with speakers between 19 and 25 years old.


EXERCISE TIME!

`

  1. Calculate the median: 1, 2, 3, 4, 5, 6

Answer

  (3 + 4)/2
  ## [1] 3.5
  1. Calculate the median for the following values using the median function: 4, 3, 6, 2, 1, 5, 6, 8

Answer

  median(c(4, 3, 6, 2, 1, 5, 6, 8))
  ## [1] 4.5
  1. Create a vector out of the following values and calculate the median using the median function: 1, 5, 5, 9

Answer

  vec <- c(1, 5, 5, 9)
  median(vec)
  ## [1] 5

`


Mode

The mode is typically used when dealing with categorical variables and it reports which level of a factor or a categorical variable is the most frequent.

Here is an example to illustrate the mode. Consider you are interested where most speakers in the private dialogue section of the Irish component of the International Corpus of English are currently residing and you get the following distribution.

The tabulated and visualized data show that the mode is Dublin (City), because the largest group (110 speakers) of speakers in the corpus are speakers from the city of Dublin. This means that the average speaker in in the private dialogue section of the Irish component of the International Corpus of English (ICE) is from Dublin city.

In R the mode is calculated as shown below:

# create a factor with the current residence of speakers
CurrentResidence <- c(rep("Belfast", 98),         # repeat "Belfast" 98 times
                      rep("Down", 20),            # repeat "Down" 20 times
                      rep("Dublin (city)", 110),  # repeat "Dublin (city)" 110 times
                      rep("Limerick", 13),        # repeat "Limerick" 13 times
                      rep("Tipperary", 19))       # repeat "Tipperary" 19 times
# calculate mode
names(which.max(table(CurrentResidence)))         # extract which level occurs most frequently
## [1] "Dublin (city)"

A word of warning is in order here as only the first(!) maximal value is provided by R even if several categories have the same frequency.

Geometric mean

The geometric mean represents a measure of central tendency that is used when dealing with dynamic processes where the later elements are dependent on the previous elements. The geometric mean is calculated according to the equation below.

\[\begin{equation} \bar{x}_{geometric} = \sqrt[n]{x_1 \times x_{i+1} \times \dots \times x_n} \end{equation}\]

Imagine you have the option to buy two different stock packages and you have to buy one of them. Which one would you buy?

Is one package better than the other? Did one package perform better than the other?

  • Package 1:
    • Return: \(1.05 \times .95 \times 1.05 \times .95 = .995\) (0.5% loss)
    • Year-over-year average: \(.995^{1/4}\) = ~0.125% loss per year
  • Package 2:
    • Return: \(1.2 \times .8 \times 1.2 \times .8 = 0.9216\) (7.84% loss)
    • Year-over-year average: \(.9216^{1/4}\) = ~2% loss per year.

Package 2 performs substantially worse because here, the changes in growth depend on the previous growth rates.

Harmonic mean

The harmonic mean is a measure of central tendency that provides us with the average rate and is used when dealing with dynamic processes that involve velocities and distances. The harmonic mean is calculated according to the equation below.

\[\begin{equation} \bar{x}_{harmonic} = \frac{n}{\frac{1}{x_i} + \frac{1}{x_{i+1}} + \frac{1}{x_{i+\dots}} + \frac{1}{x_n}} \end{equation}\]

Let’s use an example to see what the harmonic mean describes. Imagine you assign group projects to students and you are interested in the average time it takes them to finalize the projects. The crucial thing is that the end state is the same: the finished project.

Let us say there are two groups, group A and group B. It takes group A 30 hours and group B 60 hours to finish their project. What is the average rate at which these two groups have finished their projects? If we used the arithmetic mean, we would say it takes them on average 45 hours to finish their projects but this is not appropriate in the present case.

\[\begin{equation} \bar{x}_{harmonic} = \frac{2}{\frac{1}{30} + \frac{1}{60}} = \frac{2}{\frac{2}{60} + \frac{1}{60}} = \frac{2}{\frac{3}{60}} = \frac{2}{1} \times \frac{60}{3} = \frac{120}{3} = 40 \end{equation}\]

The harmonic mean is used when two rates contribute to the same workload (for instance when we download a file). Each installment is in a relay race and contributes the same amount to the issue. For example, we make a round trip to work and back. The way to work is 60 kilometers. On the way to work, we can only travel at 30 kph while we can go 60 kph on the way back. The distance is the same. Half of the results (distance traveled) comes from the first rate (30 kilometers per hour) and the other half from the second rate (60 kilometers per hour). The result is that is takes us 3 hours to get to work and back.

The reason why using the arithmetic mean is inappropriate in such cases is the following: The idea behind the arithmetic mean is that we calculate a single value that can replace all values in a given distribution and the sum of the mean values is identical to the sum of the observed values. So, the average is a single element that replaces each element. In our example, we have to drive at 40 kilometers per hour (instead of 30) to work and 40 kilometers per hour (instead of 60) to get back from work in the same amount of time. If we went with 45 kilometers per hour, then the result would not be 3 hours but 2 hours and 40 minutes so that the result would not be the same.

Notes on Measures of Centrality

As suggested above, the mean is strongly affected by outliers (which is why in sch cases, the median is the more appropriate measure fo central tendency). To illustrate this, imagine you are interested whether the use of discourse particles differs across two corpora. The two corpora represent the speech of the same five speakers but in different situations and the speech thus represents different registers. In a first step, you calculate the relative frequency of discourse particle use and both corpora have a mean of 13.4 particles per 1,000 words. Given the mean, the two corpora do not seem to differ. However, when tabulating and plotting the use of particles by speaker and across these two corpora, it becomes immediately clear that the mean is not the appropriate measure of central tendency as the distributions are very dissimilar.

The Figure above shows that the use of discourse particles is distributed rather evenly across speakers in Corpus 1 while the distribution is very uneven in corpus 2. In corpus 2, 4 out of 5 speakers use almost no discourse particles and only one speaker, speaker D, makes excessive use of discourse particles in corpus 2. The high usage frequency of discourse particles by speaker D in corpus 2 causes the mean of corpus 2 to be identical to the mean reported for corpus 1 although the distribution of usage rates differs drastically. This means that reporting the median in addition to the mean can be useful if the distribution of values is very uneven (or non-normal or skewed).

To exemplify, we will summarize the distribution of discourse particles in the two corpora: the use of discourse particles in corpus 1 (mean = 13.4, median = 11.4) is substantially different from the use of discourse particles in corpus 2 (mean = 13.4, median = 0.4).

3 Measures of Variability

Measures of variability provide information about the distribution of values such as whether the data are distributed evenly and do not differ substantially or whether the data are rather heterogeneous and are distributed very unevenly (Thompson 2009). In the following, we will have a look at the variance and the standard deviation.

As before, we will use a practical example to see the usefulness of applying measures of variability. Imagine you dealing with two cities, let’s say Moscow and Hamburg, that have the same mean temperature per year. However, the variability of temperatures varies differs dramatically between the Moscow and Hamburg.

In the following, we will discuss and calculate different measures of variability for the two cities.

Range

The range is the simplest measure of variability and reports the lowest and highest value of a distribution. That is, the range provides minimum and maximum of a vector to show the span of values within a distribution.

In R, the range is extracted as shown below.

# create a numeric vector
Moscow <- c(-5, -12, 5, 12, 15, 18, 22, 23, 20, 16, 8, 1)
min(Moscow); max(Moscow) # extract range
## [1] -12
## [1] 23

The lowest temperature value for Moscow is -12 degrees Celsius and the highest value is 23 degrees Celsius. The range thus spans from -12 to 23.

Interquartile range (IQR)

The interquartile range (IQR) denotes the range that encompasses the central 50 percent of data points and thus informs about how values are distributed. This means that the IQR spans from the first quartile that encompasses 25 percent of the data to the third quartile that encompasses 75 percent of the data.

The easiest way to extract the IQR in R is to apply the summary function to a vector as shown below and then subtract the value of the 1st quartile from the value of the 3rd quartile.

summary(Moscow) # extract IQR
##    Min. 1st Qu.  Median    Mean 3rd Qu.    Max. 
##  -12.00    4.00   13.50   10.25   18.50   23.00

The summary function reports that the minimum temperature is -12 degrees Celsius and that the maximum temperature is 23 degrees Celsius. Also, the lower 25 percent of the data fall within -12 and 4 degrees Celsius (from the minimum value to the 1st quartile) and the upper 25 percent fall within 18.5 and 23 degrees Celsius (from the 3rd quartile to the maximum value). The IQR range represents a range that encompasses the central 50% of the data and thus represents the value that can be calculated by subtracting the value of the 1st from the value of the 3rd quartile..

Thus, the IQR is 18.5 - 4 = 14.5

.

Variance

The variance is calculated according to the formula below. To calculate the variance, each value is subtracted from the mean and the result is squared. The squared values are then added and the resulting sum is divided by the number of values minus 1.

\(s = \sigma^2 = \frac{1}{n-1} \sum_{i=1}^{n} (x_i - \bar{x})^{2}\)

For our example, the variance of temperatures for Moscow is 123.6591 and 9.477273 for Hamburg.

In R, the variance is calculated as shown below.

sd(Moscow)^2
## [1] 123.659090909

Standard deviation

The standard deviation (abbreviated with capital \(sigma\) \(\sigma\)) is calculated according to first equation shown below or, alternatively, according to second equation shown below and it is the square root of the squared variance.

\(\sigma = \sqrt{s} = \sqrt{\frac{1}{n-1} \sum_{i=1}^{n} (x_i - \bar{x})^2}\)

\(\sigma = \sqrt{\frac{ \sum_{i=1}^{n} (x_i - \bar{x})^2}{n-1}}\)

For our example, the first equation shown above provides a standard deviation of 11.12 for Moscow and a standard deviation of 3.08 for Hamburg.

In R, the standard deviation is calculated as shown below.

# calculate standard deviation
sd(Moscow) 
## [1] 11.1202109202

The standard deviation of temperature values of Moscow is 11.12.


EXERCISE TIME!

`

  1. Calculate the mean, median, and mode as well as the standard deviation for the following two vectors
    A: 1, 3, 6, 2, 1, 1, 6, 8, 4, 2, 3, 5, 0, 0, 2, 1, 2, 1, 0
    B: 3, 2, 5, 1, 1, 4, 0, 0, 2, 3, 0, 3, 0, 5, 4, 5, 3, 3, 4

Answer

  A <- c(1, 3, 6, 2, 1, 1, 6, 8, 4, 2, 3, 5, 0, 0, 2, 1, 2, 1, 0)
  B <- c(3, 2, 5, 1, 1, 4, 0, 0, 2, 3, 0, 3, 0, 5, 4, 5, 3, 3, 4)
  mean(A)
  median(A)
  max(A)
  sd(A)
  mean(B)
  median(B)
  max(B)
  sd(B)
  1. Find a partner and discuss which measure of central tendency is appropriate when dealing with grades. Then, find another partner and see whether they have come to the same conclusion or discuss why if not. Finally, discuss the advantages and disadvantages of calculating the mean when dealing with grades.
Answer The problem is that - strictly speaking - grades are ordinal and not numeric (i.e., interval- or ratio-scaled). This means that calculating the arithmetic mean is somewhat controversial. To resolve this issue, it is recommendable to either calculate the median (rather than the mean) or to be transparent about this issue and inform readers that the mean was used despite dealing with an ordinal variable.
  1. Where are mean, median, and mode when dealing with normal data (i.e., when the data approximate a normal distribution)?
Answer When dealing with normally distributed data, the arithmetic mean, median, and mode would ideally be identical (which is extremely rare when working with empirical data) or, at least, very similar.
  1. Go and find a partner and discuss what it means - on a conceptual level rather than on a statistical/mathematical level - that two groups have different ranges for a certain feature (be careful, this is not as trivial as it may seem!).

`


Standard Error

The standard error is a measure of variability and it reports the average distance from some parameters (most often from the mean). It is calculated as the standard deviation of the residuals of the parameter in question. To exemplify the standard error, we will have a look at reaction times which show how fast participants realized that a sequence of letters were either existing words or just a sequence of letters.

The standard error of the mean is calculated using the equation below.

\[\begin{equation} \sigma~{\bar{x}}~ =\frac{\sigma}{\sqrt{n}} \end{equation}\]

The standard error can be calculated manually (see below) by implementing the equation from above.

sd(rts$RT, na.rm=TRUE) /  
   sqrt(length(rts$RT[!is.na(rts$RT)]))  
## [1] 14.7692485022

An easier way to extract standard errors is to use the describe function from the psych package (see below)

# describe data
psych::describe(rts$RT, type=2)
##    vars  n   mean    sd median trimmed  mad   min    max  range skew kurtosis    se
## X1    1 20 431.33 66.05 432.88   432.9 60.4 289.1 540.87 251.76 -0.2    -0.13 14.77

4 Confidence Intervals

Confidence intervals provide an estimation of in-between which values the reported value would lie in the population with a confidence of, e.g., 95 percent.

\[\begin{equation} \bar{x} \mp z \frac{s}{\sqrt{n}} \end{equation}\]

The z-value for 95% probability (a two-tailed) of a normal distribution is 1.96. To check this, we can use the qnorm function and extract the z-value for a probability of .975 - we do not use .95 because we want 2.5% of the lower tail (-1.96) and 2.5% of the higher tail (1.96).

qnorm(0.975)   
## [1] 1.95996398454

This means that for a 95% confidence interval for normally distributed data, we can use the formula shown below.

\[\begin{equation} \bar{x} \mp 1.96 \frac{s}{\sqrt{n}} \end{equation}\]

If we have a vector of values (e.g., 4,5,2,3,1,4,3,6,3,2,4,1), we can easily calculate the confidence intervals for the mean as follows.

# calculate mean
m <- mean(c(4,5,2,3,1,4,3,6,3,2,4,1))
# calculate standard deviation
s <- sd(c(4,5,2,3,1,4,3,6,3,2,4,1))
# calculate n
n <- length(c(4,5,2,3,1,4,3,6,3,2,4,1))
# calculate lower and upper ci
lower <- m-1.96*(s/sqrt(n))
upper <- m+1.96*(s/sqrt(n))
# show lower ci, mean, and upper ci
lower; m; upper
## [1] 2.30238790505
## [1] 3.16666666667
## [1] 4.03094542828

There are several functions in R to extract confidence intervals. To show how you can do this for different types of elements, we will continue to work with the reaction times data.


EXERCISE TIME!

`

  1. Calculate the mean and confidence interval: 1, 2, 3, 4, 5, 6, 7, 8, 9

Answer

  # calculate mean
  m <- mean(c(1, 2, 3, 4, 5, 6, 7, 8, 9))
  # calculate standard deviation
  s <- sd(c(1, 2, 3, 4, 5, 6, 7, 8, 9))
  # calculate n
  n <- length(c(1, 2, 3, 4, 5, 6, 7, 8, 9))
  # calculate lower and upper ci
  lower <- m-1.96*(s/sqrt(n))
  upper <- m+1.96*(s/sqrt(n))
  # show lower ci, mean, and upper ci
  lower; m; upper
  ## [1] 3.21077297882
  ## [1] 5
  ## [1] 6.78922702118
  1. Calculate the mean and confidence interval: 3, 4, 5, 4, 3, 4, 5, 4, 3

Answer

  # calculate mean
  m <- mean(c(3, 4, 5, 4, 3, 4, 5, 4, 3))
  # calculate standard deviation
  s <- sd(c(3, 4, 5, 4, 3, 4, 5, 4, 3))
  # calculate n
  n <- length(c(3, 4, 5, 4, 3, 4, 5, 4, 3))
  # calculate lower and upper ci
  lower <- m-1.96*(s/sqrt(n))
  upper <- m+1.96*(s/sqrt(n))
  # show lower ci, mean, and upper ci
  lower; m; upper
  ## [1] 3.37815472837
  ## [1] 3.88888888889
  ## [1] 4.3996230494

`


Confidence Intervals for Simple Vectors

Confidence intervals (CIs) give a range that’s likely to include a population value with a certain degree of confidence. As such, CIs tell us how likely it is to get a value within a certain range if we drew another sample from the same population.

One easy method for extracting confidence intervals is to apply the CI function from the Rmisc package.

# extract mean and confidence intervals
Rmisc::CI(rts$RT, ci=0.95)   
##         upper          mean         lower 
## 462.238192381 431.325800000 400.413407619

The ´CI´ function provides the mean reaction time (431.3258) and the 95 percent confidence band. With 95 percent confidence, the mean reaction time will have a mean between 400.41 and 462.24 miliseconds (ms).

Another way to extract the mean and its confidence intervals is by using t.test function.

# extract mean and confidence intervals
stats::t.test(rts$RT, conf.level=0.95)  
## 
##  One Sample t-test
## 
## data:  rts$RT
## t = 29.20431598, df = 19, p-value < 0.0000000000000002220446
## alternative hypothesis: true mean is not equal to 0
## 95 percent confidence interval:
##  400.413407619 462.238192381
## sample estimates:
## mean of x 
##  431.3258

Another alternative to extract the man ans the confidence interval from a range of values is to use the MeanCI function from the DescTools package.

# extract mean and confidence intervals
DescTools::MeanCI(rts$RT, conf.level=0.95)   
##          mean        lwr.ci        upr.ci 
## 431.325800000 400.413407619 462.238192381

A very interesting alternative to extract the mean and the confidence intervals from a range of values is to apply the MeanCI function from the DescTools package. This method is particularly interesting because it uses bootstrapping or resampling the data. As such, it is an empirical method to extract the mean and the confidence intervals. The values will differ given how many samples are drawn and we can get very precise estimates using this method.

# extract mean CIs
DescTools::MeanCI(rts$RT, method="boot", type="norm", R=1000)
##          mean        lwr.ci        upr.ci 
## 431.325800000 402.065920019 459.599597681

Because this is a data-driven approach, the results will vary, depending on the characteristics of the resampled data. To illustrate, compare the values provided above to the values generated below.

# extract mean CIs
DescTools::MeanCI(rts$RT, method="boot", type="norm", R=1000)
##          mean        lwr.ci        upr.ci 
## 431.325800000 403.272504877 458.846973023

Another method for extracting the mean and the confidence intervals from a range of values using bootstrapping is to use the boot function from the boot package.

# function to extract values
BootFunction = function(x, index) {                        
                  return(c(mean(x[index]),
                           var(x[index]) / length(index)))
}
# apply function to data
Bootstrapped = boot(data=rts$RT,     
                    statistic=BootFunction,
                    R=1000)
# extract values
mean(Bootstrapped$t[,1])                                   
## [1] 431.4550746
# alternative to extract values
boot.ci(Bootstrapped, conf=0.95)                           
## BOOTSTRAP CONFIDENCE INTERVAL CALCULATIONS
## Based on 1000 bootstrap replicates
## 
## CALL : 
## boot.ci(boot.out = Bootstrapped, conf = 0.95)
## 
## Intervals : 
## Level      Normal              Basic             Studentized     
## 95%   (402.9, 459.5 )   (402.8, 460.4 )   (397.6, 463.3 )  
## 
## Level     Percentile            BCa          
## 95%   (402.2, 459.9 )   (400.1, 457.6 )  
## Calculations and Intervals on Original Scale

The advantage of using bootstrapping methods lies in the fact that the data is (frequently) not distributed normally which is not an issue for the bootstrapping and it will thus provide more reliable results as it does not rely on distributional assumptions about the data.

Confidence Intervals for Grouped Data

To extract the confidence intervals for grouped data, we can sue the summarySE function from the Rmisc package.

# apply summarySE function to data
Rmisc::summarySE(data=rts,   
                 # define variable representing frequencies
                 measurevar="RT", 
                 # define grouping variabel
                 groupvars="Gender",
                 # extract standard deviation, standard error, and confidence intervals
                 conf.interval = 0.95)   
##   Gender  N       RT            sd            se            ci
## 1 Female 10 421.7544 82.8522922089 26.2001952746 59.2689594071
## 2   Male 10 440.8972 46.2804393809 14.6351599557 33.1070319225

Confidence Intervals for Nominal Data

We now turn to confidence intervals for nominal data (see also Thomas and Grunkemeier 1975). When dealing with nominal data, confidence intervals can be determined with the binom.test function in the in-built stats package. Alternative methods are available via the BinomCI and MultinomCI functions from the DescTools package. More advanced techniques for confidence intervals on nominal data are available via the PropCIs package.

stats::binom.test(2, 20, 0.5,              # binom.test(x, n, p = 0.5, ...)
                  alternative="two.sided", # define sidedness
                  conf.level=0.95)         # define confidence level
## 
##  Exact binomial test
## 
## data:  2 and 20
## number of successes = 2, number of trials = 20, p-value = 0.000402450562
## alternative hypothesis: true probability of success is not equal to 0.5
## 95 percent confidence interval:
##  0.0123485271703 0.3169827140191
## sample estimates:
## probability of success 
##                    0.1

Another way to use the BinomCI function is shown below.

# extract CIs                  
BinomCI(2, 20,                        # apply BinomCI function
        conf.level = 0.95,            # define ci
        method = "modified wilson")   # define method for ci extraction
##      est          lwr.ci         upr.ci
## [1,] 0.1 0.0177680755349 0.301033645228

Confidence Intervals for Multinomial Data

We use the MultinomCI function to extract the confidence intervals form multinominal data.

observed = c(35,74,22,69)       # define multinominal vector
MultinomCI(observed,            # apply MultinomCI function
           conf.level=0.95,     # define ci
           method="goodman")    # define method for ci extraction
##        est          lwr.ci         upr.ci
## [1,] 0.175 0.1125321503865 0.261910646274
## [2,] 0.370 0.2811364343551 0.468640684309
## [3,] 0.110 0.0622433796475 0.187087976345
## [4,] 0.345 0.2584619757815 0.443195358010

Citation & Session Info

Schweinberger, Martin. 2021. Descriptive Statistics with R. Brisbane: The University of Queensland. url: https://slcladal.github.io/dstats.html (Version 2021.10.02).

@manual{schweinberger2021desc,
  author = {Schweinberger, Martin},
  title = {Descriptive Statistics with R},
  note = {https://slcladal.github.io/dstats.html},
  year = {2021},
  organization = "The University of Queensland, Australia. School of Languages and Cultures},
  address = {Brisbane},
  edition = {2021.10.02}
}
sessionInfo()
## R version 4.1.1 (2021-08-10)
## Platform: x86_64-w64-mingw32/x64 (64-bit)
## Running under: Windows 10 x64 (build 19043)
## 
## Matrix products: default
## 
## locale:
## [1] LC_COLLATE=German_Germany.1252  LC_CTYPE=German_Germany.1252    LC_MONETARY=German_Germany.1252
## [4] LC_NUMERIC=C                    LC_TIME=German_Germany.1252    
## 
## attached base packages:
## [1] stats     graphics  grDevices utils     datasets  methods   base     
## 
## other attached packages:
##  [1] ggpubr_0.4.0      Rmisc_1.5         plyr_1.8.6        lattice_0.20-44   psych_2.1.6       DescTools_0.99.43
##  [7] boot_1.3-28       cfa_0.10-0        quanteda_3.1.0    here_1.0.1        knitr_1.34        flextable_0.6.8  
## [13] forcats_0.5.1     stringr_1.4.0     dplyr_1.0.7       purrr_0.3.4       readr_2.0.1       tidyr_1.1.3      
## [19] tibble_3.1.4      ggplot2_3.3.5     tidyverse_1.3.1  
## 
## loaded via a namespace (and not attached):
##  [1] colorspace_2.0-2   ggsignif_0.6.3     ellipsis_0.3.2     class_7.3-19       rio_0.5.27         rprojroot_2.0.2   
##  [7] base64enc_0.1-3    fs_1.5.0           gld_2.6.2          rstudioapi_0.13    proxy_0.4-26       farver_2.1.0      
## [13] fansi_0.5.0        mvtnorm_1.1-2      lubridate_1.7.10   xml2_1.3.2         splines_4.1.1      mnormt_2.0.2      
## [19] rootSolve_1.8.2.2  jsonlite_1.7.2     broom_0.7.9        dbplyr_2.1.1       compiler_4.1.1     httr_1.4.2        
## [25] backports_1.2.1    assertthat_0.2.1   Matrix_1.3-4       fastmap_1.1.0      cli_3.0.1          htmltools_0.5.2   
## [31] tools_4.1.1        gtable_0.3.0       glue_1.4.2         lmom_2.8           fastmatch_1.1-3    Rcpp_1.0.7        
## [37] carData_3.0-4      cellranger_1.1.0   vctrs_0.3.8        nlme_3.1-152       xfun_0.26          stopwords_2.2     
## [43] openxlsx_4.2.4     rvest_1.0.1        lifecycle_1.0.1    rstatix_0.7.0      klippy_0.0.0.9500  MASS_7.3-54       
## [49] scales_1.1.1       hms_1.1.0          parallel_4.1.1     expm_0.999-6       yaml_2.2.1         curl_4.3.2        
## [55] Exact_3.0          gdtools_0.2.3      stringi_1.7.4      highr_0.9          e1071_1.7-9        zip_2.2.0         
## [61] rlang_0.4.11       pkgconfig_2.0.3    systemfonts_1.0.2  evaluate_0.14      labeling_0.4.2     tidyselect_1.1.1  
## [67] magrittr_2.0.1     R6_2.5.1           generics_0.1.0     DBI_1.1.1          pillar_1.6.3       haven_2.4.3       
## [73] foreign_0.8-81     withr_2.4.2        mgcv_1.8-36        abind_1.4-5        modelr_0.1.8       crayon_1.4.1      
## [79] car_3.0-11         uuid_0.1-4         utf8_1.2.2         tmvnsim_1.0-2      tzdb_0.1.2         rmarkdown_2.5     
## [85] officer_0.4.0      grid_4.1.1         readxl_1.3.1       data.table_1.14.0  reprex_2.0.1.9000  digest_0.6.27     
## [91] RcppParallel_5.1.4 munsell_0.5.0

Back to top

Back to HOME


References

Bickel, Peter J, and Erich L Lehmann. 2012. “Descriptive Statistics for Nonparametric Models Iv. Spread.” In Selected Works of El Lehmann, 519–26. Springer.

Gaddis, Gary M, and Monica L Gaddis. 1990. “Introduction to Biostatistics: Part 2, Descriptive Statistics.” Annals of Emergency Medicine 19 (3): 309–15.

Thomas, David R, and Gary L Grunkemeier. 1975. “Confidence Interval Estimation of Survival Probabilities for Censored Data.” Journal of the American Statistical Association 70 (352): 865–71.

Thompson, Cheryl Bagley. 2009. “Descriptive Data Analysis.” Air Medical Journal 28 (2): 56–59.