Labor Force Participation and the Wage Gap Detailed Notes and Code Econometrics 113 Spring 2014

Size: px
Start display at page:

Download "Labor Force Participation and the Wage Gap Detailed Notes and Code Econometrics 113 Spring 2014"

Transcription

1 Labor Force Participation and the Wage Gap Detailed Notes and Code Econometrics 113 Spring 2014 In class, Lecture 11, we used a new dataset to examine labor force participation and wages across groups. To do so, we pooled cross- sections of the Current Population Survey, Outgoing Rotational Groups, with 5 year gaps between each cross- section to keep the dataset manageable. Specifically, we merged the cross- sections from 1983, 1988, 1993, 1998, 2003, 2008, and 2013, and used the survey for the fourth month of each group (they were surveyed at multiple points). To begin our study of labor markets, we will focus on labor force participation, which is characterized by a group of dummy variables: empl: 1 if employed, 0 otherwise. unem: 1 if unemployed but in the labor force, 0 otherwise nilf: 1 if not in labor force, 0 otherwise. We use the summarize command to take a first look at these variables:. su empl unem nilf Variable Obs Mean Std. Dev. Min Max empl unem nilf It is also interesting to look at the fraction of the population that is unemployed or underemployed, as in working part- time. The dummy variable unempt is equal to one when the respondent is unemployed or part- time employed.. su unempt Variable Obs Mean Std. Dev. Min Max unempt We can evaluate how these variables have changed over time using the tabstat command:. tabstat empl unem unempt nilf, by(year) Summary statistics: mean by categories of: year (Year) year empl unem unempt nilf Total

2 Since most labor market statistics are conditioned on the set of the population that is in the labor force, we can condition the tabstat command using if nilf==0, which will calculate the means only using the sample of the pooled cross section for which workers are in the labor force.. tabstat empl unem unempt nilf if nilf==0, by(year) Summary statistics: mean by categories of: year (Year) year empl unem unempt nilf Total Not surprisingly, the recent unemployment rate of 6-7% is reflected in the mean of unem, conditional on labor force participation. As this is how unemployment rates are calculated, this suggests that our dataset is a pretty meaningful representation of the US Labor Force and participation within. 1 Labor Force Participation Regressions In Lecture Module 11, we specified a linear probability model to study labor force participation rates as a function of education, age, age^2, gender, and demographic characteristics. We first need to code our demographic characteristics from the survey results (in the variable wbho ):. gen age2 = age^2. gen black = 0. replace black = 1 if wbho==2. gen hispanic = 0. replace hispanic = 1 if wbho==3. gen other = 0. replace other = 1 if wbho==4 The outside group is white. We will also include year fixed effects, which we will estimate using the i.year command within the regression specification. The code and results for the regression are listed in Regression 1A. However, year fixed effects may not be sufficient if there are reasons why education levels, the age of the workforce, and composition of the population may change within states across time. As this is a 30- year collection of cross- sections 5 years apart, large changes that are differential to states could happen. So, to control for these possibilities, or more specifically absorb state- year specific shocks, we will treat state- year combinations as groups and estimate using fixed effects. To define state year groups, we use:. egen state_year = group(state year) Then, we run a fixed effects regression with xtreg, but using i(state_year) as an option (after the fe ). The precise code and results are below in Regression 1B.

3 REGRESSION 1A. reg nilf educ age age2 i.year female black hispanic other Source SS df MS Number of obs = F( 13, ) = Model Prob > F = Residual R-squared = Adj R-squared = Total Root MSE = nilf Coef. Std. Err. t P> t [95% Conf. Interval] educ age age e year female black hispanic other _cons REGRESSION 1B. xtreg nilf educ age age2 female black hispanic other, i(state_year) fe Fixed-effects (within) regression Number of obs = Group variable: state_year Number of groups = 357 R-sq: within = Obs per group: min = 1262 between = avg = overall = max = F(7, ) = corr(u_i, Xb) = Prob > F = nilf Coef. Std. Err. t P> t [95% Conf. Interval] educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(356, ) = Prob > F =

4 To add contrast to our results related to labor force participation, we now condition the sample to only those in the workforce, and evaluate the same factors and their relationship to unemployment status. We allow for state- year fixed effects, since unemployment rates across states due to local shocks and other factors that are not national. The code and regression results are below in Regression 1C. REGRESSION 1C. xtreg unem educ age age2 female black hispanic other if nilf==0, i(state_year) fe Fixed-effects (within) regression Number of obs = Group variable: state_year Number of groups = 357 R-sq: within = Obs per group: min = 785 between = avg = overall = max = 9663 F(7,730806) = corr(u_i, Xb) = Prob > F = unem Coef. Std. Err. t P> t [95% Conf. Interval] educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(356, ) = Prob > F = Review Questions for Final 1a. Within state-year groups, calculate the age at which labor force participation is maximized or minimized. Is this a maximum or minimum? How do we know? Be careful about the definition of nilf (not in labor force) when answering this question. 1b. Within state-year groups, calculate the age at which unemployment is maximized or minimized. Is this a maximum or minimum? How do we know? 1c. Going from Regression 1A to Regression 1B, some coefficients change a bit, while others do not (educ, female). What do you think the state-year fixed effects are controlling for in this case? Think omitted variables here. 1d. In Regression 1C, please interpret the coefficients on educ, female and black.

5 2 Wage Gap Regressions In this section, we present the detailed code and related questions for our discussion of wage gaps. We use the same dataset as above. To begin, we use the real wage, rw, which is the wage of the respondent divided by a local price index, and transform using natural logs:. gen ln_rw = ln(rw) After transforming the variable into natural logs, we regress the real wage of each respondent on their education, age, and demographics, using year fixed effects. The code and results are in Regression 2A. REGRESSION 2A. xtreg ln_rw educ age age2 female black hispanic other if nilf==0, i(year) fe warning: existing panel variable is not year Fixed-effects (within) regression Number of obs = Group variable: year Number of groups = 7 R-sq: within = Obs per group: min = between = avg = overall = max = F(7,598141) = corr(u_i, Xb) = Prob > F = educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(6, ) = Prob > F = Next, we use state_year fixed effects as above rather than year fixed effects to absorb changes in wages attributable to state- year groups that are also correlated to demographic changes. The code and results are below in Regression 2B. REGRESSION 2B. xtreg ln_rw educ age age2 female black hispanic other if nilf==0, i(state_year) fe warning: existing panel variable is not state_year Fixed-effects (within) regression Number of obs = Group variable: state_year Number of groups = 357 R-sq: within = Obs per group: min = 638 between = avg = overall = max = 7478

