The variance is the mean squared deviation from the mean. The variance for population data is denoted by $\sigma^2$ (read as sigma squared) and the variance calculated for sample data is denoted by $s^2$. Mathematically it is given by:

$$ \sigma^2 = \frac{\sum_{i=1}^n (x_i-\mu)^2}{N}\, , $$

respectively

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

where $\sigma^2$ is called the population variance and $s^2$ is the sample variance. The quantity $x_i-\mu$, respectively $x_i-\bar x$, in the above formulas is called the deviation of the $x_i$ value ($x_1, x_2,...,x_n$) from the mean (Mann 2012).

The standard deviation is the most-used measure of dispersion. The value of the standard deviation tells us how closely the values of a data set are clustered around the mean. In general, a lower value of the standard deviation indicates that the values of the data set are spread over a relatively smaller range around the mean. In contrast, a larger value of the standard deviation for a data set indicates that the values of that data set are spread over a relatively larger range around the mean (Mann 2012).

In [2]:
# First, let's import all the needed libraries.
import pandas as pd
import numpy as np
import matplotlib.pyplot as plt
import scipy.stats as stats
import random
In [3]:
# random data generation
n = 50
low_sd = np.random.normal(loc=0, scale=0.3, size=n)  # loc = mu, scale = sigma
high_sd = np.random.normal(loc=0, scale=1, size=n)
x_sd = np.arange(0, 1, 1 / (n - 1))
In [4]:
### generate plot ###
fig, axs = plt.subplots(1, 2, figsize=(15, 5))


# plot 1
axs[0].plot(x_sd, low_sd, linestyle="", marker="o", color="black")
axs[0].get_xaxis().set_visible(False)
axs[0].get_yaxis().set_visible(False)
axs[0].set_ylim((-3, 3))
axs[0].title.set_text("Small spread around the mean")
axs[0].axhline(y=0, color="r", linestyle="-", label="Mean")
axs[0].legend()

# plot 2
axs[1].plot(x_sd, high_sd, linestyle="", marker="o", color="black")
axs[1].get_xaxis().set_visible(False)
axs[1].get_yaxis().set_visible(False)
axs[1].set_ylim((-3, 3))
axs[1].title.set_text("Large spread around the mean")
axs[1].axhline(y=0, color="r", linestyle="-")
plt.show()

The standard deviation is obtained by taking the square root of the variance. Consequently, the standard deviation calculated for population data is denoted by $\sigma$ and the standard deviation calculated for sample data is denoted by $s$.

$$ \sigma = \sqrt{\frac{\sum_{i=1}^N (x_i-\mu)^2}{N}} $$

and

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

where $\sigma$ is the standard deviation of the population and $s$ is the standard deviation of the sample.


As an exercise we compute the mean, the median, the variance and the standard deviation for some numerical variables of interest in the students data set, and present them in a nice format.

In [5]:
students = pd.read_csv(
    "https://userpage.fu-berlin.de/soga/200/2010_data_sets/students.csv"
)
quant_vars = ["name", "age", "nc.score", "height", "weight"]

students_quant = students[quant_vars]
students_quant.head(10)
Out[5]:
name age nc.score height weight
1 Gonzales, Christina 19 1.91 160 64.8
2 Lozano, T'Hani 19 1.56 172 73.0
3 Williams, Hanh 22 1.24 168 70.6
4 Nem, Denzel 19 1.37 183 79.7
5 Powell, Heather 21 1.46 175 71.4
6 Perez, Jadrian 19 1.34 189 85.8
7 Clardy, Anita 21 1.11 156 65.9
8 Allen, Rebecca Marie 21 2.03 167 65.7
9 Tracy, Robert 18 1.29 195 94.4
10 Nimmons, Laura 18 1.19 165 66.0
In [6]:
# mean
students_quant_mean = students_quant.loc[:, students_quant.columns != "name"].apply(
    np.mean
)
# median
students_quant_median = students_quant.loc[:, students_quant.columns != "name"].apply(
    np.median
)
# variance
students_quant_var = students_quant.loc[:, students_quant.columns != "name"].apply(
    np.var
)
# standard deviation
students_quant_sd = students_quant.loc[:, students_quant.columns != "name"].apply(
    np.std
)
# concatenate the vectors and round to 2 digits
students_quant_stats = pd.concat(
    [students_quant_mean, students_quant_median, students_quant_var, students_quant_sd],
    axis=1,
).round(2)
# # rename column names
students_quant_stats.columns = ["mean", "median", "variance", "standard deviation"]
students_quant_stats
Out[6]:
mean median variance standard deviation
age 22.54 21.00 36.78 6.06
nc.score 2.17 2.04 0.66 0.81
height 171.38 171.00 122.70 11.08
weight 73.00 71.80 74.56 8.63

