2. The Regression Line¶
The correlation coefficient \(r\) doesn’t just measure how clustered the points in a scatter plot are about a straight line. It also helps identify the straight line about which the points are clustered. In this section we will retrace the path that Galton and Pearson took to discover that line.
Galton’s data on the heights of parents and their adult children showed a linear association. The linearity was confirmed when our predictions of the children’s heights based on the midparent heights roughly followed a straight line.
galton = pd.read_csv(path_data + 'galton.csv')
heights = pd.DataFrame(
    {'MidParent':galton['midparentHeight'],
    'Child':galton['childHeight']}
    )
def predict_child(mpht):
    """Return a prediction of the height of a child 
    whose parents have a midparent height of mpht.
    
    The prediction is the average height of the children 
    whose midparent height is in the range mpht plus or minus 0.5 inches.
    """
    
    close_points = heights[(heights['MidParent'] >= mpht-0.5) & (heights['MidParent'] < mpht+0.5)]
    return close_points['Child'].mean()
heights_with_predictions = heights.copy()
heights_with_predictions['Prediction'] = heights['MidParent'].map(predict_child)
heights_with_predictions
| MidParent | Child | Prediction | |
|---|---|---|---|
| 0 | 75.43 | 73.2 | 70.100000 | 
| 1 | 75.43 | 69.2 | 70.100000 | 
| 2 | 75.43 | 69.0 | 70.100000 | 
| 3 | 75.43 | 69.0 | 70.100000 | 
| 4 | 73.66 | 73.5 | 70.415789 | 
| ... | ... | ... | ... | 
| 929 | 66.64 | 64.0 | 65.156579 | 
| 930 | 66.64 | 62.0 | 65.156579 | 
| 931 | 66.64 | 61.0 | 65.156579 | 
| 932 | 65.27 | 66.5 | 64.229630 | 
| 933 | 65.27 | 57.0 | 64.229630 | 
934 rows × 3 columns
fig, ax = plt.subplots(figsize=(8,5))
ax.scatter(heights_with_predictions['MidParent'], 
           heights_with_predictions['Child'], 
           label='Child', 
           color='darkblue')
ax.scatter(heights_with_predictions['MidParent'], 
           heights_with_predictions['Prediction'], 
           label='Prediction', 
           color='gold')
x_label = 'MidParent'
y_label = ''
y_vals = ax.get_yticks()
plt.ylabel(y_label)
plt.xlabel(x_label)
ax.legend(bbox_to_anchor=(1.04,1), loc="upper left", frameon=False)
plt.show()
 
2.1. Measuring in Standard Units¶
Let’s see if we can find a way to identify this line. First, notice that linear association doesn’t depend on the units of measurement – we might as well measure both variables in standard units.
def standard_units(xyz):
    "Convert any array of numbers to standard units."
    return (xyz - np.mean(xyz))/np.std(xyz)  
heights_SU = pd.DataFrame(
    {'MidParent SU':standard_units(heights['MidParent']),
    'Child SU':standard_units(heights['Child'])}
)
heights_SU
| MidParent SU | Child SU | |
|---|---|---|
| 0 | 3.454652 | 1.804156 | 
| 1 | 3.454652 | 0.686005 | 
| 2 | 3.454652 | 0.630097 | 
| 3 | 3.454652 | 0.630097 | 
| 4 | 2.472085 | 1.888017 | 
| ... | ... | ... | 
| 929 | -1.424873 | -0.767591 | 
| 930 | -1.424873 | -1.326667 | 
| 931 | -1.424873 | -1.606205 | 
| 932 | -2.185390 | -0.068747 | 
| 933 | -2.185390 | -2.724356 | 
934 rows × 2 columns
On this scale, we can calculate our predictions exactly as before. But first we have to figure out how to convert our old definition of “close” points to a value on the new scale. We had said that midparent heights were “close” if they were within 0.5 inches of each other. Since standard units measure distances in units of SDs, we have to figure out how many SDs of midparent height correspond to 0.5 inches.
One SD of midparent heights is about 1.8 inches. So 0.5 inches is about 0.28 SDs.
sd_midparent = np.std(heights.iloc[:,0])
sd_midparent
1.8014050969207571
0.5/sd_midparent
0.277561110965367
We are now ready to modify our prediction function to make predictions on the standard units scale. All that has changed is that we are using the table of values in standard units, and defining “close” as above.
def predict_child_su(mpht_su):
    """Return a prediction of the height (in standard units) of a child 
    whose parents have a midparent height of mpht_su in standard units.
    """
    close = 0.5/sd_midparent
    close_points = heights_SU[(heights_SU['MidParent SU'] >= mpht_su-close) & (heights_SU['MidParent SU'] <= mpht_su+close)]
    return close_points['Child SU'].mean()   