6 F(7,597791) = corr(u_i, Xb) = Prob > F = educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(356, ) = Prob > F = Review Questions for Final 2a. Please interpret precisely the coefficient on female for both regressions 2A and 2B. 2b. Using Regression 2B, please calculate and interpret precisely the difference in wage for a black female compared to a white male. Next, we will evaluate how the wage gap has changed over time. We will focus on the male- female wage gap for now. Though this can be done in a variety of ways, the plan will be to first define a year specific dummy variable for females. That is, we are now (for example) allowing for the male- female gap to be different in 1983 from its value in The code for this is below:. gen female83 = female. gen female88 = female. gen female93 = female. gen female98 = female. gen female03 = female. gen female08 = female. gen female13 = female. replace female83 = 0 if year!=1983. replace female88 = 0 if year!=1988. replace female93 = 0 if year!=1993. replace female98 = 0 if year!=1998. replace female03 = 0 if year!=2003. replace female08 = 0 if year!=2008. replace female13 = 0 if year!=2013 The gen command assigns a variable identical to female, and then the replace command gives a zero to all observations not of that stated year. The results of replacing female with these seven variables in the within state- year regression is below in Regression 2C.

7 REGRESSION 2C. xtreg ln_rw educ age age2 female83 female88 female93 female98 female03 female08 female13 black hispanic other if nilf==0, i(state_year) fe Fixed-effects (within) regression Number of obs = Group variable: state_year Number of groups = 357 R-sq: within = Obs per group: min = 638 between = avg = overall = max = 7478 F(13,597785) = corr(u_i, Xb) = Prob > F = educ age age e female female female female female female female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(356, ) = Prob > F = Review Questions for Final 2c. Please comment on the direction of the wage gap over time. Precisely, please interpret the change in the wage gap from 1983 to 2013, as evidenced in Regression 2C. 2d. Suppose, that I want to test precisely the difference between the coefficient on female83 and female13. Please derive a regression that allows me to do this. Show your work! Next, we d like to evaluate these results by looking not just within state- year groups, but adding industries and occupations to the mix. Within the dataset, we use the two- digit industry classification, ind_2d, and the two digit occupational classification, docc03, for this purpose. Since the industry and occupational classifications are available only for 2003 onward, we drop observations for which either are not available using drop if ind_2d==. docc03==.. Then, we define industry- state- year groups, occupation- state- year groups, and then industry- occupation- state- year groups:.egen ind_state_year = group(ind_2d state year).egen occ2_state_year = group(docc03 state year).egen ind_occ2_state_year = group(ind_2d docc03 state year)

8 REGRESSION 2D xtreg ln_rw educ age age2 female black hispanic other if nilf==0, i(state_year) fe Fixed-effects (within) regression Number of obs = Group variable: state_year Number of groups = 153 R-sq: within = Obs per group: min = 638 between = avg = overall = max = 6935 F(7,258561) = corr(u_i, Xb) = Prob > F = educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(152, ) = Prob > F = REGRESSION 2E. xtreg ln_rw educ age age2 female black hispanic other if nilf==0, i(ind_state_year) fe Fixed-effects (within) regression Number of obs = Group variable: ind_state_~r Number of groups = 7208 R-sq: within = Obs per group: min = 1 between = avg = 35.9 overall = max = 750 F(7,251506) = corr(u_i, Xb) = Prob > F = educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(7207, ) = 5.54 Prob > F =

9 REGRESSION 2F. xtreg ln_rw educ age age2 female black hispanic other if nilf==0, i(occ2_state_year) fe Fixed-effects (within) regression Number of obs = Group variable: occ2_state~r Number of groups = 3361 R-sq: within = Obs per group: min = 1 between = avg = 77.0 overall = max = 1039 F(7,255353) = corr(u_i, Xb) = Prob > F = educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(3360, ) = Prob > F = REGRESSION 2G. xtreg ln_rw educ age age2 female black hispanic other if nilf==0, i(ind_occ2_state_year) fe Fixed-effects (within) regression Number of obs = Group variable: ind_occ2_s~r Number of groups = R-sq: within = Obs per group: min = 1 between = avg = 5.5 overall = max = 402 F(7,211990) = corr(u_i, Xb) = Prob > F = educ age age e female black hispanic other _cons sigma_u sigma_e rho (fraction of variance due to u_i) F test that all u_i=0: F(46723, ) = 2.40 Prob > F =

10 Review Questions for Final 2e. Do industries and occupations contribute to the wage gap (ie. different genders and races selecting into different industries and occupations), or is the wage gap amplified when looking within industries or occupations? 2f. Suppose that I claim within industry-occupation-state-year groups, the male-female wage gap is exactly twice as large as the white-black wage gap. Please write this hypothesis, and a suitable alternative. Please derive an estimating equation that allows for one to test this hypothesis. 2g. Write out code that does the following. Within industry-state-year groups, evaluate the differences in the male-female wage gap as a function of having a college degree. Put differently, does having a college degree affect the size/direction of the wage gap? Write out the regression specification you wish to estimate, and the code that will do it (including any variables that you need to generate).

Advanced Econometrics

Advanced Econometrics Advanced Econometrics Instructor: Takashi Yamano 11/14/2003 Due: 11/21/2003 Homework 5 (30 points) Sample Answers 1. (16 points) Read Example 13.4 and an AER paper by Meyer, Viscusi, and Durbin (1995).

More information

The relationship between GDP, labor force and health expenditure in European countries

The relationship between GDP, labor force and health expenditure in European countries Econometrics-Term paper The relationship between GDP, labor force and health expenditure in European countries Student: Nguyen Thu Ha Contents 1. Background:... 2 2. Discussion:... 2 3. Regression equation

More information

Quantitative Techniques Term 2

Quantitative Techniques Term 2 Quantitative Techniques Term 2 Laboratory 7 2 March 2006 Overview The objective of this lab is to: Estimate a cost function for a panel of firms; Calculate returns to scale; Introduce the command cluster

More information

u panel_lecture . sum