Use of the Standard Deviation¶

By using the mean and standard deviation we can find the proportion or percentage of the total observations that fall within a given interval around the mean.

Chebyshev's Theorem¶

Chebyshev's theorem gives a lower bound for the area under a curve between two points that are on opposite sides of the mean and at the same distance from the mean.

For any number $k$ greater than 1, at least $1-1/k^2$ of the data values lie within $k$ standard deviations of the mean.

Let us use Python to gain some intuition for Chebyshev's theorem.

In [7]:
k = np.arange(1, 4, 0.1)
auc = 1 - (1 / k**2)
auc_percent = np.round(auc * 100, 0)

pd.DataFrame(data=zip(k, auc_percent), columns=["k", "auc_percent"])
Out[7]:
k auc_percent
0 1.0 0.0
1 1.1 17.0
2 1.2 31.0
3 1.3 41.0
4 1.4 49.0
5 1.5 56.0
6 1.6 61.0
7 1.7 65.0
8 1.8 69.0
9 1.9 72.0
10 2.0 75.0
11 2.1 77.0
12 2.2 79.0
13 2.3 81.0
14 2.4 83.0
15 2.5 84.0
16 2.6 85.0
17 2.7 86.0
18 2.8 87.0
19 2.9 88.0
20 3.0 89.0
21 3.1 90.0
22 3.2 90.0
23 3.3 91.0
24 3.4 91.0
25 3.5 92.0
26 3.6 92.0
27 3.7 93.0
28 3.8 93.0
29 3.9 93.0
In [8]:
random.seed(3)

random_k = random.sample(list(range(2, 5)), 1)[0]
percent = round((1 - (1 / random_k**2)) * 100)
In [9]:
random_k
Out[9]:
2

To put it in words: Let us pick a value for $k$: $k$= 2. This means that at least 3 % of the data values lie within 2 standard deviations of the mean.

Let us plot Chebyshev's theorem with Python:

In [10]:
plt.plot(k, auc_percent, color="blue", linestyle="", marker="o")
plt.title("Chebyshev's theorem")
plt.xlabel("k")
plt.ylabel("percent")

plt.show()

The theorem applies to both sample and population data. Note that Chebyshev's theorem is applicable to a distribution of any shape. However, Chebyshev's theorem can be used only for $k>1$. This is so because when $k = 1$, the value of $(1-1/k^2)$ is zero, and when $k<1$, the value of $(1-1/k^2)$ is negative (Mann 2012).


Empirical Rule¶

While Chebyshev's theorem is applicable to any kind of distribution, the empirical rule applies only to a specific type of distribution called a bell-shaped distribution or normal distribution. There are 3 rules:

For a bell-shaped distribution, approximately

  1. 68% of the observations lie within one standard deviation of the mean.
  2. 95% of the observations lie within two standard deviations of the mean.
  3. 99.7% of the observations lie within three standard deviations of the mean.

Since we have sufficient coding abilities by now, we will try to test if the three rules are valid. (1) First, we will explore the np.random.normal function to generate normally distributed data and (2) second, we will go back to our students data set and validate those rules on that data set.

The normal distribution belongs to the family of continuous distributions.

To generate data from a normal distribution one may use the np.random.normal() function, which is a random variable generator for the normal distribution.

We can sample n values (size) from a normal distribution with a given mean (loc, default is 0) and standard deviation (scale, default is 1) using the function as follows:

np.random.normal(loc = 0, scale =1, size = 1)

Let us give it a try:

