INSTITUTE AND FACULTY OF ACTUARIES CURRICULUM 2019 SPECIMEN SOLUTIONS. Subject CS1B Actuarial Statistics

Size: px
Start display at page:

Download "INSTITUTE AND FACULTY OF ACTUARIES CURRICULUM 2019 SPECIMEN SOLUTIONS. Subject CS1B Actuarial Statistics"

Transcription

1 INSTITUTE AND FACULTY OF ACTUARIES CURRICULUM 2019 SPECIMEN SOLUTIONS Subject CS1B Actuarial Statistics

2 Question 1 (i) # Data entry before <- c(155, 152, 146, 153, 146, 160, 139, 148) after <- c(145, 147, 123, 137, 141, 142, 140, 138) # define x as the pair-wise differences of the study's results x <- before - after # define and calculate intermediate variables mx <- mean(x) sdx <- sd(x) nx <- length(x) alpha <- 0.1 # (the confidence level) t_quantile <- qt(p = alpha / 2, # two-sided interval need to divide alpha by 2 df = nx - 1, lower.tail = FALSE) # gives upper tail i.e. P(X > x) # assuming x follows a normal distribution with unknown variance: c_int <- c(mx - t_quantile * sdx / sqrt(nx), mx + t_quantile * sdx / sqrt(nx)) c_int [1] ALTERNATIVE SOLUTIONS Using the t.test function t.test(x = before - after, conf.level = 0.9) One Sample t-test data: before - after t = , df = 7, p-value = alternative hypothesis: true mean is not equal to 0 90 percent confidence interval: sample estimates: mean of x Restricting function output to only return the required confidence interval t.test(x = before - after, conf.level = 0.9)$conf.int [1] attr(,"conf.level") [1] 0.9 Using the Paired t-test functionality of the t.test function t.test(x = before, y = after, paired = TRUE, conf.level = 0.9)

3 Paired t-test data: before and after t = , df = 7, p-value = alternative hypothesis: true difference in means is not equal to 0 90 percent confidence interval: sample estimates: mean of the differences [8] (ii) # define and calculate intermediate values mu <- 10 t_stat <- (mx - mu) / (sdx / sqrt(nx)) pval <- pt(t_stat, df = nx - 1, lower.tail = FALSE) pval [1] With p-value of we do not reject the null hypothesis at 0.01 significance level ALTERNATIVE SOLUTIONS Using the t.test function which also returns the p-value t.test(x = before - after, alternative = "greater", mu = 10, conf.level = 0.99) One Sample t-test data: before - after t = , df = 7, p-value = alternative hypothesis: true mean is greater than percent confidence interval: Inf sample estimates: mean of x Restrict the t.test function ouptut to only include the p-value t.test(x = before - after, alternative = "greater", mu = 10, conf.level = 0.99)$p.value [1] Using the Paired t-test functionality of the t.test function t.test(x = before, y = after, paired = TRUE, alternative = "greater", mu = 10,

4 conf.level = 0.99) Paired t-test data: before and after t = , df = 7, p-value = alternative hypothesis: true difference in means is greater than percent confidence interval: Inf sample estimates: mean of the differences [7] [Total 15] Question 2 (i) (a) Posterior mean given as Z*x + (1-Z)*alpha/beta where alpha/beta is the prior (gamma) mean of λ. {2} M = 1000 alpha = 100 beta = 1 Z = 1/(beta+1) pm = X = numeric(m) for(m in 1:M){ lam = rgamma(1,shape=alpha,rate=beta) x = rpois(1,lam) X[m] = x pm[m] = Z*x + (1-Z)*alpha/beta } {10} (b) hist(pm,main="histogram of posterior means", xlab="posterior mean",ylab="frequency")

5 {3} [15] (ii) (a) round(mean(pm),3) round(var(pm),3) (b) MC mean and variance of posterior mean estimates: , {2} mg = numeric(m) for(m in 1:M){ lam = rgamma(1,shape=alpha,rate=beta) x = rpois(1,lam) y = rgamma(1000,shape=alpha+x, rate=beta+1) mg[m] = mean(y) } round(mean(mg),3) round(var(mg),3) MC mean and variance of posterior from Gamma samples: , {10} [12] Note that this solution to part (ii) uses a new set of Monte Carlo repetitions. This is not necessary, and full credit can be given for combining parts (i) and (ii) in a single exercise. Clearly the precise numerical values for the means and variances will differ from implementation to implementation.

6 (iii) The similarity of the Monte Carlo estimates of the mean and variance and those from the Gamma(α + xx, β + 1) sample demonstrates that the posterior Distribution for the Poisson/Gamma credibility model is the Gamma(α + xx, β + 1). [3] [Total 30] Question 3 (i) All values are positive integer with some values more than 1, so use Poisson distribution as error structure. [5] (ii) model <- glm(formula = Claim.number ~ Age + factor(car.group) + Area + factor(ncd) + Gender, data = datatrain, family = poisson()) summary(model) Deviance Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error z value Pr(> z ) (Intercept) e-14 *** Age e-11 *** factor(car.group) factor(car.group) factor(car.group) factor(car.group) * factor(car.group) *** factor(car.group) factor(car.group) *** factor(car.group) *** factor(car.group) *** factor(car.group) ** factor(car.group) e-05 *** factor(car.group) e-05 *** factor(car.group) e-06 *** factor(car.group) e-06 *** factor(car.group) e-05 *** factor(car.group) e-06 *** factor(car.group) e-07 *** factor(car.group) e-09 *** factor(car.group) e-08 *** AreaEast Midlands AreaLondon * AreaNI ** AreaNorth East AreaNorth West AreaSouth East * AreaSouth West AreaWales * AreaWest Midlands AreaYorkshire and the Humber factor(ncd) e-07 *** factor(ncd) e-14 *** factor(ncd) < 2e-16 ***