u panel_lecture . sum u panel_lecture sum Variable Obs Mean Std Dev Min Max datastre 639 9039644 6369418 900228 926665 year 639 1980 2584012 1976 1984 total_sa 639 9377839 3212313 682 441e+07 tot_fixe 639 5214385 1988422 642

More information

İnsan TUNALI 8 November 2018 Econ 511: Econometrics I. ASSIGNMENT 7 STATA Supplement

İnsan TUNALI 8 November 2018 Econ 511: Econometrics I. ASSIGNMENT 7 STATA Supplement İnsan TUNALI 8 November 2018 Econ 511: Econometrics I ASSIGNMENT 7 STATA Supplement. use "F:\COURSES\GRADS\ECON511\SHARE\wages1.dta", clear. generate =ln(wage). scatter sch Q. Do you see a relationship

More information

Econ 371 Problem Set #4 Answer Sheet. 6.2 This question asks you to use the results from column (1) in the table on page 213.

Econ 371 Problem Set #4 Answer Sheet. 6.2 This question asks you to use the results from column (1) in the table on page 213. Econ 371 Problem Set #4 Answer Sheet 6.2 This question asks you to use the results from column (1) in the table on page 213. a. The first part of this question asks whether workers with college degrees

More information

ECON Introductory Econometrics. Seminar 4. Stock and Watson Chapter 8

ECON Introductory Econometrics. Seminar 4. Stock and Watson Chapter 8 ECON4150 - Introductory Econometrics Seminar 4 Stock and Watson Chapter 8 empirical exercise E8.2: Data 2 In this exercise we use the data set CPS12.dta Each month the Bureau of Labor Statistics in the

More information

Final Exam - section 1. Thursday, December hours, 30 minutes

Final Exam - section 1. Thursday, December hours, 30 minutes Econometrics, ECON312 San Francisco State University Michael Bar Fall 2013 Final Exam - section 1 Thursday, December 19 1 hours, 30 minutes Name: Instructions 1. This is closed book, closed notes exam.

More information

Example 2.3: CEO Salary and Return on Equity. Salary for ROE = 0. Salary for ROE = 30. Example 2.4: Wage and Education

Example 2.3: CEO Salary and Return on Equity. Salary for ROE = 0. Salary for ROE = 30. Example 2.4: Wage and Education 1 Stata Textbook Examples Introductory Econometrics: A Modern Approach by Jeffrey M. Wooldridge (1st & 2d eds.) Chapter 2 - The Simple Regression Model Example 2.3: CEO Salary and Return on Equity summ

More information

Labor Market Returns to Two- and Four- Year Colleges. Paper by Kane and Rouse Replicated by Andreas Kraft

Labor Market Returns to Two- and Four- Year Colleges. Paper by Kane and Rouse Replicated by Andreas Kraft Labor Market Returns to Two- and Four- Year Colleges Paper by Kane and Rouse Replicated by Andreas Kraft Theory Estimating the return to two-year colleges Economic Return to credit hours or sheepskin effects

More information

Your Name (Please print) Did you agree to take the optional portion of the final exam Yes No. Directions

Your Name (Please print) Did you agree to take the optional portion of the final exam Yes No. Directions Your Name (Please print) Did you agree to take the optional portion of the final exam Yes No (Your online answer will be used to verify your response.) Directions There are two parts to the final exam.

More information

Econometrics is. The estimation of relationships suggested by economic theory

Econometrics is. The estimation of relationships suggested by economic theory Econometrics is Econometrics is The estimation of relationships suggested by economic theory Econometrics is The estimation of relationships suggested by economic theory The application of mathematical

More information

CHAPTER 4 ESTIMATES OF RETIREMENT, SOCIAL SECURITY BENEFIT TAKE-UP, AND EARNINGS AFTER AGE 50

CHAPTER 4 ESTIMATES OF RETIREMENT, SOCIAL SECURITY BENEFIT TAKE-UP, AND EARNINGS AFTER AGE 50 CHAPTER 4 ESTIMATES OF RETIREMENT, SOCIAL SECURITY BENEFIT TAKE-UP, AND EARNINGS AFTER AGE 5 I. INTRODUCTION This chapter describes the models that MINT uses to simulate earnings from age 5 to death, retirement

More information

F^3: F tests, Functional Forms and Favorite Coefficient Models

F^3: F tests, Functional Forms and Favorite Coefficient Models F^3: F tests, Functional Forms and Favorite Coefficient Models Favorite coefficient model: otherteams use "nflpricedata Bdta", clear *Favorite coefficient model: otherteams reg rprice pop pop2 rpci wprcnt1

More information

The data definition file provided by the authors is reproduced below: Obs: 1500 home sales in Stockton, CA from Oct 1, 1996 to Nov 30, 1998

The data definition file provided by the authors is reproduced below: Obs: 1500 home sales in Stockton, CA from Oct 1, 1996 to Nov 30, 1998 Economics 312 Sample Project Report Jeffrey Parker Introduction This project is based on Exercise 2.12 on page 81 of the Hill, Griffiths, and Lim text. It examines how the sale price of houses in Stockton,

More information

Technical Documentation for Household Demographics Projection

Technical Documentation for Household Demographics Projection Technical Documentation for Household Demographics Projection REMI Household Forecast is a tool to complement the PI+ demographic model by providing comprehensive forecasts of a variety of household characteristics.

More information

Professor Brad Jones University of Arizona POL 681, SPRING 2004 INTERACTIONS and STATA: Companion To Lecture Notes on Statistical Interactions

Professor Brad Jones University of Arizona POL 681, SPRING 2004 INTERACTIONS and STATA: Companion To Lecture Notes on Statistical Interactions Professor Brad Jones University of Arizona POL 681, SPRING 2004 INTERACTIONS and STATA: Companion To Lecture Notes on Statistical Interactions Preliminaries 1. Basic Regression. reg y x1 Source SS df MS

More information

Dummy variables 9/22/2015. Are wages different across union/nonunion jobs. Treatment Control Y X X i identifies treatment

Dummy variables 9/22/2015. Are wages different across union/nonunion jobs. Treatment Control Y X X i identifies treatment Dummy variables Treatment 22 1 1 Control 3 2 Y Y1 0 1 2 Y X X i identifies treatment 1 1 1 1 1 1 0 0 0 X i =1 if in treatment group X i =0 if in control H o : u n =u u Are wages different across union/nonunion

More information

Heteroskedasticity. . reg wage black exper educ married tenure