heights_with_su_predictions = heights_SU.copy()
heights_with_su_predictions['Prediction SU'] = heights_SU['MidParent SU'].map(predict_child_su)
heights_with_su_predictions
| MidParent SU | Child SU | Prediction SU | |
|---|---|---|---|
| 0 | 3.454652 | 1.804156 | 0.937589 | 
| 1 | 3.454652 | 0.686005 | 0.937589 | 
| 2 | 3.454652 | 0.630097 | 0.937589 | 
| 3 | 3.454652 | 0.630097 | 0.937589 | 
| 4 | 2.472085 | 1.888017 | 1.025864 | 
| ... | ... | ... | ... | 
| 929 | -1.424873 | -0.767591 | -0.444284 | 
| 930 | -1.424873 | -1.326667 | -0.444284 | 
| 931 | -1.424873 | -1.606205 | -0.444284 | 
| 932 | -2.185390 | -0.068747 | -0.703401 | 
| 933 | -2.185390 | -2.724356 | -0.703401 | 
934 rows × 3 columns
fig, ax = plt.subplots(figsize=(8,5))
ax.scatter(heights_with_su_predictions['MidParent SU'], 
           heights_with_su_predictions['Child SU'], 
           label='Child_SU', 
           color='darkblue')
ax.scatter(heights_with_su_predictions['MidParent SU'], 
           heights_with_su_predictions['Prediction SU'], 
           label='Prediction_SU', 
           color='gold')
x_label = 'MidParent SU'
y_label = ''
y_vals = ax.get_yticks()
plt.ylabel(y_label)
plt.xlabel(x_label)
ax.legend(bbox_to_anchor=(1.04,1), loc="upper left", frameon=False)
plt.show()
 
This plot looks exactly like the plot drawn on the original scale. Only the numbers on the axes have changed. This confirms that we can understand the prediction process by just working in standard units.
2.1.1. Identifying the Line in Standard Units¶
Galton’s scatter plot has a football shape – that is, it is roughly oval like an American football. Not all scatter plots are football shaped, not even those that show linear association. But in this section we will pretend we are Galton and work only with football shaped scatter plots. In the next section, we will generalize our analysis to other shapes of plots.
Here is a football shaped scatter plot with both variables measured in standard units. The 45 degree line is shown in red.
 
But the 45 degree line is not the line that picks off the centers of the vertical strips. You can see that in the figure below, where the vertical line at 1.5 standard units is shown in black. The points on the scatter plot near the black line all have heights roughly in the -2 to 3 range. The red line is too high to pick off the center.
 
So the 45 degree line is not the “graph of averages.” That line is the green one shown below.
 
Both lines go through the origin (0, 0). The green line goes through the centers of the vertical strips (at least roughly), and is flatter than the red 45 degree line.
The slope of the 45 degree line is 1. So the slope of the green “graph of averages” line is a value that is positive but less than 1.
What value could that be? You’ve guessed it – it’s \(r\).
2.1.2. The Regression Line, in Standard Units¶
The green “graph of averages” line is called the regression line, for reasons we will explain shortly. But first, let’s simulate some football shaped scatter plots with different values of \(r\), and see how the line changes. In each case, the red 45 degree line has been drawn for comparison.
The function that performs the simulation is called regression_line and takes \(r\) as its argument.
regression_line(0.95)
 