7 factor(ncd) < 2e-16 *** factor(ncd) < 2e-16 *** GenderMale e-05 *** --- Signif. codes: 0 *** ** 0.01 * (Dispersion parameter for poisson family taken to be 1) Null deviance: on 7999 degrees of freedom Residual deviance: on 7963 degrees of freedom AIC: [10] (iii) Male policyholders have higher mean of reported claims (by exp( ) 1 = 29.7%) than female policyholders. The difference is significant (p-value = 6.14e-5). [10] (iv) Compare to Null model; the deviance is reduced by while the degrees of freedom reduce by 36. The observed difference in deviance (484.3) is very high compared to the values of the χχ 2 36 distribution, so the fitted model is significant/good (alternatively, 2 compare the deviance of the fitted model (4085.6) to the χχ 7963 distribution.) [10] (v) (a) datatrain$age2= datatrain$age^2 {2} (b) model1 <- glm(formula = Claim.number ~ Age + Age2 + factor(car.group) + Area + factor(ncd) + Gender, data = datatrain, family = poisson()) summary(model1) Deviance Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error z value Pr(> z ) (Intercept) e e Age e e < 2e-16 *** Age e e < 2e-16 *** factor(car.group) e e factor(car.group) e e factor(car.group) e e factor(car.group) e e * factor(car.group) e e *** factor(car.group) e e factor(car.group) e e *** factor(car.group) e e *** factor(car.group) e e *** factor(car.group) e e ** factor(car.group) e e e-05 *** factor(car.group) e e *** factor(car.group) e e e-06 *** factor(car.group) e e e-06 *** factor(car.group) e e e-05 ***

8 factor(car.group) e e e-06 *** factor(car.group) e e e-07 *** factor(car.group) e e e-09 *** factor(car.group) e e e-08 *** AreaEast Midlands 9.654e e AreaLondon 3.190e e * AreaNI 3.837e e ** AreaNorth East e e AreaNorth West e e AreaSouth East e e * AreaSouth West e e AreaWales e e * AreaWest Midlands e e AreaYorkshire and the Humber 1.060e e factor(ncd) e e e-07 *** factor(ncd) e e e-13 *** factor(ncd) e e < 2e-16 *** factor(ncd) e e < 2e-16 *** factor(ncd) e e < 2e-16 *** GenderMale 2.657e e e-05 *** --- Signif. codes: 0 *** ** 0.01 * (Dispersion parameter for poisson family taken to be 1) Null deviance: on 7999 degrees of freedom Residual deviance: on 7962 degrees of freedom AIC: {12} (c) The p-value of the age squared coefficient shows that it is significant. Also, the deviance is reduced more than twice the change in degrees of freedom. So the variable is significantly associated with the number of reported claims. {6} [20] [Total 55] END OF MARKING SCHEDULE

Comparing R print-outs from LM, GLM, LMM and GLMM

Comparing R print-outs from LM, GLM, LMM and GLMM 3. Inference: interpretation of results, plotting results, confidence intervals, hypothesis tests (Wald,LRT). 4. Asymptotic distribution of maximum likelihood estimators and tests. 5. Checking the adequacy

More information

Poisson GLM, Cox PH, & degrees of freedom

Poisson GLM, Cox PH, & degrees of freedom Poisson GLM, Cox PH, & degrees of freedom Michael C. Donohue Alzheimer s Therapeutic Research Institute Keck School of Medicine University of Southern California December 13, 2017 1 Introduction We discuss

More information

wine 1 wine 2 wine 3 person person person person person

wine 1 wine 2 wine 3 person person person person person 1. A trendy wine bar set up an experiment to evaluate the quality of 3 different wines. Five fine connoisseurs of wine were asked to taste each of the wine and give it a rating between 0 and 10. The order

More information

The R survey package used in these examples is version 3.22 and was run under R v2.7 on a PC.

The R survey package used in these examples is version 3.22 and was run under R v2.7 on a PC. CHAPTER 7 ANALYSIS EXAMPLES REPLICATION-R SURVEY PACKAGE 3.22 GENERAL NOTES ABOUT ANALYSIS EXAMPLES REPLICATION These examples are intended to provide guidance on how to use the commands/procedures for

More information

Missing Data Treatments

Missing Data Treatments Missing Data Treatments Lindsey Perry EDU7312: Spring 2012 Presentation Outline Types of Missing Data Listwise Deletion Pairwise Deletion Single Imputation Methods Mean Imputation Hot Deck Imputation Multiple

More information

Faculty of Science FINAL EXAMINATION MATH-523B Generalized Linear Models

Faculty of Science FINAL EXAMINATION MATH-523B Generalized Linear Models Faculty of Science FINAL EXAMINATION MATH-523B Generalized Linear Models Examiner: Professor K.J. Worsley Associate Examiner: Professor A. Vandal Date: Tuesday, April 20, 2004 Time: 14:00-17:00 hours INSTRUCTIONS:

More information

Summary of Main Points

Summary of Main Points 1 Model Selection in Logistic Regression Summary of Main Points Recall that the two main objectives of regression modeling are: Estimate the effect of one or more covariates while adjusting for the possible

More information

> Y=degre=="deces" > table(y) Y FALSE TRUE

> Y=degre==deces > table(y) Y FALSE TRUE - PARTIE 0 - > preambule=read.table( + "http://freakonometrics.free.fr/preambule.csv",header=true,sep=";") > table(preambule$y) 0 1 2 3 4 5 6 45 133 160 101 51 8 2 > reg0=glm(y/n~1,family="binomial",weights=n,data=preambule)