Heteroskedasticity. . reg wage black exper educ married tenure Heteroskedasticity. reg Source SS df MS Number of obs = 2,380 -------------+---------------------------------- F(2, 2377) = 72.38 Model 14.4018246 2 7.20091231 Prob > F = 0.0000 Residual 236.470024 2,377.099482551

More information

You created this PDF from an application that is not licensed to print to novapdf printer (http://www.novapdf.com)

You created this PDF from an application that is not licensed to print to novapdf printer (http://www.novapdf.com) Monday October 3 10:11:57 2011 Page 1 (R) / / / / / / / / / / / / Statistics/Data Analysis Education Box and save these files in a local folder. name:

More information

A COMPARATIVE ANALYSIS OF REAL AND PREDICTED INFLATION CONVERGENCE IN CEE COUNTRIES DURING THE ECONOMIC CRISIS

A COMPARATIVE ANALYSIS OF REAL AND PREDICTED INFLATION CONVERGENCE IN CEE COUNTRIES DURING THE ECONOMIC CRISIS A COMPARATIVE ANALYSIS OF REAL AND PREDICTED INFLATION CONVERGENCE IN CEE COUNTRIES DURING THE ECONOMIC CRISIS Mihaela Simionescu * Abstract: The main objective of this study is to make a comparative analysis

More information

[BINARY DEPENDENT VARIABLE ESTIMATION WITH STATA]

[BINARY DEPENDENT VARIABLE ESTIMATION WITH STATA] Tutorial #3 This example uses data in the file 16.09.2011.dta under Tutorial folder. It contains 753 observations from a sample PSID data on the labor force status of married women in the U.S in 1975.

More information

Trade Imbalance and Entrepreneurial Activity: A Quantitative Panel Data Analysis

Trade Imbalance and Entrepreneurial Activity: A Quantitative Panel Data Analysis Scholedge International Journal of Business Policy & Governance ISSN 2394-3351, Vol.04, Issue 11 (2017) Pg 116-123. DOI: 10.19085/journal.sijbpg041101 Published by: Scholedge Publishing www.thescholedge.org

More information

Problem Set 9 Heteroskedasticty Answers

Problem Set 9 Heteroskedasticty Answers Problem Set 9 Heteroskedasticty Answers /* INVESTIGATION OF HETEROSKEDASTICITY */ First graph data. u hetdat2. gra manuf gdp, s([country].) xlab ylab 300000 manufacturing output (US$ miilio 200000 100000

More information

The SAS System 11:03 Monday, November 11,

The SAS System 11:03 Monday, November 11, The SAS System 11:3 Monday, November 11, 213 1 The CONTENTS Procedure Data Set Name BIO.AUTO_PREMIUMS Observations 5 Member Type DATA Variables 3 Engine V9 Indexes Created Monday, November 11, 213 11:4:19

More information

An Examination of the Impact of the Texas Methodist Foundation Clergy Development Program. on the United Methodist Church in Texas

An Examination of the Impact of the Texas Methodist Foundation Clergy Development Program. on the United Methodist Church in Texas An Examination of the Impact of the Texas Methodist Foundation Clergy Development Program on the United Methodist Church in Texas The Texas Methodist Foundation completed its first, two-year Clergy Development

More information

Problem Set 6 ANSWERS

Problem Set 6 ANSWERS Economics 20 Part I. Problem Set 6 ANSWERS Prof. Patricia M. Anderson The first 5 questions are based on the following information: Suppose a researcher is interested in the effect of class attendance

More information

Example 7.1: Hourly Wage Equation Average wage for women

Example 7.1: Hourly Wage Equation Average wage for women 1 Stata Textbook Examples Introductory Econometrics: A Modern Approach by Jeffrey M. Wooldridge (1st & 2nd eds.) Chapter 7 - Multiple Regression Analysis with Qualitative Information: Binary (or Dummy)

More information

Categorical Outcomes. Statistical Modelling in Stata: Categorical Outcomes. R by C Table: Example. Nominal Outcomes. Mark Lunt.

Categorical Outcomes. Statistical Modelling in Stata: Categorical Outcomes. R by C Table: Example. Nominal Outcomes. Mark Lunt. Categorical Outcomes Statistical Modelling in Stata: Categorical Outcomes Mark Lunt Arthritis Research UK Epidemiology Unit University of Manchester Nominal Ordinal 28/11/2017 R by C Table: Example Categorical,

More information

Time series data: Part 2

Time series data: Part 2 Plot of Epsilon over Time -- Case 1 1 Time series data: Part Epsilon - 1 - - - -1 1 51 7 11 1 151 17 Time period Plot of Epsilon over Time -- Case Plot of Epsilon over Time -- Case 3 1 3 1 Epsilon - Epsilon

More information

Handout seminar 6, ECON4150

Handout seminar 6, ECON4150 Handout seminar 6, ECON4150 Herman Kruse March 17, 2013 Introduction - list of commands This week, we need a couple of new commands in order to solve all the problems. hist var1 if var2, options - creates

More information

The Multivariate Regression Model

The Multivariate Regression Model The Multivariate Regression Model Example Determinants of College GPA Sample of 4 Freshman Collect data on College GPA (4.0 scale) Look at importance of ACT Consider the following model CGPA ACT i 0 i

More information

Assignment #5 Solutions: Chapter 14 Q1.

Assignment #5 Solutions: Chapter 14 Q1. Assignment #5 Solutions: Chapter 14 Q1. a. R 2 is.037 and the adjusted R 2 is.033. The adjusted R 2 value becomes particularly important when there are many independent variables in a multiple regression

More information

AN EMPIRICAL ANALYSIS OF THE RELATIONSHIP BETWEEN FOREIGN TRADE AND ECONOMIC GROWTH IN CENTRAL AFRICA

AN EMPIRICAL ANALYSIS OF THE RELATIONSHIP BETWEEN FOREIGN TRADE AND ECONOMIC GROWTH IN CENTRAL AFRICA AN EMPIRICAL ANALYSIS OF THE RELATIONSHIP BETWEEN FOREIGN TRADE AND ECONOMIC GROWTH IN CENTRAL AFRICA 1 HUSSAINA ABDULLAHI YARIMA, 2 SHUAIBU SIDI SAFIYANU 1,2 (b.sc & m.sc econs) Department Of General

More information

EC327: Limited Dependent Variables and Sample Selection Binomial probit: probit

EC327: Limited Dependent Variables and Sample Selection Binomial probit: probit EC327: Limited Dependent Variables and Sample Selection Binomial probit: probit. summarize work age married children education Variable Obs Mean Std. Dev. Min Max work 2000.6715.4697852 0 1 age 2000 36.208

More information

tm / / / / / / / / / / / / Statistics/Data Analysis User: Klick Project: Limited Dependent Variables{space -6}

tm / / / / / / / / / / / / Statistics/Data Analysis User: Klick Project: Limited Dependent Variables{space -6} PS 4 Monday August 16 01:00:42 2010 Page 1 tm / / / / / / / / / / / / Statistics/Data Analysis User: Klick Project: Limited Dependent Variables{space -6} log: C:\web\PS4log.smcl log type: smcl opened on:

More information

Effect of Health Expenditure on GDP, a Panel Study Based on Pakistan, China, India and Bangladesh

Effect of Health Expenditure on GDP, a Panel Study Based on Pakistan, China, India and Bangladesh International Journal of Health Economics and Policy 2017; 2(2): 57-62 http://www.sciencepublishinggroup.com/j/hep doi: 10.11648/j.hep.20170202.13 Effect of Health Expenditure on GDP, a Panel Study Based

More information

Impact of Household Income on Poverty Levels

Impact of Household Income on Poverty Levels Impact of Household Income on Poverty Levels ECON 3161 Econometrics, Fall 2015 Prof. Shatakshee Dhongde Group 8 Annie Strothmann Anne Marsh Samuel Brown Abstract: The relationship between poverty and household

More information

Solutions for Session 5: Linear Models

Solutions for Session 5: Linear Models Solutions for Session 5: Linear Models 30/10/2018. do solution.do. global basedir http://personalpages.manchester.ac.uk/staff/mark.lunt. global datadir $basedir/stats/5_linearmodels1/data. use $datadir/anscombe.

More information

Examination of State Lotteries

Examination of State Lotteries Examination of State Lotteries Allie Hemmings Econ 312 Final Project Introduction: In this project I used panel data of state lotteries, state finances, and state demographics to predict a model for the

More information

sociology SO5032 Quantitative Research Methods Brendan Halpin, Sociology, University of Limerick Spring 2018 SO5032 Quantitative Research Methods

sociology SO5032 Quantitative Research Methods Brendan Halpin, Sociology, University of Limerick Spring 2018 SO5032 Quantitative Research Methods 1 SO5032 Quantitative Research Methods Brendan Halpin, Sociology, University of Limerick Spring 2018 Lecture 10: Multinomial regression baseline category extension of binary What if we have multiple possible

More information

Cameron ECON 132 (Health Economics): FIRST MIDTERM EXAM (A) Fall 17

Cameron ECON 132 (Health Economics): FIRST MIDTERM EXAM (A) Fall 17 Cameron ECON 132 (Health Economics): FIRST MIDTERM EXAM (A) Fall 17 Answer all questions in the space provided on the exam. Total of 36 points (and worth 22.5% of final grade). Read each question carefully,

More information

*1A. Basic Descriptive Statistics sum housereg drive elecbill affidavit witness adddoc income male age literacy educ occup cityyears if control==1

*1A. Basic Descriptive Statistics sum housereg drive elecbill affidavit witness adddoc income male age literacy educ occup cityyears if control==1 *1A Basic Descriptive Statistics sum housereg drive elecbill affidavit witness adddoc income male age literacy educ occup cityyears if control==1 Variable Obs Mean Std Dev Min Max --- housereg 21 2380952

More information

Cross-country comparison using the ECHP Descriptive statistics and Simple Models. Cheti Nicoletti Institute for Social and Economic Research

Cross-country comparison using the ECHP Descriptive statistics and Simple Models. Cheti Nicoletti Institute for Social and Economic Research Cross-country comparison using the ECHP Descriptive statistics and Simple Models Cheti Nicoletti Institute for Social and Economic Research Comparing income variables across countries Income variables

More information

Model fit assessment via marginal model plots

Model fit assessment via marginal model plots The Stata Journal (2010) 10, Number 2, pp. 215 225 Model fit assessment via marginal model plots Charles Lindsey Texas A & M University Department of Statistics College Station, TX lindseyc@stat.tamu.edu

More information

Violent Conflict and Foreign Direct Investment in Developing Economies: A Panel Data Analysis

Violent Conflict and Foreign Direct Investment in Developing Economies: A Panel Data Analysis Violent Conflict and Foreign Direct Investment in Developing Economies: A Panel Data Analysis Brendan Pierpont Introduction to Econometrics Professor Gary Krueger Macalester College December 2005 Abstract

More information

Don t worry one bit about multicollinearity, because at the end of the day, you're going to be working with a favorite coefficient model.

Don t worry one bit about multicollinearity, because at the end of the day, you're going to be working with a favorite coefficient model. In theory, you might think that dummy variables would facilitate a simple and compelling test for bias or discrimination. For example, suppose you wanted to test for gender bias in pay. It's really very

More information

Housing Prices, Macroeconomic Variables and Corruption Index in ASEAN

Housing Prices, Macroeconomic Variables and Corruption Index in ASEAN 2016, TextRoad Publication ISSN: 2090-4274 Journal of Applied Environmental and Biological Sciences www.textroad.com Housing Prices, Macroeconomic Variables and Corruption Index in ASEAN Nur Hayyu Shaari,

More information

Example 8.1: Log Wage Equation with Heteroscedasticity-Robust Standard Errors

Example 8.1: Log Wage Equation with Heteroscedasticity-Robust Standard Errors 1 Stata Textbook Examples Introductory Econometrics: A Modern Approach by Jeffrey M. Wooldridge (1st & 2nd eds.) Chapter 8 - Heteroskedasticity Example 8.1: Log Wage Equation with Heteroscedasticity-Robust

More information

Two-stage least squares examples. Angrist: Vietnam Draft Lottery Men, Cohorts. Vietnam era service

Two-stage least squares examples. Angrist: Vietnam Draft Lottery Men, Cohorts. Vietnam era service Two-stage least squares examples Angrist: Vietnam Draft Lottery 1 2 Vietnam era service 1980 Men, 1940-1952 Cohorts Defined as 1964-1975 Estimated 8.7 million served during era 3.4 million were in SE Asia

More information

Effect of Education on Wage Earning

Effect of Education on Wage Earning Effect of Education on Wage Earning Group Members: Quentin Talley, Thomas Wang, Geoff Zaski Abstract The scope of this project includes individuals aged 18-65 who finished their education and do not have

More information

GGraph. Males Only. Premium. Experience. GGraph. Gender. 1 0: R 2 Linear = : R 2 Linear = Page 1

GGraph. Males Only. Premium. Experience. GGraph. Gender. 1 0: R 2 Linear = : R 2 Linear = Page 1 GGraph 9 Gender : R Linear =.43 : R Linear =.769 8 7 6 5 4 3 5 5 Males Only GGraph Page R Linear =.43 R Loess 9 8 7 6 5 4 5 5 Explore Case Processing Summary Cases Valid Missing Total N Percent N Percent

More information

FIGURE I.1 / Per Capita Gross Domestic Product and Unemployment Rates. Year

FIGURE I.1 / Per Capita Gross Domestic Product and Unemployment Rates. Year FIGURE I.1 / Per Capita Gross Domestic Product and Unemployment Rates 40,000 12 Real GDP per Capita (Chained 2000 Dollars) 35,000 30,000 25,000 20,000 15,000 10,000 5,000 Real GDP per Capita Unemployment

More information

Allison notes there are two conditions for using fixed effects methods.

Allison notes there are two conditions for using fixed effects methods. Panel Data 3: Conditional Logit/ Fixed Effects Logit Models Richard Williams, University of Notre Dame, http://www3.nd.edu/~rwilliam/ Last revised April 2, 2017 These notes borrow very heavily, sometimes

More information

1) The Effect of Recent Tax Changes on Taxable Income

1) The Effect of Recent Tax Changes on Taxable Income 1) The Effect of Recent Tax Changes on Taxable Income In the most recent issue of the Journal of Policy Analysis and Management, Bradley Heim published a paper called The Effect of Recent Tax Changes on