In [11]:
np.random.normal(loc=0, scale=1, size=1)
Out[11]:
array([0.45902641])
In [12]:
np.random.normal(loc=0, scale=1, size=1)
Out[12]:
array([0.43802701])
In [13]:
np.random.normal(loc=0, scale=1, size=1)
Out[13]:
array([-0.26417081])
In [14]:
np.random.normal(loc=0, scale=1, size=1)
Out[14]:
array([-0.75827295])

As we can see, the np.random.normal() function returns (pseudo-)random numbers. We can fairly easily ask the function to draw hundreds or thousands or even more (pseudo-)random numbers:

In [15]:
np.random.normal(loc=0, scale=1, size=10)
Out[15]:
array([-1.00630876, -1.14747191,  0.86455021,  0.73029863,  0.6698138 ,
        1.69625483,  1.49958574,  0.3067514 , -1.13151667,  0.59911283])
In [16]:
np.random.normal(loc=0, scale=1, size=100)
Out[16]:
array([-0.64472868,  0.82416068, -0.48287926, -0.13179342, -0.85811936,
        0.17101546, -0.26441321,  0.56892705, -0.74559648,  0.06014769,
       -0.57026134, -1.16148582,  0.03272348, -0.02985863,  1.9923957 ,
       -0.99597035,  0.9013824 ,  0.34768361, -0.27206932,  1.80370874,
        0.39248569, -0.12413372, -1.20019879, -0.3714098 ,  0.63675294,
        0.04750553,  0.91652386,  2.62531454, -0.1470434 ,  1.30759756,
       -1.48102079, -1.08443638, -0.5839856 ,  1.61104204,  0.64629644,
       -2.2245357 ,  0.46002925,  0.22820627,  1.05746817, -1.60256217,
       -0.89938963, -1.53339855, -0.65171997, -0.26315613,  2.08796249,
       -0.1035856 ,  0.42925875, -0.14966285,  0.52128303,  0.0413093 ,
       -0.41921695, -0.55160899,  0.37500005,  1.6576148 ,  1.30368154,
        0.56196418, -1.59381006, -0.43146528,  0.77847134, -0.41060199,
        1.12247349,  0.41745093,  0.03662133, -0.39901725,  0.63272497,
       -1.47368664, -0.64885638,  0.54238935,  1.16010944, -0.16719073,
       -1.37905476,  0.50256983,  0.02330603,  0.37909805, -0.26203286,
        0.28839444,  1.74441161, -1.67415176,  0.50040111,  0.57480205,
        0.51622608, -0.47715421,  1.68055466,  2.8784563 ,  0.79844855,
       -0.31182496, -0.41331883,  1.43617819, -0.49701804,  1.55579661,
        1.23160013,  0.05532344,  0.9608541 , -0.18589206, -1.78512244,
       -0.10734673, -1.23490236, -0.63866249,  0.34815736,  1.76756782])
In [17]:
y_norm = np.random.normal(loc=0, scale=1, size=100000)

If we plot a histogram of those numbers, we see the eponymous bell shaped distribution.

In [18]:
plt.hist(y_norm, bins=100, color="lightgrey", edgecolor="grey")
plt.title("Normal distribution")
plt.ylabel("Frequency")
plt.show()

We already know the mean and the standard deviation of the y_norm vector, as we explicitly called the function np.random.normal() with loc = 0 (mean) and scale = 1 (standard deviation).

So, we just have to count those numbers of the y_norm vector bigger than 1, and respectively smaller than -1, bigger than 2, respectively -2, and 3, respectively -3, and relate them to the length of the vector, in our case 100000, to validate the three rules claimed above.

In [19]:
sd1 = len(y_norm[(y_norm > -1) & (y_norm < 1)]) / len(y_norm) * 100
sd2 = len(y_norm[(y_norm > -2) & (y_norm < 2)]) / len(y_norm) * 100
sd3 = len(y_norm[(y_norm > -3) & (y_norm < 3)]) / len(y_norm) * 100

pd.DataFrame({"sd": ["1sd", "2sd", "3sd"], "value": [sd1, sd2, sd3]})
Out[19]:
sd value
0 1sd 68.320
1 2sd 95.487
2 3sd 99.764

