Book a Demo!
CoCalc Logo Icon
StoreFeaturesDocsShareSupportNewsAboutPoliciesSign UpSign In
Download

📚 The CoCalc Library - books, templates and other resources

132923 views
License: OTHER
Kernel: Python 3

Examples and Exercises from Think Stats, 2nd Edition

http://thinkstats2.com

Copyright 2016 Allen B. Downey

MIT License: https://opensource.org/licenses/MIT

from __future__ import print_function, division %matplotlib inline import numpy as np import pandas as pd import random import thinkstats2 import thinkplot

Multiple regression

Let's load up the NSFG data again.

import first live, firsts, others = first.MakeFrames()

Here's birth weight as a function of mother's age (which we saw in the previous chapter).

import statsmodels.formula.api as smf formula = 'totalwgt_lb ~ agepreg' model = smf.ols(formula, data=live) results = model.fit() results.summary()

We can extract the parameters.

inter = results.params['Intercept'] slope = results.params['agepreg'] inter, slope
(6.830396973311047, 0.017453851471802877)

And the p-value of the slope estimate.

slope_pvalue = results.pvalues['agepreg'] slope_pvalue
5.722947107312786e-11

And the coefficient of determination.

results.rsquared
0.004738115474710369

The difference in birth weight between first babies and others.

diff_weight = firsts.totalwgt_lb.mean() - others.totalwgt_lb.mean() diff_weight
-0.12476118453549034

The difference in age between mothers of first babies and others.

diff_age = firsts.agepreg.mean() - others.agepreg.mean() diff_age
-3.5864347661500275

The age difference plausibly explains about half of the difference in weight.

slope * diff_age
-0.06259709972169267

Running a single regression with a categorical variable, isfirst:

live['isfirst'] = live.birthord == 1 formula = 'totalwgt_lb ~ isfirst' results = smf.ols(formula, data=live).fit() results.summary()

Now finally running a multiple regression:

formula = 'totalwgt_lb ~ isfirst + agepreg' results = smf.ols(formula, data=live).fit() results.summary()

As expected, when we control for mother's age, the apparent difference due to isfirst is cut in half.

If we add age squared, we can control for a quadratic relationship between age and weight.

live['agepreg2'] = live.agepreg**2 formula = 'totalwgt_lb ~ isfirst + agepreg + agepreg2' results = smf.ols(formula, data=live).fit() results.summary()

When we do that, the apparent effect of isfirst gets even smaller, and is no longer statistically significant.

These results suggest that the apparent difference in weight between first babies and others might be explained by difference in mothers' ages, at least in part.

Data Mining

We can use join to combine variables from the preganancy and respondent tables.

import nsfg live = live[live.prglngth>30] resp = nsfg.ReadFemResp() resp.index = resp.caseid join = live.join(resp, on='caseid', rsuffix='_r')

And we can search for variables with explanatory power.

Because we don't clean most of the variables, we are probably missing some good ones.

import patsy def GoMining(df): """Searches for variables that predict birth weight. df: DataFrame of pregnancy records returns: list of (rsquared, variable name) pairs """ variables = [] for name in df.columns: try: if df[name].var() < 1e-7: continue formula = 'totalwgt_lb ~ agepreg + ' + name # The following seems to be required in some environments # formula = formula.encode('ascii') model = smf.ols(formula, data=df) if model.nobs < len(df)/2: continue results = model.fit() except (ValueError, TypeError): continue variables.append((results.rsquared, name)) return variables
variables = GoMining(join)

The following functions report the variables with the highest values of R2R^2.

import re def ReadVariables(): """Reads Stata dictionary files for NSFG data. returns: DataFrame that maps variables names to descriptions """ vars1 = thinkstats2.ReadStataDct('2002FemPreg.dct').variables vars2 = thinkstats2.ReadStataDct('2002FemResp.dct').variables all_vars = vars1.append(vars2) all_vars.index = all_vars.name return all_vars def MiningReport(variables, n=30): """Prints variables with the highest R^2. t: list of (R^2, variable name) pairs n: number of pairs to print """ all_vars = ReadVariables() variables.sort(reverse=True) for r2, name in variables[:n]: key = re.sub('_r$', '', name) try: desc = all_vars.loc[key].desc if isinstance(desc, pd.Series): desc = desc[0] print(name, r2, desc) except (KeyError, IndexError): print(name, r2)

Some of the variables that do well are not useful for prediction because they are not known ahead of time.