More information

The impact of cigarette excise taxes on beer consumption

The impact of cigarette excise taxes on beer consumption The impact of cigarette excise taxes on beer consumption Jeremy Cluchey Frank DiSilvestro PPS 313 18 April 2008 ABSTRACT This study attempts to determine what if any impact a state s decision to increase

More information

Chapter 11 Part 6. Correlation Continued. LOWESS Regression

Chapter 11 Part 6. Correlation Continued. LOWESS Regression Chapter 11 Part 6 Correlation Continued LOWESS Regression February 17, 2009 Goal: To review the properties of the correlation coefficient. To introduce you to the various tools that can be used to decide

More information

Modeling wages of females in the UK

Modeling wages of females in the UK International Journal of Business and Social Science Vol. 2 No. 11 [Special Issue - June 2011] Modeling wages of females in the UK Saadia Irfan NUST Business School National University of Sciences and

More information

Table 4. Probit model of union membership. Probit coefficients are presented below. Data from March 2008 Current Population Survey.

Table 4. Probit model of union membership. Probit coefficients are presented below. Data from March 2008 Current Population Survey. 1. Using a probit model and data from the 2008 March Current Population Survey, I estimated a probit model of the determinants of pension coverage. Three specifications were estimated. The first included

More information

International Journal of Multidisciplinary Consortium