More information

Business Statistics /82 Spring 2011 Booth School of Business The University of Chicago Final Exam

Business Statistics /82 Spring 2011 Booth School of Business The University of Chicago Final Exam Business Statistics 41000-81/82 Spring 2011 Booth School of Business The University of Chicago Final Exam Name You may use a calculator and two cheat sheets. You have 3 hours. I pledge my honor that I

More information

PSYC 6140 November 16, 2005 ANOVA output in R

PSYC 6140 November 16, 2005 ANOVA output in R PSYC 6140 November 16, 2005 ANOVA output in R Type I, Type II and Type III Sums of Squares are displayed in ANOVA tables in a mumber of packages. The car library in R makes these available in R. This handout

More information

Online Appendix to. Are Two heads Better Than One: Team versus Individual Play in Signaling Games. David C. Cooper and John H.

Online Appendix to. Are Two heads Better Than One: Team versus Individual Play in Signaling Games. David C. Cooper and John H. Online Appendix to Are Two heads Better Than One: Team versus Individual Play in Signaling Games David C. Cooper and John H. Kagel This appendix contains a discussion of the robustness of the regression

More information

STAT 5302 Applied Regression Analysis. Hawkins

STAT 5302 Applied Regression Analysis. Hawkins Homework 3 sample solution 1. MinnLand data STAT 5302 Applied Regression Analysis. Hawkins newdata

More information

Model Log-Linear (Bagian 2) Dr. Kusman Sadik, M.Si Program Studi Pascasarjana Departemen Statistika IPB, 2018/2019

Model Log-Linear (Bagian 2) Dr. Kusman Sadik, M.Si Program Studi Pascasarjana Departemen Statistika IPB, 2018/2019 Model Log-Linear (Bagian 2) Dr. Kusman Sadik, M.Si Program Studi Pascasarjana Departemen Statistika IPB, 2018/2019 When fitting log-linear models to higher-way tables it is typical to only consider models

More information

Guatemala. 1. Guatemala: Change in food prices

Guatemala. 1. Guatemala: Change in food prices Appendix I: Impact on Household Welfare: Guatemala 1. Guatemala: Change in food prices Group dp1 dp2 1. Rice 12.87% 10.00% 2. Corn 5.95% 10.00% 3. Bread and dried 29.17% 10.00% 4. Beans, roots, vegetables

More information

Gail E. Potter, Timo Smieszek, and Kerstin Sailer. April 24, 2015

Gail E. Potter, Timo Smieszek, and Kerstin Sailer. April 24, 2015 Supplementary Material to Modelling workplace contact networks: the effects of organizational structure, architecture, and reporting errors on epidemic predictions, published in Network Science Gail E.

More information

Final Exam Financial Data Analysis (6 Credit points/imp Students) March 2, 2006

Final Exam Financial Data Analysis (6 Credit points/imp Students) March 2, 2006 Dr. Roland Füss Winter Term 2005/2006 Final Exam Financial Data Analysis (6 Credit points/imp Students) March 2, 2006 Note the following important information: 1. The total disposal time is 60 minutes.

More information

AJAE Appendix: Testing Household-Specific Explanations for the Inverse Productivity Relationship

AJAE Appendix: Testing Household-Specific Explanations for the Inverse Productivity Relationship AJAE Appendix: Testing Household-Specific Explanations for the Inverse Productivity Relationship Juliano Assunção Department of Economics PUC-Rio Luis H. B. Braido Graduate School of Economics Getulio

More information

To: Professor Roger Bohn & Hyeonsu Kang Subject: Big Data, Assignment April 13th. From: xxxx (anonymized) Date: 4/11/2016

To: Professor Roger Bohn & Hyeonsu Kang Subject: Big Data, Assignment April 13th. From: xxxx (anonymized) Date: 4/11/2016 To: Professor Roger Bohn & Hyeonsu Kang Subject: Big Data, Assignment April 13th. From: xxxx (anonymized) Date: 4/11/2016 Data Preparation: 1. Separate trany variable into Manual which takes value of 1

More information

Appendix Table A1 Number of years since deregulation

Appendix Table A1 Number of years since deregulation Appendix Table A1 Number of years since deregulation This table presents the results of -in-s models incorporating the number of years since deregulation and using data for s with trade flows are above

More information

Which of your fingernails comes closest to 1 cm in width? What is the length between your thumb tip and extended index finger tip? If no, why not?

Which of your fingernails comes closest to 1 cm in width? What is the length between your thumb tip and extended index finger tip? If no, why not? wrong 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 right 66 65 64 63 62 61 60 59 58 57 56 55 54 53 52 51 50 49 score 100 98.5 97.0 95.5 93.9 92.4 90.9 89.4 87.9 86.4 84.8 83.3 81.8 80.3 78.8 77.3 75.8 74.2

More information

RELATIVE EFFICIENCY OF ESTIMATES BASED ON PERCENTAGES OF MISSINGNESS USING THREE IMPUTATION NUMBERS IN MULTIPLE IMPUTATION ANALYSIS ABSTRACT

RELATIVE EFFICIENCY OF ESTIMATES BASED ON PERCENTAGES OF MISSINGNESS USING THREE IMPUTATION NUMBERS IN MULTIPLE IMPUTATION ANALYSIS ABSTRACT RELATIVE EFFICIENCY OF ESTIMATES BASED ON PERCENTAGES OF MISSINGNESS USING THREE IMPUTATION NUMBERS IN MULTIPLE IMPUTATION ANALYSIS Nwakuya, M. T. (Ph.D) Department of Mathematics/Statistics University

More information