regression_line(0.6)
 
When \(r\) is close to 1, the scatter plot, the 45 degree line, and the regression line are all very close to each other. But for more moderate values of \(r\), the regression line is noticeably flatter.
2.1.3. The Regression Effect¶
In terms of prediction, this means that for a parents whose midparent height is at 1.5 standard units, our prediction of the child’s height is somewhat less than 1.5 standard units. If the midparent height is 2 standard units, we predict that the child’s height will be somewhat less than 2 standard units.
In other words, we predict that the child will be somewhat closer to average than the parents were.
This didn’t please Sir Francis Galton. He had been hoping that exceptionally tall parents would have children who were just as exceptionally tall. However, the data were clear, and Galton realized that the tall parents have children who are not quite as exceptionally tall, on average. Frustrated, Galton called this phenomenon “regression to mediocrity.”
Galton also noticed that exceptionally short parents had children who were somewhat taller relative to their generation, on average. In general, individuals who are away from average on one variable are expected to be not quite as far away from average on the other. This is called the regression effect.
2.1.4. The Equation of the Regression Line¶
In regression, we use the value of one variable (which we will call \(x\)) to predict the value of another (which we will call \(y\)). When the variables \(x\) and \(y\) are measured in standard units, the regression line for predicting \(y\) based on \(x\) has slope \(r\) and passes through the origin. Thus the equation of the regression line can be written as:
In the original units of the data, this becomes

The slope and intercept of the regression line in original units can be derived from the diagram above.
The three functions below compute the correlation, slope, and intercept. All of them take three arguments: the name of the table, the label of the column containing \(x\), and the label of the column containing \(y\).
def correlation(t, label_x, label_y):
    return np.mean(standard_units(t[label_x])*standard_units(t[label_y]))
def slope(t, label_x, label_y):
    r = correlation(t, label_x, label_y)
    return r*np.std(t[label_y])/np.std(t[label_x])
def intercept(t, label_x, label_y):
    return np.mean(t[label_y]) - slope(t, label_x, label_y)*np.mean(t[label_x])
2.1.5. The Regression Line and Galton’s Data¶
The correlation between midparent height and child’s height is 0.32:
galton_r = correlation(heights, 'MidParent', 'Child')
galton_r
0.32094989606395924
We can also find the equation of the regression line for predicting the child’s height based on midparent height.
galton_slope = slope(heights, 'MidParent', 'Child')
galton_intercept = intercept(heights, 'MidParent', 'Child')
galton_slope, galton_intercept
(0.637360896969479, 22.63624054958975)
The equation of the regression line is
This is also known as the regression equation. The principal use of the regression equation is to predict \(y\) based on \(x\).
For example, for a midparent height of 70.48 inches, the regression equation predicts the child’s height to be 67.56 inches.
galton_slope*70.48 + galton_intercept
67.55743656799862
Our original prediction, created by taking the average height of all children who had midparent heights close to 70.48, came out to be pretty close: 67.63 inches compared to the regression line’s prediction of 67.55 inches.
heights_with_predictions[heights_with_predictions['MidParent'] == 70.48].head(3)
| MidParent | Child | Prediction | |
|---|---|---|---|
| 33 | 70.48 | 74.0 | 67.634239 | 
| 34 | 70.48 | 70.0 | 67.634239 | 
| 35 | 70.48 | 68.0 | 67.634239 | 
Here are all of the rows in Galton’s table, along with our original predictions and the new regression predictions of the children’s heights.
heights_with_predictions['Regression Prediction'] =  galton_slope*heights['MidParent'] + galton_intercept
heights_with_predictions
| MidParent | Child | Prediction | Regression Prediction | |
|---|---|---|---|---|
| 0 | 75.43 | 73.2 | 70.100000 | 70.712373 | 
| 1 | 75.43 | 69.2 | 70.100000 | 70.712373 | 
| 2 | 75.43 | 69.0 | 70.100000 | 70.712373 | 
| 3 | 75.43 | 69.0 | 70.100000 | 70.712373 | 
| 4 | 73.66 | 73.5 | 70.415789 | 69.584244 | 
| ... | ... | ... | ... | ... | 
| 929 | 66.64 | 64.0 | 65.156579 | 65.109971 | 
| 930 | 66.64 | 62.0 | 65.156579 | 65.109971 | 
| 931 | 66.64 | 61.0 | 65.156579 | 65.109971 | 
| 932 | 65.27 | 66.5 | 64.229630 | 64.236786 | 
| 933 | 65.27 | 57.0 | 64.229630 | 64.236786 | 
934 rows × 4 columns
fig, ax = plt.subplots(figsize=(8,5))
ax.scatter(heights_with_predictions['MidParent'], 
           heights_with_predictions['Child'], 
           label='Child', 
           color='darkblue')