International Journal of Multidisciplinary Consortium Impact of Capital Structure on Firm Performance: Analysis of Food Sector Listed on Karachi Stock Exchange By Amara, Lecturer Finance, Management Sciences Department, Virtual University of Pakistan, amara@vu.edu.pk

More information

Recruiting and Retaining High-quality State and Local Workers: Do Pensions Matter?

Recruiting and Retaining High-quality State and Local Workers: Do Pensions Matter? Recruiting and Retaining High-quality State and Local Workers: Do Pensions Matter? Geoffrey Sanzenbacher Research Economist Center for Retirement Research at Boston College National Tax Association Annual

More information

Religion and Volunteerism

Religion and Volunteerism Religion and Volunteerism Abstract This paper uses a standard Tobit to explore the effects of religion on volunteerism. It analyzes cross-sectional data from a representative sample of about 3,000 American

More information

Testing the Solow Growth Theory

Testing the Solow Growth Theory Testing the Solow Growth Theory Dilip Mookherjee Ec320 Lecture 5, Boston University Sept 16, 2014 DM (BU) 320 Lect 5 Sept 16, 2014 1 / 1 EMPIRICAL PREDICTIONS OF SOLOW MODEL WITH TECHNICAL PROGRESS 1.

More information

. ********** OUTPUT FILE: CARD & KRUEGER (1994)***********.. * STATA 10.0 CODE. * copyright C 2008 by Tito Boeri & Jan van Ours. * "THE ECONOMICS OF

. ********** OUTPUT FILE: CARD & KRUEGER (1994)***********.. * STATA 10.0 CODE. * copyright C 2008 by Tito Boeri & Jan van Ours. * THE ECONOMICS OF ********** OUTPUT FILE: CARD & KRUEGER (1994)*********** * STATA 100 CODE * copyright C 2008 by Tito Boeri & Jan van Ours * "THE ECONOMICS OF IMPERFECT LABOR MARKETS" * by Tito Boeri & Jan van Ours (2008)

More information

Chapter 6 Part 3 October 21, Bootstrapping

Chapter 6 Part 3 October 21, Bootstrapping Chapter 6 Part 3 October 21, 2008 Bootstrapping From the internet: The bootstrap involves repeated re-estimation of a parameter using random samples with replacement from the original data. Because the

More information

Advanced Industrial Organization I Identi cation of Demand Functions

Advanced Industrial Organization I Identi cation of Demand Functions Advanced Industrial Organization I Identi cation of Demand Functions Måns Söderbom, University of Gothenburg January 25, 2011 1 1 Introduction This is primarily an empirical lecture in which I will discuss

More information

FOREIGN CURRENCY DERIVATIES AND CORPORATE VALUE: EVIDENCE FROM CHINA

FOREIGN CURRENCY DERIVATIES AND CORPORATE VALUE: EVIDENCE FROM CHINA FOREIGN CURRENCY DERIVATIES AND CORPORATE VALUE: EVIDENCE FROM CHINA Robin Hang Luo ALHOSN University, UAE ABSTRACT Chinese Yuan, also known as Renminbi (RMB), has been appreciating more than 30% against