Biologist at Work! Experiment: Width across knuckles of: left hand. cm... right hand. cm. Analysis: Decision: /13 cm. Name

Biologist at Work! Experiment: Width across knuckles of: left hand. cm... right hand. cm. Analysis: Decision: /13 cm. Name wrong 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 right 72 71 70 69 68 67 66 65 64 63 62 61 60 59 58 57 56 55 54 53 52 score 100 98.6 97.2 95.8 94.4 93.1 91.7 90.3 88.9 87.5 86.1 84.7 83.3 81.9

More information

Ex-Ante Analysis of the Demand for new value added pulse products: A

Ex-Ante Analysis of the Demand for new value added pulse products: A Ex-Ante Analysis of the Demand for new value added pulse products: A case of Precooked Beans in Uganda Paul Aseete, Enid Katungi, Jackie Bonabana, Michael Ugen and Eliud Birachi Background Common bean

More information

Rheological and physicochemical studies on emulsions formulated with chitosan previously dispersed in aqueous solutions of lactic acid

Rheological and physicochemical studies on emulsions formulated with chitosan previously dispersed in aqueous solutions of lactic acid SUPPLEMENTARY MATERIAL (SM) FOR Rheological and physicochemical studies on emulsions formulated with chitosan previously dispersed in aqueous solutions of lactic acid Lucas de Souza Soares a, Janaína Teles

More information

Wine-Tasting by Numbers: Using Binary Logistic Regression to Reveal the Preferences of Experts

Wine-Tasting by Numbers: Using Binary Logistic Regression to Reveal the Preferences of Experts Wine-Tasting by Numbers: Using Binary Logistic Regression to Reveal the Preferences of Experts When you need to understand situations that seem to defy data analysis, you may be able to use techniques

More information

HW 5 SOLUTIONS Inference for Two Population Means

HW 5 SOLUTIONS Inference for Two Population Means HW 5 SOLUTIONS Inference for Two Population Means 1. The Type II Error rate, β = P{failing to reject H 0 H 0 is false}, for a hypothesis test was calculated to be β = 0.07. What is the power = P{rejecting

More information

Lesson 23: Newton s Law of Cooling

Lesson 23: Newton s Law of Cooling Student Outcomes Students apply knowledge of exponential functions and transformations of functions to a contextual situation. Lesson Notes Newton s Law of Cooling is a complex topic that appears in physics

More information

A Note on a Test for the Sum of Ranksums*

A Note on a Test for the Sum of Ranksums* Journal of Wine Economics, Volume 2, Number 1, Spring 2007, Pages 98 102 A Note on a Test for the Sum of Ranksums* Richard E. Quandt a I. Introduction In wine tastings, in which several tasters (judges)

More information

Missing Data Methods (Part I): Multiple Imputation. Advanced Multivariate Statistical Methods Workshop

Missing Data Methods (Part I): Multiple Imputation. Advanced Multivariate Statistical Methods Workshop Missing Data Methods (Part I): Multiple Imputation Advanced Multivariate Statistical Methods Workshop University of Georgia: Institute for Interdisciplinary Research in Education and Human Development

More information

Handling Missing Data. Ashley Parker EDU 7312

Handling Missing Data. Ashley Parker EDU 7312 Handling Missing Data Ashley Parker EDU 7312 Presentation Outline Types of Missing Data Treatments for Handling Missing Data Deletion Techniques Listwise Deletion Pairwise Deletion Single Imputation Techniques

More information

Homework 1 - Solutions. Problem 2

Homework 1 - Solutions. Problem 2 Homework 1 - Solutions Problem 2 a) soma

More information

2 nd Midterm Exam-Solution

2 nd Midterm Exam-Solution 2 nd Midterm Exam- اس تعن ابهلل وكن عىل يقني بأ ن لك ما ورد يف هذه الورقة تعرفه جيدا وقد تدربت عليه مبا فيه الكفاية Question #1: Answer the following with True or False: 1. The non-parametric input modeling

More information

Lack of Credibility, Inflation Persistence and Disinflation in Colombia

Lack of Credibility, Inflation Persistence and Disinflation in Colombia Lack of Credibility, Inflation Persistence and Disinflation in Colombia Second Monetary Policy Workshop, Lima Andrés González G. and Franz Hamann Banco de la República http://www.banrep.gov.co Banco de

More information

Credit Supply and Monetary Policy: Identifying the Bank Balance-Sheet Channel with Loan Applications. Web Appendix

Credit Supply and Monetary Policy: Identifying the Bank Balance-Sheet Channel with Loan Applications. Web Appendix Credit Supply and Monetary Policy: Identifying the Bank Balance-Sheet Channel with Loan Applications By GABRIEL JIMÉNEZ, STEVEN ONGENA, JOSÉ-LUIS PEYDRÓ, AND JESÚS SAURINA Web Appendix APPENDIX A -- NUMBER

More information

Predicting Wine Quality

Predicting Wine Quality March 8, 2016 Ilker Karakasoglu Predicting Wine Quality Problem description: You have been retained as a statistical consultant for a wine co-operative, and have been asked to analyze these data. Each

More information

Perspective of the Labor Market for security guards in Israel in time of terror attacks

Perspective of the Labor Market for security guards in Israel in time of terror attacks Perspective of the Labor Market for security guards in Israel in time of terror attacks 2000-2004 By Alona Shemesh Central Bureau of Statistics, Israel March 2013, Brussels Number of terror attacks Number

More information

Valuation in the Life Settlements Market

Valuation in the Life Settlements Market Valuation in the Life Settlements Market New Empirical Evidence Jiahua (Java) Xu 1 1 Institute of Insurance Economics University of St.Gallen Western Risk and Insurance Association 2018 Annual Meeting