Perfect match! The three empirical rules are obviously valid. To visualize our findings we re-plot the histogram and add some annotations. Please note that in the plt.hist() function we set the argument density = 1. As a consequence, the resulting histogram does not show counts on the y-axis anymore, but the density values (normalized count divided by bin width), which means that the bar areas sum to 1.

In [20]:
ax = plt.hist(y_norm, bins=100, edgecolor="grey", color="lightgrey", density=1)

plt.show()
In [21]:
y_norm = pd.Series(y_norm)
ax = y_norm.plot.hist(bins=100, density=1)

for bar in ax.containers[0]:
    # get x midpoint of bar
    x = bar.get_x() + 0.5 * bar.get_width()

    # set bar color based on x
    if x < 1 and x > -1:
        bar.set_color("red")
        bar.set_edgecolor("grey")

    elif x < 2 and x > -2:
        bar.set_color("green")
        bar.set_edgecolor("grey")
    elif x > -1 and x < sd1 * -1:
        bar.set_color("green")
        bar.set_edgecolor("grey")

    elif x < 3 and x > 2:
        bar.set_color("blue")
        bar.set_edgecolor("grey")
    elif x > -3 and x < -2:
        bar.set_color("blue")
        bar.set_edgecolor("grey")

    else:
        bar.set_color("grey")
        bar.set_edgecolor("grey")


plt.title("Normal distribution")
plt.ylabel("Density")
plt.ylim(0, 0.65)

# horizontal lines
lwd = 3
plt.hlines(y=0.48, xmin=2, xmax=-2, linewidth=2, color="g")
plt.hlines(y=0.55, xmin=3, xmax=-3, linewidth=2, color="b")
plt.hlines(y=0.41, xmin=1, xmax=-1, linewidth=2, color="r")

# vertical lines
plt.vlines(x=1, ymin=0, ymax=0.41, linewidth=2, color="r")
plt.vlines(x=-1, ymin=0, ymax=0.41, linewidth=2, color="r")
plt.vlines(x=2, ymin=0, ymax=0.48, linewidth=2, color="g")
plt.vlines(x=-2, ymin=0, ymax=0.48, linewidth=2, color="g")
plt.vlines(x=3, ymin=0, ymax=0.55, linewidth=2, color="b")
plt.vlines(x=-3, ymin=0, ymax=0.55, linewidth=2, color="b")

# text
plt.text(0, 0.44, "68 %", color="r", size=12)
plt.text(0, 0.51, "95 %", color="g", size=12)
plt.text(0, 0.58, "99.7 %", color="b", size=12)
plt.show()

Well, now let us work on our 2nd task: Validate the three empirical rules on the students data set. For this, we have to check whether any of the numeric variables in the students data set are normally distributed. We start by extracting numeric variables of interest from the students data set. Then we check the data set by calling the function head().

In [22]:
cont_vars = ["age", "nc.score", "height", "weight", "score1", "score2", "salary"]
students_quant = students[cont_vars]
students_quant.head(10)
Out[22]:
age nc.score height weight score1 score2 salary
1 19 1.91 160 64.8 NaN NaN NaN
2 19 1.56 172 73.0 NaN NaN NaN
3 22 1.24 168 70.6 45.0 46.0 NaN
4 19 1.37 183 79.7 NaN NaN NaN
5 21 1.46 175 71.4 NaN NaN NaN
6 19 1.34 189 85.8 NaN NaN NaN
7 21 1.11 156 65.9 NaN NaN NaN
8 21 2.03 167 65.7 58.0 62.0 NaN
9 18 1.29 195 94.4 57.0 67.0 NaN
10 18 1.19 165 66.0 NaN NaN NaN

To get an overview of the shape of the distribution of each particular variable, we apply the hist() function of the matplotlib package. This function can also be applied to a whole data frame, as demonstrated here. Each column of the data frame will be plotted as a histogram subplot.

In [23]:
students_quant.hist(
    bins=50, density=1, color="lightgrey", edgecolor="grey", figsize=(12, 5)
)
plt.tight_layout()
plt.show()

We immediately realize that some variables are positively skewed, thus we exclude them and keep those that appear to be normally distributed.