More information

The Impact of Aid on the Economic Growth of Developing Countries (LDCs) in Sub-Saharan Africa

The Impact of Aid on the Economic Growth of Developing Countries (LDCs) in Sub-Saharan Africa Gettysburg Economic Review Volume 10 Article 4 2017 The Impact of Aid on the Economic Growth of Developing Countries (LDCs) in Sub-Saharan Africa Maurice W. Phiri Gettysburg College Class of 2017 Follow

More information

Final Exam, section 1. Thursday, May hour, 30 minutes

Final Exam, section 1. Thursday, May hour, 30 minutes San Francisco State University Michael Bar ECON 312 Spring 2018 Final Exam, section 1 Thursday, May 17 1 hour, 30 minutes Name: Instructions 1. This is closed book, closed notes exam. 2. You can use one

More information

An analysis of the relationship between economic development and demographic characteristics in the United States

An analysis of the relationship between economic development and demographic characteristics in the United States University of Central Florida HIM 1990-2015 Open Access An analysis of the relationship between economic development and demographic characteristics in the United States 2011 Chad M. Heyne University of

More information

Sean Howard Econometrics Final Project Paper. An Analysis of the Determinants and Factors of Physical Education Attendance in the Fourth Quarter

Sean Howard Econometrics Final Project Paper. An Analysis of the Determinants and Factors of Physical Education Attendance in the Fourth Quarter Sean Howard Econometrics Final Project Paper An Analysis of the Determinants and Factors of Physical Education Attendance in the Fourth Quarter Introduction This project attempted to gain a more complete

More information

Relation between Income Inequality and Economic Growth

Relation between Income Inequality and Economic Growth Relation between Income Inequality and Economic Growth Ibrahim Alsaffar, Robert Eisenhardt, Hanjin Kim Georgia Institute of Technology ECON 3161: Econometric Analysis Dr. Shatakshee Dhongde Fall 2018 Abstract

More information

Impact of Stock Market, Trade and Bank on Economic Growth for Latin American Countries: An Econometrics Approach

Impact of Stock Market, Trade and Bank on Economic Growth for Latin American Countries: An Econometrics Approach Science Journal of Applied Mathematics and Statistics 2018; 6(1): 1-6 http://www.sciencepublishinggroup.com/j/sjams doi: 10.11648/j.sjams.20180601.11 ISSN: 2376-9491 (Print); ISSN: 2376-9513 (Online) Impact

More information

Impact of Minimum Wage and Government Ideology on Unemployment Rates: The Case of Post-Communist Romania

Impact of Minimum Wage and Government Ideology on Unemployment Rates: The Case of Post-Communist Romania International Journal of Humanities and Social Science Vol. 2 No. 1; January 2012 Impact of Minimum Wage and Government Ideology on Unemployment Rates: The Case of Post-Communist Romania Abstract Bogdan

More information

Module 9: Single-level and Multilevel Models for Ordinal Responses. Stata Practical 1

Module 9: Single-level and Multilevel Models for Ordinal Responses. Stata Practical 1 Module 9: Single-level and Multilevel Models for Ordinal Responses Pre-requisites Modules 5, 6 and 7 Stata Practical 1 George Leckie, Tim Morris & Fiona Steele Centre for Multilevel Modelling If you find

More information

Online Appendix Not For Publication

Online Appendix Not For Publication Online Appendix Not For Publication 1 Further Model Details 1.1 Unemployment Insurance We assume that unemployment benefits are paid only for the quarter immediately following job destruction. Unemployment

More information

STATA log file for Time-Varying Covariates (TVC) Duration Model Estimations.

STATA log file for Time-Varying Covariates (TVC) Duration Model Estimations. STATA log file for Time-Varying Covariates (TVC) Duration Model Estimations. This STATA 8.0 log file reports estimations in which CDER Staff Aggregates and PDUFA variable are assigned to drug-months of

More information

Sociology Exam 3 Answer Key - DRAFT May 8, 2007

Sociology Exam 3 Answer Key - DRAFT May 8, 2007 Sociology 63993 Exam 3 Answer Key - DRAFT May 8, 2007 I. True-False. (20 points) Indicate whether the following statements are true or false. If false, briefly explain why. 1. The odds of an event occurring

More information

Question 1a 1b 1c 1d 1e 1f 2a 2b 2c 2d 3a 3b 3c 3d M ult:choice Points

Question 1a 1b 1c 1d 1e 1f 2a 2b 2c 2d 3a 3b 3c 3d M ult:choice Points Economics 102: Analysis of Economic Data Cameron Spring 2015 April 23 Department of Economics, U.C.-Davis First Midterm Exam (Version A) Compulsory. Closed book. Total of 30 points and worth 22.5% of course

More information

Testing Capital Asset Pricing Model on KSE Stocks Salman Ahmed Shaikh

Testing Capital Asset Pricing Model on KSE Stocks Salman Ahmed Shaikh Abstract Capital Asset Pricing Model (CAPM) is one of the first asset pricing models to be applied in security valuation. It has had its share of criticism, both empirical and theoretical; however, with

More information

Does Globalization Improve Quality of Life?

Does Globalization Improve Quality of Life? University of Tennessee, Knoxville Trace: Tennessee Research and Creative Exchange University of Tennessee Honors Thesis Projects University of Tennessee Honors Program 5-2017 Does Globalization Improve

More information

Keywords: Capital structure, Profitability, Performance analysis.

Keywords: Capital structure, Profitability, Performance analysis. Impact of Capital Structure on Profitability: A Comparative Study of Cement &Automobile Sector of Pakistan Adnan Ali, Amir Ullah, Pir Qasim Shah, Naveed Shehzad and Wasiq Nawab Abstract This study aims

More information

Dummy Variables. 1. Example: Factors Affecting Monthly Earnings

Dummy Variables. 1. Example: Factors Affecting Monthly Earnings Dummy Variables A dummy variable or binary variable is a variable that takes on a value of 0 or 1 as an indicator that the observation has some kind of characteristic. Common examples: Sex (female): FEMALE=1

More information

M. Candasamy. KPMG Mauritius - Advisory, Mauritius. Bhavish Jugurnath. University of Mauritius, Moka, Mauritius