ax.scatter(heights_with_predictions['MidParent'], 
           heights_with_predictions['Prediction'], 
           label='Prediction', 
           color='gold')
ax.scatter(heights_with_predictions['MidParent'], 
           heights_with_predictions['Regression Prediction'], 
           label='Regression Prediction', 
           color='lightblue')
x_label = 'MidParent'
y_label = ''
y_vals = ax.get_yticks()
plt.ylabel(y_label)
plt.xlabel(x_label)
ax.legend(bbox_to_anchor=(1.04,1), loc="upper left", frameon=False)
plt.show()
 
The grey dots show the regression predictions, all on the regression line. Notice how the line is very close to the gold graph of averages. For these data, the regression line does a good job of approximating the centers of the vertical strips.
2.1.6. Fitted Values¶
The predictions all lie on the line and are known as the “fitted values”. The function fit takes the name of the table and the labels of \(x\) and \(y\), and returns an array of fitted values, one fitted value for each point in the scatter plot.
def fit(table, x, y):
    """Return the height of the regression line at each x value."""
    a = slope(table, x, y)
    b = intercept(table, x, y)
    return a * table[x] + b
heights['Fitted'] = fit(heights, 'MidParent', 'Child')
heights
| MidParent | Child | Fitted | |
|---|---|---|---|
| 0 | 75.43 | 73.2 | 70.712373 | 
| 1 | 75.43 | 69.2 | 70.712373 | 
| 2 | 75.43 | 69.0 | 70.712373 | 
| 3 | 75.43 | 69.0 | 70.712373 | 
| 4 | 73.66 | 73.5 | 69.584244 | 
| ... | ... | ... | ... | 
| 929 | 66.64 | 64.0 | 65.109971 | 
| 930 | 66.64 | 62.0 | 65.109971 | 
| 931 | 66.64 | 61.0 | 65.109971 | 
| 932 | 65.27 | 66.5 | 64.236786 | 
| 933 | 65.27 | 57.0 | 64.236786 | 
934 rows × 3 columns
It is easier to see the line in the graph below than in the one above.
#heights.with_column('Fitted', fit(heights, 'MidParent', 'Child')).scatter('MidParent')
fig, ax = plt.subplots(figsize=(8,5))
ax.scatter(heights['MidParent'], 
           heights['Child'], 
           label='Child', 
           color='darkblue'
          )
ax.scatter(heights['MidParent'], 
           heights['Fitted'], 
           label='Fitted', 
           color='gold'
          )
x_label = 'MidParent'
y_label = ''
y_vals = ax.get_yticks()
plt.ylabel(y_label)
plt.xlabel(x_label)
ax.legend(bbox_to_anchor=(1.04,1), loc="upper left", frameon=False)
plt.show()
 
Another way to draw the line is to use the option fit_line=True with the Table method scatter.
#heights.scatter('MidParent', fit_line=True)
x_data = heights['MidParent']
y_data = heights['Child']
fig, ax = plt.subplots(figsize=(8,6))
m, b = np.polyfit(x_data, y_data, 1)
minx, maxx = np.min(x_data),np.max(x_data)
ax.plot([minx,maxx],[m*minx+b,m*maxx+b], label='Best Fit Line', color='red')
ax.scatter(heights['MidParent'], 
           heights['Child'],   
           color='darkblue'
          )