More information

Buying Filberts On a Sample Basis

Buying Filberts On a Sample Basis E 55 m ^7q Buying Filberts On a Sample Basis Special Report 279 September 1969 Cooperative Extension Service c, 789/0 ite IP") 0, i mi 1910 S R e, `g,,ttsoliktill:torvti EARs srin ITQ, E,6

More information

Zeitschrift für Soziologie, Jg., Heft 5, 2015, Online- Anhang

Zeitschrift für Soziologie, Jg., Heft 5, 2015, Online- Anhang I Are Joiners Trusters? A Panel Analysis of Participation and Generalized Trust Online Appendix Katrin Botzen University of Bern, Institute of Sociology, Fabrikstrasse 8, 3012 Bern, Switzerland; katrin.botzen@soz.unibe.ch

More information

Panel A: Treated firm matched to one control firm. t + 1 t + 2 t + 3 Total CFO Compensation 5.03% 0.84% 10.27% [0.384] [0.892] [0.

Panel A: Treated firm matched to one control firm. t + 1 t + 2 t + 3 Total CFO Compensation 5.03% 0.84% 10.27% [0.384] [0.892] [0. Online Appendix 1 Table O1: Determinants of CMO Compensation: Selection based on both number of other firms in industry that have CMOs and number of other firms in industry with MBA educated executives

More information

R Analysis Example Replication C10

R Analysis Example Replication C10 R Analysis Example Replication C10 # ASDA2 Chapter 10 Survival Analysis library(survey) # Read in C10 data set, this data is set up for survival analysis in one record per person format ncsrc10

More information

Multiple Imputation for Missing Data in KLoSA

Multiple Imputation for Missing Data in KLoSA Multiple Imputation for Missing Data in KLoSA Juwon Song Korea University and UCLA Contents 1. Missing Data and Missing Data Mechanisms 2. Imputation 3. Missing Data and Multiple Imputation in Baseline

More information

Statistics 5303 Final Exam December 20, 2010 Gary W. Oehlert NAME ID#

Statistics 5303 Final Exam December 20, 2010 Gary W. Oehlert NAME ID# Statistics 5303 Final Exam December 20, 2010 Gary W. Oehlert NAME ID# This exam is open book, open notes; you may use a calculator. Do your own work! Use the back if more space is needed. There are nine

More information

Problem Set #3 Key. Forecasting

Problem Set #3 Key. Forecasting Problem Set #3 Key Sonoma State University Business 581E Dr. Cuellar The data set bus581e_ps3.dta is a Stata data set containing annual sales (cases) and revenue from December 18, 2004 to April 2 2011.

More information

Internet Appendix to. The Price of Street Friends: Social Networks, Informed Trading, and Shareholder Costs. Jie Cai Ralph A.

Internet Appendix to. The Price of Street Friends: Social Networks, Informed Trading, and Shareholder Costs. Jie Cai Ralph A. Internet Appendix to The Price of Street Friends: Social Networks, Informed Trading, and Shareholder Costs Jie Cai Ralph A. Walkling Ke Yang October 2014 1 A11. Controlling for s Logically Associated with

More information

Statistics: Final Project Report Chipotle Water Cup: Water or Soda?

Statistics: Final Project Report Chipotle Water Cup: Water or Soda? Statistics: Final Project Report Chipotle Water Cup: Water or Soda? Introduction: For our experiment, we wanted to find out how many customers at Chipotle actually get water when they order a water cup.

More information

Wine Rating Prediction

Wine Rating Prediction CS 229 FALL 2017 1 Wine Rating Prediction Ke Xu (kexu@), Xixi Wang(xixiwang@) Abstract In this project, we want to predict rating points of wines based on the historical reviews from experts. The wine

More information

Relationships Among Wine Prices, Ratings, Advertising, and Production: Examining a Giffen Good

Relationships Among Wine Prices, Ratings, Advertising, and Production: Examining a Giffen Good Relationships Among Wine Prices, Ratings, Advertising, and Production: Examining a Giffen Good Carol Miu Massachusetts Institute of Technology Abstract It has become increasingly popular for statistics

More information

Online Appendix to The Effect of Liquidity on Governance

Online Appendix to The Effect of Liquidity on Governance Online Appendix to The Effect of Liquidity on Governance Table OA1: Conditional correlations of liquidity for the subsample of firms targeted by hedge funds This table reports Pearson and Spearman correlations

More information

Missing value imputation in SAS: an intro to Proc MI and MIANALYZE

Missing value imputation in SAS: an intro to Proc MI and MIANALYZE Victoria SAS Users Group November 26, 2013 Missing value imputation in SAS: an intro to Proc MI and MIANALYZE Sylvain Tremblay SAS Canada Education Copyright 2010 SAS Institute Inc. All rights reserved.

More information

Long term impacts of facilitating temporary contracts: A comparative analysis of Italy and Spain using birth cohorts

Long term impacts of facilitating temporary contracts: A comparative analysis of Italy and Spain using birth cohorts Long term impacts of facilitating temporary contracts: A comparative analysis of Italy and Spain using birth cohorts Miguel Á. Malo (University of Salamanca, Spain) Dario Sciulli (University of Chietti

More information

1.3 Box & Whisker Plots

1.3 Box & Whisker Plots 1.3 Box & Whisker Plots Box and Whisker Plots or box plots, are useful for showing the distribution of values in a data set. The box plot below is an example. A box plot is constructed from the five-number

More information

Bags not: avoiding the undesirable Laurie and Winifred Bauer

Bags not: avoiding the undesirable Laurie and Winifred Bauer Bags not: avoiding the undesirable Laurie and Winifred Bauer Question 10 asked how children claim the right not to do something: 10 Your class is waiting for the bus to arrive to take you on a trip. You

More information

Pitfalls for the Construction of a Welfare Indicator: An Experimental Analysis of the Better Life Index

Pitfalls for the Construction of a Welfare Indicator: An Experimental Analysis of the Better Life Index Clemens Hetschko, Louisa von Reumont & Ronnie Schöb Pitfalls for the Construction of a Welfare Indicator: An Experimental Analysis of the Better Life Index University Alliance of Sustainability Spring

More information

Decision making with incomplete information Some new developments. Rudolf Vetschera University of Vienna. Tamkang University May 15, 2017

Decision making with incomplete information Some new developments. Rudolf Vetschera University of Vienna. Tamkang University May 15, 2017 Decision making with incomplete information Some new developments Rudolf Vetschera University of Vienna Tamkang University May 15, 2017 Agenda Problem description Overview of methods Single parameter approaches

More information

Northern Region Central Region Southern Region No. % of total No. % of total No. % of total Schools Da bomb

Northern Region Central Region Southern Region No. % of total No. % of total No. % of total Schools Da bomb Some Purr Words Laurie and Winifred Bauer A number of questions demanded answers which fell into the general category of purr words: words with favourable senses. Many of the terms supplied were given

More information

Thought: The Great Coffee Experiment

Thought: The Great Coffee Experiment Thought: The Great Coffee Experiment 7/7/16 By Kevin DeLuca ThoughtBurner Opportunity Cost of Reading this ThoughtBurner post: $1.97 about 8.95 minutes I drink a lot of coffee. In fact, I m drinking a

More information

November K. J. Martijn Cremers Lubomir P. Litov Simone M. Sepe

November K. J. Martijn Cremers Lubomir P. Litov Simone M. Sepe ONLINE APPENDIX TABLES OF STAGGERED BOARDS AND LONG-TERM FIRM VALUE, REVISITED November 016 K. J. Martijn Cremers Lubomir P. Litov Simone M. Sepe The paper itself is available at https://papers.ssrn.com/sol3/papers.cfm?abstract-id=364165.

More information

Cointegration Analysis of Commodity Prices: Much Ado about the Wrong Thing? Mindy L. Mallory and Sergio H. Lence September 17, 2010

Cointegration Analysis of Commodity Prices: Much Ado about the Wrong Thing? Mindy L. Mallory and Sergio H. Lence September 17, 2010 Cointegration Analysis of Commodity Prices: Much Ado about the Wrong Thing? Mindy L. Mallory and Sergio H. Lence September 17, 2010 Cointegration Analysis, Commodity Prices What is cointegration analysis?

More information

MATERIALS AND METHODS

MATERIALS AND METHODS to yields of various sieved fractions and mean particle sizes (MPSs) from a micro hammer-cutter mill equipped with 2-mm and 6-mm screens (grinding time of this mill reported by other investigators was

More information

Tariff vs non tariff barriers in seafood trade

Tariff vs non tariff barriers in seafood trade (Debi Bishop/iStockphoto) Tariff vs non tariff barriers in seafood trade Kth Kathy Baylis, Lia Nogueira and Kathryn Kth Pace CATPRN workshop, Toronto, May 28, 2011 Objective To explore the effect and the

More information

Relation between Grape Wine Quality and Related Physicochemical Indexes

Relation between Grape Wine Quality and Related Physicochemical Indexes Research Journal of Applied Sciences, Engineering and Technology 5(4): 557-5577, 013 ISSN: 040-7459; e-issn: 040-7467 Maxwell Scientific Organization, 013 Submitted: October 1, 01 Accepted: December 03,

More information

Structural Reforms and Agricultural Export Performance An Empirical Analysis

Structural Reforms and Agricultural Export Performance An Empirical Analysis Structural Reforms and Agricultural Export Performance An Empirical Analysis D. Susanto, C. P. Rosson, and R. Costa Department of Agricultural Economics, Texas A&M University College Station, Texas INTRODUCTION

More information

Imputation of multivariate continuous data with non-ignorable missingness

Imputation of multivariate continuous data with non-ignorable missingness Imputation of multivariate continuous data with non-ignorable missingness Thais Paiva Jerry Reiter Department of Statistical Science Duke University NCRN Meeting Spring 2014 May 23, 2014 Thais Paiva, Jerry

More information

From VOC to IPA: This Beer s For You!

From VOC to IPA: This Beer s For You! From VOC to IPA: This Beer s For You! Joel Smith Statistician Minitab Inc. jsmith@minitab.com 2013 Minitab, Inc. Image courtesy of amazon.com The Data Online beer reviews Evaluated overall and: Appearance

More information

The premium for organic wines

The premium for organic wines Enometrics XV Collioure May 29-31, 2008 Estimating a hedonic price equation from the producer side Points of interest: - assessing whether there is a premium for organic wines, and which one - estimating

More information

A Study on Consumer Attitude Towards Café Coffee Day. Gonsalves Samuel and Dias Franklyn. Abstract

A Study on Consumer Attitude Towards Café Coffee Day. Gonsalves Samuel and Dias Franklyn. Abstract Reflections Journal of Management (RJOM) Volume 5, January 2016 Available online at: http://reflections.rustomjee.com/index.php/reflections/issue/view/3/showtoc A Study on Consumer Attitude Towards Café

More information

CHAPTER VI TEA INDUSTRY IN TAMIL NADU

CHAPTER VI TEA INDUSTRY IN TAMIL NADU CHAPTER VI TEA INDUSTRY IN TAMIL NADU 6.1 Introduction Tamil Nadu is an important producer of tea. Nilgiris District of Tamil Nadu has the reputation of being one of the finest tea growing tracts in the

More information

Online Appendix. for. Female Leadership and Gender Equity: Evidence from Plant Closure

Online Appendix. for. Female Leadership and Gender Equity: Evidence from Plant Closure Online Appendix for Female Leadership and Gender Equity: Evidence from Plant Closure Geoffrey Tate and Liu Yang In this appendix, we provide additional robustness checks to supplement the evidence in the

More information

BORDEAUX WINE VINTAGE QUALITY AND THE WEATHER ECONOMETRIC ANALYSIS

BORDEAUX WINE VINTAGE QUALITY AND THE WEATHER ECONOMETRIC ANALYSIS BORDEAUX WINE VINTAGE QUALITY AND THE WEATHER ECONOMETRIC ANALYSIS WINE PRICES OVER VINTAGES DATA The data sheet contains market prices for a collection of 13 high quality Bordeaux wines (not including

More information

Figure S2. Measurement locations for meteorological stations. (data made available by KMI: https://www.meteo.be).

Figure S2. Measurement locations for meteorological stations. (data made available by KMI: https://www.meteo.be). A High Resolution Spatiotemporal Model for In-Vehicle Black Carbon Exposure: Quantifying the In-Vehicle Exposure Reduction Due to the Euro 5 Particulate Matter Standard Legislation Supplementary data Spatial

More information

A latent class approach for estimating energy demands and efficiency in transport:

A latent class approach for estimating energy demands and efficiency in transport: Energy Policy Research Group Seminars A latent class approach for estimating energy demands and efficiency in transport: An application to Latin America and the Caribbean Manuel Llorca Oviedo Efficiency

More information

Citrus Attributes: Do Consumers Really Care Only About Seeds? Lisa A. House 1 and Zhifeng Gao

Citrus Attributes: Do Consumers Really Care Only About Seeds? Lisa A. House 1 and Zhifeng Gao Citrus Attributes: Do Consumers Really Care Only About Seeds? Lisa A. House 1 and Zhifeng Gao Selected Paper prepared for presentation at the Agricultural and Applied Economics Association Annual Meeting,

More information

Napa Highway 29 Open Wineries

Napa Highway 29 Open Wineries 4 5 6 7 8 9 35 4 45 5 55 Sonoma State University Business 58-Business Intelligence Problem Set #6 Key Dr. Cuellar Trend Analysis-Analyzing Tasting Room Strategies 1. Graphical Analysis a. Show graphically

More information

Acetic acid dissociates immediately in solution. Reaction A does not react further following the sample taken at the end of

Acetic acid dissociates immediately in solution. Reaction A does not react further following the sample taken at the end of SUPPLEMENTAL Table S1. Assumptions made during fitting of the reaction model in Dynochem. ID Assumption A1 Acetic acid dissociates immediately in solution. A2 Reaction A does not react further following

More information

Preferred citation style

Preferred citation style Preferred citation style Axhausen, K.W. (2016) How many cars are too many? A second attempt, distinguished transport lecture at the University of Hong Kong, Hong Kong, October 2016.. How many cars are

More information

J. Best 1 A. Tepley 2

J. Best 1 A. Tepley 2 J. Best 1 2 1 Ecoinformatics Summer Institute, Clarkson University 2 Department of Geography Oregon State University Ecoinformatics Summer Institute Final Presentation Outline 1 Why are fires important?

More information

Supporing Information. Modelling the Atomic Arrangement of Amorphous 2D Silica: Analysis

Supporing Information. Modelling the Atomic Arrangement of Amorphous 2D Silica: Analysis Electronic Supplementary Material (ESI) for Physical Chemistry Chemical Physics. This journal is the Owner Societies 2018 Supporing Information Modelling the Atomic Arrangement of Amorphous 2D Silica:

More information

The multivariate piecewise linear growth model for ZHeight and zbmi can be expressed as:

The multivariate piecewise linear growth model for ZHeight and zbmi can be expressed as: Bi-directional relationships between body mass index and height from three to seven years of age: an analysis of children in the United Kingdom Millennium Cohort Study Supplementary material The multivariate

More information

The R&D-patent relationship: An industry perspective

The R&D-patent relationship: An industry perspective Université Libre de Bruxelles (ULB) Solvay Brussels School of Economics and Management (SBS-EM) European Center for Advanced Research in Economics and Statistics (ECARES) The R&D-patent relationship: An

More information

Appendix A. Table A.1: Logit Estimates for Elasticities

Appendix A. Table A.1: Logit Estimates for Elasticities Estimates from historical sales data Appendix A Table A.1. reports the estimates from the discrete choice model for the historical sales data. Table A.1: Logit Estimates for Elasticities Dependent Variable:

More information

Return to wine: A comparison of the hedonic, repeat sales, and hybrid approaches

Return to wine: A comparison of the hedonic, repeat sales, and hybrid approaches Return to wine: A comparison of the hedonic, repeat sales, and hybrid approaches James J. Fogarty a* and Callum Jones b a School of Agricultural and Resource Economics, The University of Western Australia,

More information

Can You Tell the Difference? A Study on the Preference of Bottled Water. [Anonymous Name 1], [Anonymous Name 2]

Can You Tell the Difference? A Study on the Preference of Bottled Water. [Anonymous Name 1], [Anonymous Name 2] Can You Tell the Difference? A Study on the Preference of Bottled Water [Anonymous Name 1], [Anonymous Name 2] Abstract Our study aims to discover if people will rate the taste of bottled water differently

More information

Rituals on the first of the month Laurie and Winifred Bauer

Rituals on the first of the month Laurie and Winifred Bauer Rituals on the first of the month Laurie and Winifred Bauer Question 5 asked about practices on the first of the month: 5 At your school, do you say or do something special on the first day of a month?

More information

ONLINE APPENDIX APPENDIX A. DESCRIPTION OF U.S. NON-FARM PRIVATE SECTORS AND INDUSTRIES

ONLINE APPENDIX APPENDIX A. DESCRIPTION OF U.S. NON-FARM PRIVATE SECTORS AND INDUSTRIES ONLINE APPENDIX APPENDIX A. DESCRIPTION OF U.S. NON-FARM PRIVATE SECTORS AND INDUSTRIES 1997 NAICS Code Sector and Industry Title IT Intensity 1 IT Intensity 2 11 Agriculture, forestry, fishing, and hunting

More information

Eestimated coefficient. t-value

Eestimated coefficient. t-value Table 1: Estimated wage curves for men, 1983 2009 Dependent variable: log (real wage rate) Dependent variable: log real wage rate Men 1983-2009 Men, 1983-2009 Rendom-effect Fixed-effect z-vae t-vae Men

More information

Level 2 Mathematics and Statistics, 2016

Level 2 Mathematics and Statistics, 2016 91267 912670 2SUPERVISOR S Level 2 Mathematics and Statistics, 2016 91267 Apply probability methods in solving problems 9.30 a.m. Thursday 24 November 2016 Credits: Four Achievement Achievement with Merit

More information

De La Salle University Dasmariñas

De La Salle University Dasmariñas A COMPARATIVE STUDY OF THE LEVEL OF CUSTOMER SATISFACTION OF J.CO DONUTS IN SM DASMARIÑAS & KRISPY KREME THE DISTRICT IMUS An Undergraduate Thesis Presented to The Faculty of Hospitality Management De

More information

An application of cumulative prospect theory to travel time variability

An application of cumulative prospect theory to travel time variability Katrine Hjorth (DTU) Stefan Flügel, Farideh Ramjerdi (TØI) An application of cumulative prospect theory to travel time variability Sixth workshop on discrete choice models at EPFL August 19-21, 2010 Page

More information

Flexible Working Arrangements, Collaboration, ICT and Innovation

Flexible Working Arrangements, Collaboration, ICT and Innovation Flexible Working Arrangements, Collaboration, ICT and Innovation A Panel Data Analysis Cristian Rotaru and Franklin Soriano Analytical Services Unit Economic Measurement Group (EMG) Workshop, Sydney 28-29

More information

Selection bias in innovation studies: A simple test

Selection bias in innovation studies: A simple test Selection bias in innovation studies: A simple test Work in progress Gaétan de Rassenfosse University of Melbourne (MIAESR and IPRIA), Australia. Annelies Wastyn KULeuven, Belgium. IPTS Workshop, June

More information

Method for the imputation of the earnings variable in the Belgian LFS

Method for the imputation of the earnings variable in the Belgian LFS Method for the imputation of the earnings variable in the Belgian LFS Workshop on LFS methodology, Madrid 2012, May 10-11 Astrid Depickere, Anja Termote, Pieter Vermeulen Outline 1. Introduction 2. Imputation

More information

Dietary Diversity in Urban and Rural China: An Endogenous Variety Approach

Dietary Diversity in Urban and Rural China: An Endogenous Variety Approach Dietary Diversity in Urban and Rural China: An Endogenous Variety Approach Jing Liu September 6, 2011 Road Map What is endogenous variety? Why is it? A structural framework illustrating this idea An application

More information

*p <.05. **p <.01. ***p <.001.

*p <.05. **p <.01. ***p <.001. Table 1 Weighted Descriptive Statistics and Zero-Order Correlations with Fatherhood Timing (N = 1114) Variables Mean SD Min Max Correlation Interaction time 280.70 225.47 0 1095 0.05 Interaction time with

More information

Predicting Fruitset Model Philip Schwallier, Amy Irish- Brown, Michigan State University

Predicting Fruitset Model Philip Schwallier, Amy Irish- Brown, Michigan State University Predicting Fruitset Model Philip Schwallier, Amy Irish- Brown, Michigan State University Chemical thinning is the most critical annual apple orchard practice. Yet chemical thinning is the most stressful

More information

Gender and Firm-size: Evidence from Africa

Gender and Firm-size: Evidence from Africa World Bank From the SelectedWorks of Mohammad Amin March, 2010 Gender and Firm-size: Evidence from Africa Mohammad Amin Available at: https://works.bepress.com/mohammad_amin/20/ Gender and Firm size: Evidence

More information

Volume 30, Issue 1. Gender and firm-size: Evidence from Africa

Volume 30, Issue 1. Gender and firm-size: Evidence from Africa Volume 30, Issue 1 Gender and firm-size: Evidence from Africa Mohammad Amin World Bank Abstract A number of studies show that relative to male owned businesses, female owned businesses are smaller in size.

More information

Survival of the Fittest: The Impact of Eco-certification on the Performance of German Wineries. Patrizia Fanasch University of Paderborn, Germany

Survival of the Fittest: The Impact of Eco-certification on the Performance of German Wineries. Patrizia Fanasch University of Paderborn, Germany Survival of the Fittest: The Impact of Eco-certification on the Performance of German Wineries University of Paderborn, Germany Motivation Demand (Customer) Rising awareness and interest in organic products

More information

Not to be published - available as an online Appendix only! 1.1 Discussion of Effects of Control Variables

Not to be published - available as an online Appendix only! 1.1 Discussion of Effects of Control Variables 1 Appendix Not to be published - available as an online Appendix only! 1.1 Discussion of Effects of Control Variables Table 1 in the main text includes a number of additional control variables. We find

More information