MiningReport(variables)
totalwgt_lb 1.0 birthwgt_lb 0.9498127305978009 BD-3 BIRTHWEIGHT IN POUNDS - 1ST BABY FROM THIS PREGNANCY lbw1 0.30082407844707704 LOW BIRTHWEIGHT - BABY 1 prglngth 0.13012519488625052 DURATION OF COMPLETED PREGNANCY IN WEEKS wksgest 0.12340041363361054 GESTATIONAL LENGTH OF COMPLETED PREGNANCY (IN WEEKS) agecon 0.10203149928155986 AGE AT TIME OF CONCEPTION mosgest 0.027144274639579802 GESTATIONAL LENGTH OF COMPLETED PREGNANCY (IN MONTHS) babysex 0.01855092529394209 BD-2 SEX OF 1ST LIVEBORN BABY FROM THIS PREGNANCY race_r 0.016199503586253217 race 0.016199503586253217 nbrnaliv 0.016017752709788113 BC-2 NUMBER OF BABIES BORN ALIVE FROM THIS PREGNANCY paydu 0.014003795578114597 IB-10 CURRENT LIVING QUARTERS OWNED/RENTED, ETC rmarout03 0.013430066465713209 INFORMAL MARITAL STATUS WHEN PREGNANCY ENDED - 3RD birthwgt_oz 0.013102457615706053 BD-3 BIRTHWEIGHT IN OUNCES - 1ST BABY FROM THIS PREGNANCY anynurse 0.012529022541810764 BH-1 WHETHER R BREASTFED THIS CHILD AT ALL - 1ST FROM THIS PREG bfeedwks 0.012193688404495862 DURATION OF BREASTFEEDING IN WEEKS totincr 0.011870069031173491 TOTAL INCOME OF R'S FAMILY marout03 0.011807801994374811 FORMAL MARITAL STATUS WHEN PREGNANCY ENDED - 3RD marcon03 0.011752599354395654 FORMAL MARITAL STATUS WHEN PREGNANCY BEGAN - 3RD cebow 0.011437770919637047 NUMBER OF CHILDREN BORN OUT OF WEDLOCK rmarout01 0.011407737138640073 INFORMAL MARITAL STATUS WHEN PREGNANCY ENDED - 1ST rmarout6 0.011354138472805642 INFORMAL MARITAL STATUS AT PREGNANCY OUTCOME - 6 CATEGORIES marout01 0.011269357246806555 FORMAL MARITAL STATUS WHEN PREGNANCY ENDED - 1ST hisprace_r 0.011238349302030715 hisprace 0.011238349302030715 mar1diss 0.010961563590751733 MONTHS BTW/1ST MARRIAGE & DISSOLUTION (OR INTERVIEW) fmarcon5 0.0106049646842995 FORMAL MARITAL STATUS AT CONCEPTION - 5 CATEGORIES rmarout02 0.0105469132065652 INFORMAL MARITAL STATUS WHEN PREGNANCY ENDED - 2ND marcon02 0.010481401795534362 FORMAL MARITAL STATUS WHEN PREGNANCY BEGAN - 2ND fmarout5 0.010461691367377068 FORMAL MARITAL STATUS AT PREGNANCY OUTCOME

Combining the variables that seem to have the most explanatory power.

formula = ('totalwgt_lb ~ agepreg + C(race) + babysex==1 + ' 'nbrnaliv>1 + paydu==1 + totincr') results = smf.ols(formula, data=join).fit() results.summary()

Logistic regression

Example: suppose we are trying to predict y using explanatory variables x1 and x2.

y = np.array([0, 1, 0, 1]) x1 = np.array([0, 0, 0, 1]) x2 = np.array([0, 1, 1, 1])

According to the logit model the log odds for the iith element of yy is

logo=β0+β1x1+β2x2\log o = \beta_0 + \beta_1 x_1 + \beta_2 x_2

So let's start with an arbitrary guess about the elements of β\beta:

beta = [-1.5, 2.8, 1.1]

Plugging in the model, we get log odds.

log_o = beta[0] + beta[1] * x1 + beta[2] * x2 log_o
array([-1.5, -0.4, -0.4, 2.4])

Which we can convert to odds.

o = np.exp(log_o) o
array([ 0.22313016, 0.67032005, 0.67032005, 11.02317638])

And then convert to probabilities.

p = o / (o+1) p
array([0.18242552, 0.40131234, 0.40131234, 0.9168273 ])

The likelihoods of the actual outcomes are pp where yy is 1 and 1p1-p where yy is 0.