x_label = 'MidParent'
y_label = 'Child'
y_vals = ax.get_yticks()
plt.ylabel(y_label)
plt.xlabel(x_label)
ax.legend(bbox_to_anchor=(1.04,1), loc="upper left", frameon=False)
plt.show()
 
2.1.7. Units of Measurement of the Slope¶
The slope is a ratio, and it worth taking a moment to study the units in which it is measured. Our example comes from the familiar dataset about mothers who gave birth in a hospital system. The scatter plot of pregnancy weights versus heights looks like a football that has been used in one game too many, but it’s close enough to a football that we can justify putting our fitted line through it. In later sections we will see how to make such justifications more formal.
baby = pd.read_csv(path_data + 'baby.csv')
#baby.plot.scatter('Maternal Height', 'Maternal Pregnancy Weight', fit_line=True)
x_data = baby['Maternal Height']
y_data = baby['Maternal Pregnancy Weight']
fig, ax = plt.subplots(figsize=(8,6))
m, b = np.polyfit(x_data, y_data, 1)
minx, maxx = np.min(x_data),np.max(x_data)
ax.plot([minx,maxx],[m*minx+b,m*maxx+b], label='Best Fit Line', color='red')
ax.scatter(baby['Maternal Height'], 
           baby['Maternal Pregnancy Weight'],   
           color='darkblue'
          )
x_label = 'Maternal Height'
y_label = 'Maternal Pregnancy Weight'
y_vals = ax.get_yticks()
plt.ylabel(y_label)
plt.xlabel(x_label)
ax.legend(bbox_to_anchor=(1.04,1), loc="upper left", frameon=False)
plt.show()
 
slope(baby, 'Maternal Height', 'Maternal Pregnancy Weight')
3.572846259275056
The slope of the regression line is 3.57 pounds per inch. This means that for two women who are 1 inch apart in height, our prediction of pregnancy weight will differ by 3.57 pounds. For a woman who is 2 inches taller than another, our prediction of pregnancy weight will be $\( 2 \times 3.57 ~=~ 7.14 \)$ pounds more than our prediction for the shorter woman.
Notice that the successive vertical strips in the scatter plot are one inch apart, because the heights have been rounded to the nearest inch. Another way to think about the slope is to take any two consecutive strips (which are necessarily 1 inch apart), corresponding to two groups of women who are separated by 1 inch in height. The slope of 3.57 pounds per inch means that the average pregnancy weight of the taller group is about 3.57 pounds more than that of the shorter group.
2.1.8. Example¶
Suppose that our goal is to use regression to estimate the height of a basset hound based on its weight, using a sample that looks consistent with the regression model. Suppose the observed correlation \(r\) is 0.5, and that the summary statistics for the two variables are as in the table below:
| average | SD | |
|---|---|---|
| height | 14 inches | 2 inches | 
| weight | 50 pounds | 5 pounds | 
To calculate the equation of the regression line, we need the slope and the intercept.
The equation of the regression line allows us to calculate the estimated height, in inches, based on a given weight in pounds:
The slope of the line is measures the increase in the estimated height per unit increase in weight. The slope is positive, and it is important to note that this does not mean that we think basset hounds get taller if they put on weight. The slope reflects the difference in the average heights of two groups of dogs that are 1 pound apart in weight. Specifically, consider a group of dogs whose weight is \(w\) pounds, and the group whose weight is \(w+1\) pounds. The second group is estimated to be 0.2 inches taller, on average. This is true for all values of \(w\) in the sample.
In general, the slope of the regression line can be interpreted as the average increase in \(y\) per unit increase in \(x\). Note that if the slope is negative, then for every unit increase in \(x\), the average of \(y\) decreases.
2.1.8.1. Endnote¶
Even though we won’t establish the mathematical basis for the regression equation, we can see that it gives pretty good predictions when the scatter plot is football shaped. It is a surprising mathematical fact that no matter what the shape of the scatter plot, the same equation gives the “best” among all straight lines. That’s the topic of the next section.