In [24]:
students_quant[["height", "salary"]].hist(
    bins=50, density=1, color="lightgrey", edgecolor="grey", figsize=(12, 5)
)
plt.tight_layout()
plt.show()

Both the height and the salary variable seem to more or less follow a normal distribution. So, the choice which to pick for further analysis is a matter of taste. For now, we stick to the salary variable and check, if the three empirical rules claimed above are valid. Let us switch to Python and validate those rules by calculating the mean and the standard deviations first. Please note, that the salary variable includes empty cells marked by NA. Thus, we first exclude all NA values by applying the dropna() function or the notnull() function. Either of them will yield in the same result.

In [25]:
salary_vector = students[
    "salary"
].dropna()  # or use: students["salary"][students["salary"].notnull()]

# calculate mean
salary_vector_mean = np.mean(salary_vector)

# calculate standard deviations
salary_vector_sd1_pos = salary_vector_mean + np.std(salary_vector)
salary_vector_sd2_pos = salary_vector_mean + np.std(salary_vector) * 2
salary_vector_sd3_pos = salary_vector_mean + np.std(salary_vector) * 3

salary_vector_sd1_neg = salary_vector_mean - np.std(salary_vector)
salary_vector_sd2_neg = salary_vector_mean - np.std(salary_vector) * 2
salary_vector_sd3_neg = salary_vector_mean - np.std(salary_vector) * 3

As in the generic example from above, we count the number of values, which are bigger than +1 s.d., respectively smaller than -1 s.d., and +2 s.d., respectively -2 s.d., and +3 s.d., respectively -3 s.d., and relate them to the length of the vector, in our case <IPython.core.display.Javascript object>.

In [26]:
salary_sd1 = (
    100
    - len(
        salary_vector[
            (salary_vector > salary_vector_sd1_pos)
            | (salary_vector < salary_vector_sd1_neg)
        ]
    )
    / len(salary_vector)
    * 100
)
salary_sd2 = (
    100
    - len(
        salary_vector[
            (salary_vector > salary_vector_sd2_pos)
            | (salary_vector < salary_vector_sd2_neg)
        ]
    )
    / len(salary_vector)
    * 100
)
salary_sd3 = (
    100
    - len(
        salary_vector[
            (salary_vector > salary_vector_sd3_pos)
            | (salary_vector < salary_vector_sd3_neg)
        ]
    )
    / len(salary_vector)
    * 100
)

pd.DataFrame(
    {
        "sd": ["1sd", "2sd", "3sd"],
        "sd_value": [round(sd1), round(sd2), round(sd3, 1)],
        "xx": [round(salary_sd1, 4), round(salary_sd2, 4), round(salary_sd3, 4)],
    }
)
Out[26]:
sd sd_value xx
0 1sd 68.0 67.0850
1 2sd 95.0 95.5505
2 3sd 99.8 99.7718

Wow, quite close! Obviously the salary variable shows a strong tendency to support the so called empirical rule. We plot the histogram of the salary variable to confirm our impression. We colorize the standard deviations for a better visual impression. There are several ways to pick a particular color in R. In this code example we use the color name "white" (type colors() in your console to see a full list of colors) and combine it with numbers 2, 3, 4, a shortcut for accessing the colors of the standard color palette (type palette() in your console to see the list of colors in the standard color palette).

In [27]:
ax = salary_vector.plot.hist(bins=100, density=1, edgecolor="black", figsize=(10, 5))

for bar in ax.containers[0]:
    # get x midpoint of bar
    x = bar.get_x() + 0.5 * bar.get_width()

    # set bar color based on x
    if x < salary_vector_sd1_pos and x > salary_vector_sd1_neg:
        bar.set_color("red")
        bar.set_edgecolor("grey")

    elif x < salary_vector_sd2_pos and x > salary_vector_sd1_pos:
        bar.set_color("green")
        bar.set_edgecolor("grey")
    elif x > salary_vector_sd2_neg and x < salary_vector_sd1_neg:
        bar.set_color("green")
        bar.set_edgecolor("grey")

    elif x < salary_vector_sd3_pos and x > salary_vector_sd2_pos:
        bar.set_color("blue")
        bar.set_edgecolor("grey")
    elif x > salary_vector_sd3_neg and x < salary_vector_sd2_neg:
        bar.set_color("blue")
        bar.set_edgecolor("grey")

    else:
        bar.set_color("grey")
        bar.set_edgecolor("grey")