M. Candasamy. KPMG Mauritius - Advisory, Mauritius. Bhavish Jugurnath. University of Mauritius, Moka, Mauritius Journal of Modern Accounting and Auditing, November 2015, Vol. 11, No. 11, 581-595 doi: 10.17265/1548-6583/2015.11.003 D DAVID PUBLISHING An Empirical Analysis of the Determinants of the Performance of

More information

CHAPTER 2 ESTIMATION AND PROJECTION OF LIFETIME EARNINGS

CHAPTER 2 ESTIMATION AND PROJECTION OF LIFETIME EARNINGS CHAPTER 2 ESTIMATION AND PROJECTION OF LIFETIME EARNINGS ABSTRACT This chapter describes the estimation and prediction of age-earnings profiles for American men and women born between 1931 and 1960. The

More information

Are Old Age Workers Out of Luck? An Empirical Study of the U.S. Labor Market. Keith Brian Kline II Sreenath Majumder, PhD March 16, 2015

Are Old Age Workers Out of Luck? An Empirical Study of the U.S. Labor Market. Keith Brian Kline II Sreenath Majumder, PhD March 16, 2015 Are Old Age Workers Out of Luck? An Empirical Study of the U.S. Labor Market Keith Brian Kline II Sreenath Majumder, PhD March 16, 2015 Are Old Age Workers Out of Luck? An Empirical Study of the U.S. Labor

More information

The Impact of a $15 Minimum Wage on Hunger in America

The Impact of a $15 Minimum Wage on Hunger in America The Impact of a $15 Minimum Wage on Hunger in America Appendix A: Theoretical Model SEPTEMBER 1, 2016 WILLIAM M. RODGERS III Since I only observe the outcome of whether the household nutritional level

More information

Percentage of foreclosures in the area is the ratio between the monthly foreclosures and the number of outstanding home-related loans in the Zip code

Percentage of foreclosures in the area is the ratio between the monthly foreclosures and the number of outstanding home-related loans in the Zip code Data Appendix A. Survey design In this paper we use 8 waves of the FTIS - the Chicago Booth Kellogg School Financial Trust Index survey (see http://financialtrustindex.org). The FTIS is 1,000 interviews,

More information

Logistic Regression Analysis

Logistic Regression Analysis Revised July 2018 Logistic Regression Analysis This set of notes shows how to use Stata to estimate a logistic regression equation. It assumes that you have set Stata up on your computer (see the Getting

More information

Review questions for Multinomial Logit/Probit, Tobit, Heckit, Quantile Regressions

Review questions for Multinomial Logit/Probit, Tobit, Heckit, Quantile Regressions 1. I estimated a multinomial logit model of employment behavior using data from the 2006 Current Population Survey. The three possible outcomes for a person are employed (outcome=1), unemployed (outcome=2)

More information

SAS Simple Linear Regression Example

SAS Simple Linear Regression Example SAS Simple Linear Regression Example This handout gives examples of how to use SAS to generate a simple linear regression plot, check the correlation between two variables, fit a simple linear regression

More information

ECON Introductory Econometrics Seminar 2, 2015

ECON Introductory Econometrics Seminar 2, 2015 ECON4150 - Introductory Econometrics Seminar 2, 2015 Stock and Watson EE4.1, EE5.2 Stock and Watson EE4.1, EE5.2 ECON4150 - Introductory Econometrics Seminar 2, 2015 1 / 14 Seminar 2 Author: Andrea University

More information

EQUITY FORMATION AND FINANCIAL PERFORMANCE OF LISTED DEPOSIT MONEY BANKS IN NIGERIA

EQUITY FORMATION AND FINANCIAL PERFORMANCE OF LISTED DEPOSIT MONEY BANKS IN NIGERIA EQUITY FORMATION AND FINANCIAL PERFORMANCE OF LISTED DEPOSIT MONEY BANKS IN NIGERIA Dr. Gugong, Benjamin Kumai Department of Accounting, Faculty of Social and Management Science Kaduna State University

More information

Ownership structure and corporate performance: evidence from China

Ownership structure and corporate performance: evidence from China Name: Kaiyun Zhang Student number: 10044965/6262856 Track: Economics and Finance Supervisor: Liting Zhou Ownership structure and corporate performance: evidence from China Abstract This paper examines

More information

Analysis on Factors that Affect Stock Prices: A Study on Listed Cement Companies at Dhaka Stock Exchange

Analysis on Factors that Affect Stock Prices: A Study on Listed Cement Companies at Dhaka Stock Exchange Analysis on Factors that Affect Stock Prices: A Study on Listed Cement Companies at Dhaka Stock Exchange Abstract Shafiqul Alam 1 * Md. Rubel Miah 2 and Md. Abdul Karim 3 1. Assistant Professor, Department

More information

11/28/2018. Overview. Multiple Linear Regression Analysis. Multiple regression. Multiple regression. Multiple regression. Multiple regression

11/28/2018. Overview. Multiple Linear Regression Analysis. Multiple regression. Multiple regression. Multiple regression. Multiple regression Multiple Linear Regression Analysis BSAD 30 Dave Novak Fall 208 Source: Ragsdale, 208 Spreadsheet Modeling and Decision Analysis 8 th edition 207 Cengage Learning 2 Overview Last class we considered the

More information

STATA Program for OLS cps87_or.do

STATA Program for OLS cps87_or.do STATA Program for OLS cps87_or.do * the data for this project is a small subsample; * of full time (30 or more hours) male workers; * aged 21-64 from the out going rotation; * samples of the 1987 current

More information

Limited Dependent Variables

Limited Dependent Variables Limited Dependent Variables Christopher F Baum Boston College and DIW Berlin Birmingham Business School, March 2013 Christopher F Baum (BC / DIW) Limited Dependent Variables BBS 2013 1 / 47 Limited dependent

More information

Internet Appendix. The survey data relies on a sample of Italian clients of a large Italian bank. The survey,

Internet Appendix. The survey data relies on a sample of Italian clients of a large Italian bank. The survey, Internet Appendix A1. The 2007 survey The survey data relies on a sample of Italian clients of a large Italian bank. The survey, conducted between June and September 2007, provides detailed financial and

More information

A New Look at Technical Progress and Early Retirement

A New Look at Technical Progress and Early Retirement A New Look at Technical Progress and Early Retirement Lorenzo Burlon* Bank of Italy Montserrat Vilalta-Bufí University of Barcelona IZA/RIETI Workshop Changing Demographics and the Labor Market May 25,

More information