likes = np.where(y, p, 1-p) likes
array([0.81757448, 0.40131234, 0.59868766, 0.9168273 ])

The likelihood of yy given β\beta is the product of likes:

like = np.prod(likes) like
0.1800933529673034

Logistic regression works by searching for the values in β\beta that maximize like.

Here's an example using variables in the NSFG respondent file to predict whether a baby will be a boy or a girl.

import first live, firsts, others = first.MakeFrames() live = live[live.prglngth>30] live['boy'] = (live.babysex==1).astype(int)

The mother's age seems to have a small effect.

model = smf.logit('boy ~ agepreg', data=live) results = model.fit() results.summary()
Optimization terminated successfully. Current function value: 0.693015 Iterations 3

Here are the variables that seemed most promising.

formula = 'boy ~ agepreg + hpagelb + birthord + C(race)' model = smf.logit(formula, data=live) results = model.fit() results.summary()
Optimization terminated successfully. Current function value: 0.692944 Iterations 3

To make a prediction, we have to extract the exogenous and endogenous variables.

endog = pd.DataFrame(model.endog, columns=[model.endog_names]) exog = pd.DataFrame(model.exog, columns=model.exog_names)

The baseline prediction strategy is to guess "boy". In that case, we're right almost 51% of the time.

actual = endog['boy'] baseline = actual.mean() baseline
0.507173764518333

If we use the previous model, we can compute the number of predictions we get right.

predict = (results.predict() >= 0.5) true_pos = predict * actual true_neg = (1 - predict) * (1 - actual) sum(true_pos), sum(true_neg)
(3944.0, 548.0)

And the accuracy, which is slightly higher than the baseline.

acc = (sum(true_pos) + sum(true_neg)) / len(actual) acc
0.5115007970849464

To make a prediction for an individual, we have to get their information into a DataFrame.

columns = ['agepreg', 'hpagelb', 'birthord', 'race'] new = pd.DataFrame([[35, 39, 3, 2]], columns=columns) y = results.predict(new) y
0 0.513091 dtype: float64

This person has a 51% chance of having a boy (according to the model).

Exercises

Exercise: Suppose one of your co-workers is expecting a baby and you are participating in an office pool to predict the date of birth. Assuming that bets are placed during the 30th week of pregnancy, what variables could you use to make the best prediction? You should limit yourself to variables that are known before the birth, and likely to be available to the people in the pool.

import first live, firsts, others = first.MakeFrames() live = live[live.prglngth>30]

The following are the only variables I found that have a statistically significant effect on pregnancy length.

import statsmodels.formula.api as smf model = smf.ols('prglngth ~ birthord==1 + race==2 + nbrnaliv>1', data=live) results = model.fit() results.summary()

Exercise: The Trivers-Willard hypothesis suggests that for many mammals the sex ratio depends on “maternal condition”; that is, factors like the mother’s age, size, health, and social status. See https://en.wikipedia.org/wiki/Trivers-Willard_hypothesis

Some studies have shown this effect among humans, but results are mixed. In this chapter we tested some variables related to these factors, but didn’t find any with a statistically significant effect on sex ratio.

As an exercise, use a data mining approach to test the other variables in the pregnancy and respondent files. Can you find any factors with a substantial effect?

import regression join = regression.JoinFemResp(live)
# Solution goes here
# Solution goes here
# Solution goes here

Exercise: If the quantity you want to predict is a count, you can use Poisson regression, which is implemented in StatsModels with a function called poisson. It works the same way as ols and logit. As an exercise, let’s use it to predict how many children a woman has born; in the NSFG dataset, this variable is called numbabes.

Suppose you meet a woman who is 35 years old, black, and a college graduate whose annual household income exceeds $75,000. How many children would you predict she has born?

# Solution goes here
# Solution goes here

Now we can predict the number of children for a woman who is 35 years old, black, and a college graduate whose annual household income exceeds $75,000

# Solution goes here

Exercise: If the quantity you want to predict is categorical, you can use multinomial logistic regression, which is implemented in StatsModels with a function called mnlogit. As an exercise, let’s use it to guess whether a woman is married, cohabitating, widowed, divorced, separated, or never married; in the NSFG dataset, marital status is encoded in a variable called rmarital.

Suppose you meet a woman who is 25 years old, white, and a high school graduate whose annual household income is about $45,000. What is the probability that she is married, cohabitating, etc?

# Solution goes here

Make a prediction for a woman who is 25 years old, white, and a high school graduate whose annual household income is about $45,000.

# Solution goes here