plt.title("Normal distribution")
plt.ylabel("Density")
plt.xlabel("Annual Salary in EUR")
plt.text(70000, 0.00005, "1 s.d.", color="red")
plt.text(70000, 0.000045, "2 s.d.", color="green")
plt.text(70000, 0.00004, "3 s.d.", color="blue")
plt.show()

We can now extend our visualization approach by plotting the empirical density estimate, using the density() function, and checking its shape. We display the empirical density estimate as a dashed line by setting the linestyle argument to linestyle = '--' or linestyle = 'dashed' with a line width of 3 (argument linewidth = 3).

In [28]:
ax = salary_vector.plot.hist(bins=100, density=1, edgecolor="black", figsize=(10, 5))
salary_vector.plot(
    kind="density", ax=ax, color="black", linestyle="dashed", linewidth=3
)

for bar in ax.containers[0]:
    # get x midpoint of bar
    x = bar.get_x() + 0.5 * bar.get_width()

    # set bar color based on x
    if x < salary_vector_sd1_pos and x > salary_vector_sd1_neg:
        bar.set_color("red")
        bar.set_edgecolor("grey")

    elif x < salary_vector_sd2_pos and x > salary_vector_sd1_pos:
        bar.set_color("green")
        bar.set_edgecolor("grey")
    elif x > salary_vector_sd2_neg and x < salary_vector_sd1_neg:
        bar.set_color("green")
        bar.set_edgecolor("grey")

    elif x < salary_vector_sd3_pos and x > salary_vector_sd2_pos:
        bar.set_color("blue")
        bar.set_edgecolor("grey")
    elif x > salary_vector_sd3_neg and x < salary_vector_sd2_neg:
        bar.set_color("blue")
        bar.set_edgecolor("grey")

    else:
        bar.set_color("grey")
        bar.set_edgecolor("grey")

plt.title("Normal distribution")
plt.ylabel("Density")
plt.xlabel("Annual Salary in EUR")
plt.text(70000, 0.00005, "1 s.d.", color="red")
plt.text(70000, 0.000045, "2 s.d.", color="green")
plt.text(70000, 0.00004, "3 s.d.", color="blue")
plt.show()

Finally, we compare our empirical density estimate to the theoretical probability density function based on the actual mean and standard deviation of the data (salary_vector). For a better visual comparison, we switch back to a non-colorized histogram plot.

In [29]:
ax = salary_vector.plot.hist(
    bins=100, density=1, edgecolor="grey", color="lightgrey", figsize=(10, 5)
)
salary_vector.plot(
    kind="density",
    ax=ax,
    color="black",
    linestyle="dashed",
    linewidth=3,
    label="emp. density",
)

mu = np.mean(salary_vector)
variance = np.var(salary_vector)
sigma = np.sqrt(variance)
x = np.linspace(mu - 3 * sigma, mu + 3 * sigma, 100)
plt.plot(x, stats.norm.pdf(x, mu, sigma), label="pdf", color="red")

plt.title("Normal distribution")
plt.ylabel("Density")
plt.xlabel("Annual Salary in EUR")
plt.show()

We may conclude, that the salary variable in the students data set is roughly normally distributed. However, the plot indicates that the distribution of the salary variable is slightly skewed to the left. We can see that by the small deviation between the empirical density estimate and the probability density function.


Citation

The E-Learning project SOGA-Py was developed at the Department of Earth Sciences by Annette Rudolph, Joachim Krois and Kai Hartmann. You can reach us via mail by soga[at]zedat.fu-berlin.de.

Creative Commons License
You may use this project freely under the Creative Commons Attribution-ShareAlike 4.0 International License.

Please cite as follow: Rudolph, A., Krois, J., Hartmann, K. (2023): Statistics and Geodata Analysis using Python (SOGA-Py). Department of Earth Sciences, Freie Universitaet Berlin.