1 Estimating risk factors for IBM - using data 95-06

Size: px
Start display at page:

Download "1 Estimating risk factors for IBM - using data 95-06"

Transcription

1 1 Estimating risk factors for IBM - using data Basic estimation of asset pricing models, using IBM returns data Market model r IBM = a + br m + ɛ CAPM Fama French 1.1 Using octave/matlab er IBM = a + ber m + ɛ er IBM = a + ber m + b h HML + b s SMB + ɛ Exercise 1. You want to find the risk of the stock IBM. To do so you think the market model r it = α i + β i r mt + e it is a reasonable description of the risk return relationship. To estimate the parameters α i and β i you need a history of stock returns and index returns. Collect monthly returns for IBM and a broad based US stock market index, for example the S&P 500. Take data for 1995:1 to 2006:12. Estimate the model. What is the R 2 in your estimation? Use Matlab/Octave to implement the estimations. Solution to Exercise 1. The data is read into a couple of series Plotting one against the other 1

2 Running the regression, get >> r=ibm(:,2); >> rm=sp500(:,2); >> X=[ones(144,1) rm]; >> b=x\r b = We estimate the parameters as â = ˆb = Next, plotting the observations and comparing it to the actual regrssion. >> plot(rm,r,"*",rm,x*b) 2

3 Check for any obvious problems by calculating the residuals and plotting them against r m: >> plot(rm,e,"*"); 3

4 Calculate the R 2 >> SSR=e *e SSR = >> TSS=(r-mean(r)) *(r-mean(r)) TSS = >> R2=1-SSR/TSS R2 = The R 2 of the regression is Exercise 2. You want to measure the risk on your equity position in IBM. You want to apply the CAPM. The CAPM can be written as E[r it ] r ft = β i (E[r mt ] r ft We rewrite this in excess return form, defining er it = r it r ft and er mt = r mt r ft. The CAPM thus imposes E[er it ] = β it E[er mt ] Consider now the regression er it = α i + β i er mt + ε it (1) Estimate this regression using historical data on the returns on IBM and a stock market index. Use monthly returns. Take data for 1995:1 to 2006:12. Discuss the fit of the model using the R 2 of the regression What restriction on the parameters of (3) does the CAPM impose? Test this restriction. 4

5 Solution to Exercise 2. Now, first get data on monthly returns of IBM and a stock market, using the S&P500. Then, gather relatively short term interest rates. I have used a series of 3 month treasury bill rates from the fed. All data from 1995:1 to 2006:12. This data is input in matrices ibm, sp500 and treas, with the first column holding the date, and the next holding the returns. The following is the first observations for the two series: >> treas(1,1) ans = >> treas(1,2) ans = >> ibm(1,1) ans = >> ibm(1,2) ans = Note that the interest rates are given in annualized percentages, need to transform a bit here. Also need to be careful about timing: Interest rates are given at their observation data, and valid for the following period. Therefore necessary to lag a bit carefully before doing excess returns. >> ri=ibm(2:144,2); >> rf=treas(1:143,2)./1200; >> rm=sp500(2:144,2); >> er_i=ri-rf; >> er_m=rm-rf; Now ready to estimate >> b=[ones(143,1) er_m]\er_i b = We thus estimate â = and ˆb = Let us plot the observations and the fitted line 5

6 Calculate the R 2 : >> e=er_i-x*b; >> SSR=e *e SSR = >> TSS=(r-mean(r)) *(r-mean(r)) TSS = >> R2=1-SSR/TSS R2 = Now, what restrictions do the CAPM impose on the parameters? Well, that in this regression a = 0. Set up a hypotesis test: H 0 : a = a 0 = 0 H A : a 0 Need some estimates of parameter variance, and then construct z = â a 0 σ(â) = â σ(â) >> S2=e *e/143 S2 = >> V=S2*inv(X *X) V = e e e e-02 >> sqrt(v(1,1)) ans = >> sqrt(v(2,2)) ans = >> z=b(1)/sqrt(v(1,1)) z =

7 If the parameters are normally distributed, z is normally distributed with a standard normal, will not reject the null at any reasonable size of the test. The typical output from running this regression will be Coeff se t value pvalue(norm) pvalue (t) Constant er m R Adj R F Pval F 0 Exercise 3. In a series of papers Eugene Fama and Ken French has introduced an alternative asset pricing model to the CAPM, the three factor model, where expected returns follows: E[r it ] r ft = β 1 (E[r mt ] r ft + b 2 SMB t + b 3 HML t Defining er it = r it r ft and er mt = r mt r ft, we consider the regression er it = α i + b 1 er mt + b 2 SMB t + b 3 HML t + ε it (2) Estimate this regression using historical data on the returns on IBM. The data on a market index and the other factors can be found on Ken French s homepage. Use monthly returns. Take data for 1995:1 to 2005:12. Discuss the fit of the model using the R 2 of the regression. Which of the tree factors seem important for pricing of IBM? Use Matlab/Octave to implement the estimations. Solution to Exercise 3. The data is read into matrices IBM, RMRF, HML and SMB. Take a look at the first few data: >> IBM(1:3,1) ans = >> IBM(1:3,2) ans = >> RMRF(1:3,1) ans = >> RMRF(1:3,2) ans = The dates are the same, which is good, but the excess market return from Ken French is in percentage terms. Pull the observations, at the same time dividing the French data by 100. >> ibm=ibm(:,2); >> rmrf=rmrf(:,2)/100; >> smb=smb(:,2)/100; >> hml=hml(:,2)/100; >> size(ibm) 7

8 ans = >> n=132; Now are set for doing the regression >> y=ibm; >> X=[ones(n,1) rmrf smb hml]; >> bhat=x\y bhat = r ibm = a + b 1er mt + b 2SMB t + b 3HML t The regression estimates thus Variable coeff Constant a Market er m b SMB b HML b Do the usual diagnostics, plot residuals against explanatory variables >> e=y-x*bhat; >> plot(rmrf,e,"*") >> plot(smb,e,"*") >> plot(hml,e,"*") 8

9 9

10 Calculate the R 2 of the regression. >> SSR=e *e SSR = >> TSS=(y-mean(y)) *(y-mean(y)) TSS = >> R2 = 1-SSR/TSS R2 = Find R 2 = 38.6%. To say something about what are the important factors relevant for the pricing of IBM, need an estimate of the standard deviations of the various parameters. First find the variance covariance matrix of the parameters. >> s2=e *e/n s2 = >> V=s2*inv(X *X) V = e e e e e e e e e e e e e e e e-02 The estimated standard deviations of the four parameters are then calculated as the square root of the diagonal terms. >> Stdevs = sqrt(diag(v)) Stdevs =

11 To make probability statements, normalize by the standard errors bhat = >> Stdevs Stdevs = >> tvalues= bhat./stdevs tvalues = The t-values are the basis for most inference, and they are typically printed out by standard econometric packages. Another typical way of reporting this is by finding the probability values >> pvalues_n = 2*(1-normcdf(abs(tvalues))) pvalues_n = e e e e-02 >> pvalues_t=2*(1-tcdf(abs(tvalues),n-4)) pvalues_t = e e e e-02 Values typically reported following such an analysis: Coeff st err t val p val(normal) p val(t-dist) Const RMRF SMB HML R % Adjusted R n 132 F pval f e-13 Exercise 4. You consider pricing of IBM stock using the Fama French three factor model. er ibm,t = a + b 1 er m,t + b 2 SMB t + b 3 HML t + e t Test whether the thee explanatory factors er m,t, SMB t and HML t has any explanatory power, i.e, test the hypothesis b 1 = 0, b 2 = 0 and b 3 = 0 jointly. Use monthly returns data on IBM and data for the three factors from Ken French s homepage. Take data for 1995:1 to 2005:12. Solution to Exercise 4. This is often termed the F test, and is the result which is always printed in regression outputs, It is calculated as It has an F distribution F (r, n k). F = (n k) r R 2 1 R 2 11

12 Variable coeff serr t-val p-val(t) Constant er m SMB HML R F Adj R pval F DW 2.07 Exercise 5. You consider pricing of IBM stock. You have two alternative models in mind. One is a single factor mode er ibm,t = α + βer m,t + e t where the excess return of IBM (er ibm,t only depends on one factor, the excess return on a market portfolio er m,t. The other model you have in mind is Fama And French es three factor model er ibm,t = a + b 1 er m,t + b 2 SMB t + b 3 HML t + e t Using monthly returns data on IBM and data for the three factors from Ken French s homepage, estimate the two models. Take data for 1995:1 to 2005:12. Compare the R 2 of the two models. You wonder if the first model is good enough, and you want to formally test whether the one factor model is a sufficient description of IBM s returns. Do this as a hypothesis test, where the null hypothesis is that the first model is enough. That is, you want to test H 0 : b 2 = 0 and b 3 = 0. (Hint: This is a joint test, which can not be solved by looking at the coefficients b 1 and b 2 in isolation.) Solution to Exercise 5. Let us first do the estimation. The one factor model The three factor model Coefficient estimate t-value p-value(t) constant α e-01 market β e-14 R AdjR F pval F e-14 Coefficient estimate t-value p-value(t) constant a e-01 market b e-09 SMB e-02 HML e-02 R AdjR F pval F e-13 First, the R 2 of the second model is better (0.387 vs 0.362), even the adjusted R 2 is better(0.372 vs 0.357), which indicates the first model improves on the second. We now wonder whether the first model is sufficient. Some indication can be had from looking at the p-values of the two parameters SMB and HML, of which only the first is significant. However, this is not a formal test of the joint hypothesis of b 2 = b 3 = 0. This can be tested using a likelihood ratio type test, in this setting typically called an F test, We will be calculating ( 1 r SSE ( b) (ˆb)) SSE F = 1 SSE (ˆb) n k 12

13 where b is the restricted estimate and ˆb the unrestricted, r the number of restrictions, k the number of parameters, and n the number of observations. Here we start with an unrestricted model of four parameters (ˆb = [a, b 1, b 2, b 3]. This is to be compared to a restricted model with two parameters ( b = [a, b 1]. Here r = 2 and k = 4. Do the calculations >> y=ibm; >> X=[ones(n,1) rmrf smb hml]; >> bhat = ols(y,x) bhat = >> SSR_unrestr = (y-x*bhat) *(y-x*bhat) SSR_unrestr = >> X=[ones(n,1) rmrf]; >> btilde = ols(y,x) btilde = >> SSR_restr = (y-x*btilde) *(y-x*btilde) SSR_restr = >> r=2 r = 2 >> k=4 k = 4 >> F= ( (1/r)*(SSR_restr-SSR_unrestr))/((1/(n-k))*SSR_unrestr) F = >> pval_f_f = 1-fcdf(F,r,n-k) pval_f_f = At the 5% level we do not reject the null, and accept the one factor model as a sufficient explanation. 13

14 1.2 Using R Doing exactly the same exercises with R as the tool. Exercise 6. Consider estimation of the risk of the stock IBM using the market model r it = α i + β i r mt + e it Collect monthly returns for IBM and a broad based US stock market index, for example the S&P 500. Take data for 1995:1 to 2006:12. (Available on course homepage) Estimate the model using OLS. Use R to perform the estimation Solution to Exercise 6. The following R code does this rets <- read.table("../data_set/ibm_sp500.txt",header=true,sep=";") n <- dim(rets)[1] rm <- rets[,2] ibm<- rets[,3] mod <- lm(ibm rm) summary(mod) The above code results in estimates of OLS: lm(formula = ibm rm) Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error t value Pr(> t ) (Intercept) rm <2e-16 *** Residual standard error: on 142 degrees of freedom Multiple R-squared: ,Adjusted R-squared: F-statistic: on 1 and 142 DF, p-value: < 2.2e-16 Exercise 7. You want to apply the CAPM. The CAPM can be written as E[r it ] r ft = β i (E[r mt ] r ft We rewrite this in excess return form, defining er it = r it r ft and er mt = r mt r ft. The CAPM thus imposes E[er it ] = β it E[er mt ] Consider now the regression er it = α i + β i er mt + ε it (3) Estimate this regression using historical data on the returns on IBM and a stock market index. Use monthly returns. Take data for 1995:1 to 2006:12. Discuss the fit of the model using the R 2 of the regression What restriction on the parameters of (3) does the CAPM impose? Test this restriction. Use R to implement the estimations. Solution to Exercise 7. The data is read in. Here the input file contains data aligned on observation date. But some thought necessary here. The interest rate is observed looking forward, while returns are looking backward from observation date. Also note that the risk free rate is in annualzed percentages, which need correcting 14

15 > rets <- read.table("../data_set/ibm_sp500_95_06.txt", header=true,sep=";") > n <- dim(rets)[1] > rf <- rets[1:n-1,4]/1200 > rm <- rets[2:n,2] > ibm <- rets[2:n,3] Calculating execess returns er IBM,t = r IBM,t r ft er m,t = r m,t r ft > er_ibm <- ibm-rf > er_m <- rm-rf Plotting one against the other Running the regression er ibm = a + ber m + e > mod=lm(er_ibm er_m) Showing the resulting estimates > summary(mod) Call: lm(formula = er_ibm er_m) Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error t value Pr(> t ) (Intercept) er_m <2e-16 *** Residual standard error: on 141 degrees of freedom Multiple R-squared: ,Adjusted R-squared: F-statistic: on 1 and 141 DF, p-value: < 2.2e-16 15

16 We estimate the parameters as â = ˆb = Next, plotting the observations and comparing it to the actual regrssion. > plot(er_m,er_ibm,main="regressing IBM on SP500") > lines (er_m,mod$fitted.values) Check for any obvious problems by calculating the residuals and plotting them against r m: > plot(er_m,mod$residuals,main="residuals against SP500") Now, what restrictions do the CAPM impose on the parameters? Well, that in this regression a = 0. Set up a hypotesis test: H 0 : a = a 0 = 0 H A : a 0 Here we can use the p-value in the R output: The intercept, estimated as , has a p-value of We can thus not reject the null of a zero intercept. Exercise 8. 16

17 You want to measure the risk of an equity position on IBM. In a series of papers Eugene Fama and Ken French has introduced an alternative asset pricing model to the CAPM, the three factor model, where expected returns follows: E[r it ] r ft = β 1 (E[r mt ] r ft + b 2 SMB t + b 3 HML t Defining er it = r it r ft and er mt = r mt r ft, we consider the regression er it = α i + b 1 er mt + b 2 SMB t + b 3 HML t + ε it (4) You have access to the time series of these variables on the course homepage. The data is for the period 1995:1 to 2005:12. Estimate this regression using historical data on the returns on IBM. Discuss the fit of the model using the R 2 of the regression. Which of the tree factors seem important for pricing of IBM? Use R to implement the estimations. Solution to Exercise 8. Reading the data: > rets <- read.table("../data_set/ibm_ff_95_05.txt",header=true,sep=";") > eribm <- rets$eribm > RMRF <- rets$rmrf/100 > HML <- rets$hml/100 > SMB <- rets$smb/100 Doing the analysis: > mod <- lm( eribm RMRF + HML + SMB) Call: lm(formula = eribm RMRF + HML + SMB) Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error t value Pr(> t ) (Intercept) RMRF e-09 *** HML SMB * --- Signif. codes: 0 âăÿ***âăź âăÿ**âăź 0.01 âăÿ*âăź 0.05 âăÿ.âăź 0.1 âăÿ âăź 1 Residual standard error: on 128 degrees of freedom Multiple R-squared: 0.387,Adjusted R-squared: F-statistic: on 3 and 128 DF, p-value: 1.433e-13 Do the usual diagnostics, plot residuals against explanatory variables > plot (mod$residuals,rmrf) > plot (mod$residuals,hml) > plot (mod$residuals,smb) 17

18 Estimate Std. Error t value Pr(> t ) (Intercept) RMRF HML SMB

19 Observe the R 2 of the regression. R 2 = 38.7%. To say something about what are the important factors relevant for the pricing of IBM, use the estimates of the standard deviations of the various parameters. The t-values are the basis for most inference, and they are typically printed out by standard econometric packages. Another typical way of reporting this is by finding the probability values In terms of the results find that RMRF very significant. SMB significant at the 5% level, with a p value of 4.1%, while HML not significant, p value of 7.92%. Exercise 9. You consider pricing of IBM stock using the Fama French three factor model. er ibm,t = a + b 1 er m,t + b 2 SMB t + b 3 HML t + e t Test whether the thee explanatory factors er m,t, SMB t and HML t has any explanatory power, i.e, test the hypothesis b 1 = 0, b 2 = 0 and b 3 = 0 jointly. Use monthly returns data on IBM and data for the three factors from the course homepage. The data is for 1995:1 to 2005:12. Use R to implement the estimations. Solution to Exercise 9. This is often termed the F test, and is the result which is always printed in regression outputs, It is calculated as F = (n k) r It has an F distribution F (r, n k). This is the printout of the regression estimation in R. > mod2 <- lm( eribm RMRF + HML + SMB ) > summary(mod2) Call: lm(formula = eribm RMRF + HML + SMB) Residuals: Min 1Q Median 3Q Max R 2 1 R 2 Coefficients: Estimate Std. Error t value Pr(> t ) (Intercept) RMRF e-09 *** HML SMB * --- Signif. codes: 0 âăÿ***âăź âăÿ**âăź 0.01 âăÿ*âăź 0.05 âăÿ.âăź 0.1 âăÿ âăź 1 19

20 Residual standard error: on 128 degrees of freedom Multiple R-squared: 0.387,Adjusted R-squared: F-statistic: on 3 and 128 DF, p-value: 1.433e-13 The F statistic in this regression is exactly the test we want. It is a test of the null that all coefficients except the intercept is zero. The P-value of the F test is essentially zero. We reject the null of all coefficients being zero. Note that this F statistic is only usable when we test whether all the coefficients are jointly zero. It can not be used when testing whether only some of the coeffients are zero. Exercise 10. You consider pricing of IBM stock. You have two alternative models in mind. One is a single factor model er ibm,t = α + βer m,t + e t where the excess return of IBM (er ibm,t only depends on one factor, the excess return on a market portfolio er m,t. The other model you have in mind is Fama And French es three factor model er ibm,t = a + b 1 er m,t + b 2 SMB t + b 3 HML t + e t Using monthly returns data on IBM and data for the three factors from the course homepage, estimate the two models. Note that data is for 1995:1 to 2005:12. Compare the R 2 of the two models. You wonder if the first model is good enough, and you want to formally test whether the one factor model is a sufficient description of IBM s returns. Do this as a hypothesis test, where the null hypothesis is that the first model is enough. That is, you want to test H 0 : b 2 = 0 and b 3 = 0. (Hint: This is a joint test, which can not be solved by looking at the coefficients b 1 and b 2 in isolation.) Solution to Exercise 10. > library(xtable) > library(car) > rets <- read.table("../data_set/ibm_ff_95_05.txt",header=true,sep=";") > eribm <- rets$eribm > RMRF <- rets$rmrf/100 > HML <- rets$hml/100 > SMB <- rets$smb/100 > mod1 <- lm( eribm RMRF ) > summary(mod1) Call: lm(formula = eribm RMRF) Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error t value Pr(> t ) (Intercept) RMRF e-14 *** --- Signif. codes: 0 âăÿ***âăź âăÿ**âăź 0.01 âăÿ*âăź 0.05 âăÿ.âăź 0.1 âăÿ âăź 1 Residual standard error: on 130 degrees of freedom Multiple R-squared: ,Adjusted R-squared: F-statistic: 74 on 1 and 130 DF, p-value: 2.18e-14 Estimate Std. Error t value Pr(> t ) (Intercept) RMRF

21 > mod2 <- lm( eribm RMRF + HML + SMB ) > summary(mod2) Call: lm(formula = eribm RMRF + HML + SMB) Residuals: Min 1Q Median 3Q Max Coefficients: Estimate Std. Error t value Pr(> t ) (Intercept) RMRF e-09 *** HML SMB * --- Signif. codes: 0 âăÿ***âăź âăÿ**âăź 0.01 âăÿ*âăź 0.05 âăÿ.âăź 0.1 âăÿ âăź 1 Residual standard error: on 128 degrees of freedom Multiple R-squared: 0.387,Adjusted R-squared: F-statistic: on 3 and 128 DF, p-value: 1.433e-13 Estimate Std. Error t value Pr(> t ) (Intercept) RMRF HML SMB Now the hypothesis test. Need to specify it in matrix form: > R = rbind(c(0,0,1,0),c(0,0,0,1)) > r=c(0,0) > R = rbind(c(0,0,1,0),c(0,0,0,1)) > r=c(0,0) > print(r) [,1] [,2] [,3] [,4] [1,] [2,] > print(r) [1] 0 0 And now finally performing the test: > linearhypothesis(mod2,r,r) Linear hypothesis test Hypothesis: HML = 0 SMB = 0 Model 1: restricted model Model 2: eribm RMRF + HML + SMB Res.Df RSS Df Sum of Sq F Pr(>F) Signif. codes: 0 âăÿ***âăź âăÿ**âăź 0.01 âăÿ*âăź 0.05 âăÿ.âăź 0.1 âăÿ âăź 1 At the 5% level we do not reject the null, and accept the one factor model as a sufficient explanation. 21

NHY examples. Bernt Arne Ødegaard. 23 November Estimating dividend growth in Norsk Hydro 8

NHY examples. Bernt Arne Ødegaard. 23 November Estimating dividend growth in Norsk Hydro 8 NHY examples Bernt Arne Ødegaard 23 November 2017 Abstract Finance examples using equity data for Norsk Hydro (NHY) Contents 1 Calculating Beta 4 2 Cost of Capital 7 3 Estimating dividend growth in Norsk

More information

The Norwegian State Equity Ownership

The Norwegian State Equity Ownership The Norwegian State Equity Ownership B A Ødegaard 15 November 2018 Contents 1 Introduction 1 2 Doing a performance analysis 1 2.1 Using R....................................................................

More information

State Ownership at the Oslo Stock Exchange

State Ownership at the Oslo Stock Exchange State Ownership at the Oslo Stock Exchange Bernt Arne Ødegaard 1 Introduction We ask whether there is a state rebate on companies listed on the Oslo Stock Exchange, i.e. whether companies where the state

More information

Seasonality at The Oslo Stock Exchange

Seasonality at The Oslo Stock Exchange Seasonality at The Oslo Stock Exchange Bernt Arne Ødegaard September 6, 2018 Seasonality concerns patterns in stock returns related to calendar time. Internationally, the best known such pattern is the

More information

Final Exam Suggested Solutions

Final Exam Suggested Solutions University of Washington Fall 003 Department of Economics Eric Zivot Economics 483 Final Exam Suggested Solutions This is a closed book and closed note exam. However, you are allowed one page of handwritten

More information

State Ownership at the Oslo Stock Exchange. Bernt Arne Ødegaard

State Ownership at the Oslo Stock Exchange. Bernt Arne Ødegaard State Ownership at the Oslo Stock Exchange Bernt Arne Ødegaard Introduction We ask whether there is a state rebate on companies listed on the Oslo Stock Exchange, i.e. whether companies where the state

More information

Variance clustering. Two motivations, volatility clustering, and implied volatility

Variance clustering. Two motivations, volatility clustering, and implied volatility Variance modelling The simplest assumption for time series is that variance is constant. Unfortunately that assumption is often violated in actual data. In this lecture we look at the implications of time

More information

Economics 424/Applied Mathematics 540. Final Exam Solutions

Economics 424/Applied Mathematics 540. Final Exam Solutions University of Washington Summer 01 Department of Economics Eric Zivot Economics 44/Applied Mathematics 540 Final Exam Solutions I. Matrix Algebra and Portfolio Math (30 points, 5 points each) Let R i denote

More information

MODEL SELECTION CRITERIA IN R:

MODEL SELECTION CRITERIA IN R: 1. R 2 statistics We may use MODEL SELECTION CRITERIA IN R R 2 = SS R SS T = 1 SS Res SS T or R 2 Adj = 1 SS Res/(n p) SS T /(n 1) = 1 ( ) n 1 (1 R 2 ). n p where p is the total number of parameters. R

More information

FIN822 project 3 (Due on December 15. Accept printout submission or submission )

FIN822 project 3 (Due on December 15. Accept printout submission or  submission ) FIN822 project 3 (Due on December 15. Accept printout submission or email submission donglinli2006@yahoo.com. ) Part I The Fama-French Multifactor Model and Mutual Fund Returns Dawn Browne, an investment

More information

Non-linearities in Simple Regression

Non-linearities in Simple Regression Non-linearities in Simple Regression 1. Eample: Monthly Earnings and Years of Education In this tutorial, we will focus on an eample that eplores the relationship between total monthly earnings and years

More information

Regression Review and Robust Regression. Slides prepared by Elizabeth Newton (MIT)

Regression Review and Robust Regression. Slides prepared by Elizabeth Newton (MIT) Regression Review and Robust Regression Slides prepared by Elizabeth Newton (MIT) S-Plus Oil City Data Frame Monthly Excess Returns of Oil City Petroleum, Inc. Stocks and the Market SUMMARY: The oilcity

More information

STATISTICS 110/201, FALL 2017 Homework #5 Solutions Assigned Mon, November 6, Due Wed, November 15

STATISTICS 110/201, FALL 2017 Homework #5 Solutions Assigned Mon, November 6, Due Wed, November 15 STATISTICS 110/201, FALL 2017 Homework #5 Solutions Assigned Mon, November 6, Due Wed, November 15 For this assignment use the Diamonds dataset in the Stat2Data library. The dataset is used in examples

More information

Time series: Variance modelling

Time series: Variance modelling Time series: Variance modelling Bernt Arne Ødegaard 5 October 018 Contents 1 Motivation 1 1.1 Variance clustering.......................... 1 1. Relation to heteroskedasticity.................... 3 1.3

More information

Performance evaluation of managed portfolios

Performance evaluation of managed portfolios Performance evaluation of managed portfolios The business of evaluating the performance of a portfolio manager has developed a rich set of methodologies for testing whether a manager is skilled or not.

More information

Measuring Performance with Factor Models

Measuring Performance with Factor Models Measuring Performance with Factor Models Bernt Arne Ødegaard February 21, 2017 The Jensen alpha Does the return on a portfolio/asset exceed its required return? α p = r p required return = r p ˆr p To

More information

Crossectional asset pricing - Fama French The research post CAPM-APT. The Fama French papers and the literature following.

Crossectional asset pricing - Fama French The research post CAPM-APT. The Fama French papers and the literature following. Crossectional asset pricing - Fama French The research post CAPM-APT. The Fama French papers and the literature following. The Fama French debate Background: Fama on efficient markets Fama at the forefront

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

Graduate School of Business, University of Chicago Business 41202, Spring Quarter 2007, Mr. Ruey S. Tsay. Midterm

Graduate School of Business, University of Chicago Business 41202, Spring Quarter 2007, Mr. Ruey S. Tsay. Midterm Graduate School of Business, University of Chicago Business 41202, Spring Quarter 2007, Mr. Ruey S. Tsay Midterm GSB Honor Code: I pledge my honor that I have not violated the Honor Code during this examination.

More information

Crossectional asset pricing post CAPM-APT: Fama - French

Crossectional asset pricing post CAPM-APT: Fama - French Crossectional asset pricing post CAPM-APT: Fama - French June 6, 2018 Contents 1 The Fama French debate 1 1.1 Introduction........................................................... 1 1.2 Background: Fama

More information

Panel Data. November 15, The panel is balanced if all individuals have a complete set of observations, otherwise the panel is unbalanced.

Panel Data. November 15, The panel is balanced if all individuals have a complete set of observations, otherwise the panel is unbalanced. Panel Data November 15, 2018 1 Panel data Panel data are obsevations of the same individual on different dates. time Individ 1 Individ 2 Individ 3 individuals The panel is balanced if all individuals have

More information

Generalized Linear Models

Generalized Linear Models Generalized Linear Models Scott Creel Wednesday, September 10, 2014 This exercise extends the prior material on using the lm() function to fit an OLS regression and test hypotheses about effects on a parameter.

More information

Analysis of Variance in Matrix form

Analysis of Variance in Matrix form Analysis of Variance in Matrix form The ANOVA table sums of squares, SSTO, SSR and SSE can all be expressed in matrix form as follows. week 9 Multiple Regression A multiple regression model is a model

More information

Multiple regression - a brief introduction

Multiple regression - a brief introduction Multiple regression - a brief introduction Multiple regression is an extension to regular (simple) regression. Instead of one X, we now have several. Suppose, for example, that you are trying to predict

More information

Let us assume that we are measuring the yield of a crop plant on 5 different plots at 4 different observation times.

Let us assume that we are measuring the yield of a crop plant on 5 different plots at 4 different observation times. Mixed-effects models An introduction by Christoph Scherber Up to now, we have been dealing with linear models of the form where ß0 and ß1 are parameters of fixed value. Example: Let us assume that we are

More information

Example 1 of econometric analysis: the Market Model

Example 1 of econometric analysis: the Market Model Example 1 of econometric analysis: the Market Model IGIDR, Bombay 14 November, 2008 The Market Model Investors want an equation predicting the return from investing in alternative securities. Return is

More information

COMPREHENSIVE WRITTEN EXAMINATION, PAPER III FRIDAY AUGUST 18, 2006, 9:00 A.M. 1:00 P.M. STATISTICS 174 QUESTIONS

COMPREHENSIVE WRITTEN EXAMINATION, PAPER III FRIDAY AUGUST 18, 2006, 9:00 A.M. 1:00 P.M. STATISTICS 174 QUESTIONS COMPREHENSIVE WRITTEN EXAMINATION, PAPER III FRIDAY AUGUST 18, 2006, 9:00 A.M. 1:00 P.M. STATISTICS 174 QUESTIONS Answer all parts. Closed book, calculators allowed. It is important to show all working,

More information

Econometric Methods for Valuation Analysis

Econometric Methods for Valuation Analysis Econometric Methods for Valuation Analysis Margarita Genius Dept of Economics M. Genius (Univ. of Crete) Econometric Methods for Valuation Analysis Cagliari, 2017 1 / 26 Correlation Analysis Simple Regression

More information

Stat 401XV Exam 3 Spring 2017

Stat 401XV Exam 3 Spring 2017 Stat 40XV Exam Spring 07 I have neither given nor received unauthorized assistance on this exam. Name Signed Date Name Printed ATTENTION! Incorrect numerical answers unaccompanied by supporting reasoning

More information

CAPM (1) where λ = E[r e m ], re i = r i r f and r e m = r m r f are the stock i and market excess returns.

CAPM (1) where λ = E[r e m ], re i = r i r f and r e m = r m r f are the stock i and market excess returns. II.3 Time Series, Cross-Section, and GMM/DF Approaches to CAPM Beta representation CAPM (1) E[r e i ] = β iλ, where λ = E[r e m ], re i = r i r f and r e m = r m r f are the stock i and market excess returns.

More information

> attach(grocery) > boxplot(sales~discount, ylab="sales",xlab="discount")

> attach(grocery) > boxplot(sales~discount, ylab=sales,xlab=discount) Example of More than 2 Categories, and Analysis of Covariance Example > attach(grocery) > boxplot(sales~discount, ylab="sales",xlab="discount") Sales 160 200 240 > tapply(sales,discount,mean) 10.00% 15.00%

More information

6 Multiple Regression

6 Multiple Regression More than one X variable. 6 Multiple Regression Why? Might be interested in more than one marginal effect Omitted Variable Bias (OVB) 6.1 and 6.2 House prices and OVB Should I build a fireplace? The following

More information

Study 2: data analysis. Example analysis using R

Study 2: data analysis. Example analysis using R Study 2: data analysis Example analysis using R Steps for data analysis Install software on your computer or locate computer with software (e.g., R, systat, SPSS) Prepare data for analysis Subjects (rows)

More information

Fall 2004 Social Sciences 7418 University of Wisconsin-Madison Problem Set 5 Answers

Fall 2004 Social Sciences 7418 University of Wisconsin-Madison Problem Set 5 Answers Economics 310 Menzie D. Chinn Fall 2004 Social Sciences 7418 University of Wisconsin-Madison Problem Set 5 Answers This problem set is due in lecture on Wednesday, December 15th. No late problem sets will

More information

A Sensitivity Analysis between Common Risk Factors and Exchange Traded Funds

A Sensitivity Analysis between Common Risk Factors and Exchange Traded Funds A Sensitivity Analysis between Common Risk Factors and Exchange Traded Funds Tahura Pervin Dept. of Humanities and Social Sciences, Dhaka University of Engineering & Technology (DUET), Gazipur, Bangladesh

More information

Regression and Simulation

Regression and Simulation Regression and Simulation This is an introductory R session, so it may go slowly if you have never used R before. Do not be discouraged. A great way to learn a new language like this is to plunge right

More information

Monetary Economics Risk and Return, Part 2. Gerald P. Dwyer Fall 2015

Monetary Economics Risk and Return, Part 2. Gerald P. Dwyer Fall 2015 Monetary Economics Risk and Return, Part 2 Gerald P. Dwyer Fall 2015 Reading Malkiel, Part 2, Part 3 Malkiel, Part 3 Outline Returns and risk Overall market risk reduced over longer periods Individual

More information

Lecture Note: Analysis of Financial Time Series Spring 2017, Ruey S. Tsay

Lecture Note: Analysis of Financial Time Series Spring 2017, Ruey S. Tsay Lecture Note: Analysis of Financial Time Series Spring 2017, Ruey S. Tsay Seasonal Time Series: TS with periodic patterns and useful in predicting quarterly earnings pricing weather-related derivatives

More information

University of California Berkeley

University of California Berkeley University of California Berkeley A Comment on The Cross-Section of Volatility and Expected Returns : The Statistical Significance of FVIX is Driven by a Single Outlier Robert M. Anderson Stephen W. Bianchi

More information

SDF based asset pricing

SDF based asset pricing SDF based asset pricing Bernt Arne Ødegaard 20 September 2018 Contents 1 General overview of asset pricing testing. 1 1.1 Pricing operators........................................ 1 2 Present value relationship.

More information

2SLS HATCO SPSS, STATA and SHAZAM. Example by Eddie Oczkowski. August 2001

2SLS HATCO SPSS, STATA and SHAZAM. Example by Eddie Oczkowski. August 2001 2SLS HATCO SPSS, STATA and SHAZAM Example by Eddie Oczkowski August 2001 This example illustrates how to use SPSS to estimate and evaluate a 2SLS latent variable model. The bulk of the example relates

More information

Problem Set 3 Due by Sat 12:00, week 3

Problem Set 3 Due by Sat 12:00, week 3 Business 35150 John H. Cochrane Problem Set 3 Due by Sat 12:00, week 3 Part I. Reading questions: These refer to the reading assignment in the syllabus. Please hand in short answers. Where appropriate,

More information

Internet Appendix to The Booms and Busts of Beta Arbitrage

Internet Appendix to The Booms and Busts of Beta Arbitrage Internet Appendix to The Booms and Busts of Beta Arbitrage Table A1: Event Time CoBAR This table reports some basic statistics of CoBAR, the excess comovement among low beta stocks over the period 1970

More information

Empirical Asset Pricing for Tactical Asset Allocation

Empirical Asset Pricing for Tactical Asset Allocation Introduction Process Model Conclusion Department of Finance The University of Connecticut School of Business stephen.r.rush@gmail.com May 10, 2012 Background Portfolio Managers Want to justify fees with

More information

R is a collaborative project with many contributors. Type contributors() for more information.

R is a collaborative project with many contributors. Type contributors() for more information. R is free software and comes with ABSOLUTELY NO WARRANTY. You are welcome to redistribute it under certain conditions. Type license() or licence() for distribution details. R is a collaborative project

More information

Statistical Models of Stocks and Bonds. Zachary D Easterling: Department of Economics. The University of Akron

Statistical Models of Stocks and Bonds. Zachary D Easterling: Department of Economics. The University of Akron Statistical Models of Stocks and Bonds Zachary D Easterling: Department of Economics The University of Akron Abstract One of the key ideas in monetary economics is that the prices of investments tend to

More information

University of Zürich, Switzerland

University of Zürich, Switzerland University of Zürich, Switzerland RE - general asset features The inclusion of real estate assets in a portfolio has proven to bring diversification benefits both for homeowners [Mahieu, Van Bussel 1996]

More information

Homework Assignment Section 3

Homework Assignment Section 3 Homework Assignment Section 3 Tengyuan Liang Business Statistics Booth School of Business Problem 1 A company sets different prices for a particular stereo system in eight different regions of the country.

More information

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

Long and Short Run Correlation Risk in Stock Returns

Long and Short Run Correlation Risk in Stock Returns Long and Short Run Correlation Risk in Stock Returns Discussion by Ric Colacito Econometric Society Winter Meetings, Denver, 1/2011 1 / 10 Contribution 1 Background: market variance risk premium predicts

More information

Empirics of the Oslo Stock Exchange:. Asset pricing results

Empirics of the Oslo Stock Exchange:. Asset pricing results Empirics of the Oslo Stock Exchange:. Asset pricing results. 1980 2016. Bernt Arne Ødegaard Jan 2017 Abstract We show the results of numerous asset pricing specifications on the crossection of assets at

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

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

EXST7015: Multiple Regression from Snedecor & Cochran (1967) RAW DATA LISTING

EXST7015: Multiple Regression from Snedecor & Cochran (1967) RAW DATA LISTING Multiple (Linear) Regression Introductory example Page 1 1 options ps=256 ls=132 nocenter nodate nonumber; 3 DATA ONE; 4 TITLE1 ''; 5 INPUT X1 X2 X3 Y; 6 **** LABEL Y ='Plant available phosphorus' 7 X1='Inorganic

More information

The Capital Asset Pricing Model

The Capital Asset Pricing Model INTRO TO PORTFOLIO RISK MANAGEMENT IN PYTHON The Capital Asset Pricing Model Dakota Wixom Quantitative Analyst QuantCourse.com The Founding Father of Asset Pricing Models CAPM The Capital Asset Pricing

More information

Problem Set 6. I did this with figure; bar3(reshape(mean(rx),5,5) );ylabel( size ); xlabel( value ); mean mo return %

Problem Set 6. I did this with figure; bar3(reshape(mean(rx),5,5) );ylabel( size ); xlabel( value ); mean mo return % Business 35905 John H. Cochrane Problem Set 6 We re going to replicate and extend Fama and French s basic results, using earlier and extended data. Get the 25 Fama French portfolios and factors from the

More information

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2017, Mr. Ruey S. Tsay. Solutions to Final Exam

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2017, Mr. Ruey S. Tsay. Solutions to Final Exam The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2017, Mr. Ruey S. Tsay Solutions to Final Exam Problem A: (40 points) Answer briefly the following questions. 1. Describe

More information

Random Effects ANOVA

Random Effects ANOVA Random Effects ANOVA Grant B. Morgan Baylor University This post contains code for conducting a random effects ANOVA. Make sure the following packages are installed: foreign, lme4, lsr, lattice. library(foreign)

More information

Lecture 1: Empirical Properties of Returns

Lecture 1: Empirical Properties of Returns Lecture 1: Empirical Properties of Returns Econ 589 Eric Zivot Spring 2011 Updated: March 29, 2011 Daily CC Returns on MSFT -0.3 r(t) -0.2-0.1 0.1 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996

More information

Optimal Debt-to-Equity Ratios and Stock Returns

Optimal Debt-to-Equity Ratios and Stock Returns Utah State University DigitalCommons@USU All Graduate Plan B and other Reports Graduate Studies 5-2014 Optimal Debt-to-Equity Ratios and Stock Returns Courtney D. Winn Utah State University Follow this

More information

Stat 328, Summer 2005

Stat 328, Summer 2005 Stat 328, Summer 2005 Exam #2, 6/18/05 Name (print) UnivID I have neither given nor received any unauthorized aid in completing this exam. Signed Answer each question completely showing your work where

More information

SFSU FIN822 Project 1

SFSU FIN822 Project 1 SFSU FIN822 Project 1 This project can be done in a team of up to 3 people. Your project report must be accompanied by printouts of programming outputs. You could use any software to solve the problems.

More information

Booth School of Business, University of Chicago Business 41202, Spring Quarter 2016, Mr. Ruey S. Tsay. Solutions to Midterm

Booth School of Business, University of Chicago Business 41202, Spring Quarter 2016, Mr. Ruey S. Tsay. Solutions to Midterm Booth School of Business, University of Chicago Business 41202, Spring Quarter 2016, Mr. Ruey S. Tsay Solutions to Midterm Problem A: (30 pts) Answer briefly the following questions. Each question has

More information

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2010, Mr. Ruey S. Tsay Solutions to Final Exam

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2010, Mr. Ruey S. Tsay Solutions to Final Exam The University of Chicago, Booth School of Business Business 410, Spring Quarter 010, Mr. Ruey S. Tsay Solutions to Final Exam Problem A: (4 pts) Answer briefly the following questions. 1. Questions 1

More information

Lecture 5a: ARCH Models

Lecture 5a: ARCH Models Lecture 5a: ARCH Models 1 2 Big Picture 1. We use ARMA model for the conditional mean 2. We use ARCH model for the conditional variance 3. ARMA and ARCH model can be used together to describe both conditional

More information

Linear regression model

Linear regression model Regression Model Assumptions (Solutions) STAT-UB.0003: Regression and Forecasting Models Linear regression model 1. Here is the least squares regression fit to the Zagat restaurant data: 10 15 20 25 10

More information

Gov 2001: Section 5. I. A Normal Example II. Uncertainty. Gov Spring 2010

Gov 2001: Section 5. I. A Normal Example II. Uncertainty. Gov Spring 2010 Gov 2001: Section 5 I. A Normal Example II. Uncertainty Gov 2001 Spring 2010 A roadmap We started by introducing the concept of likelihood in the simplest univariate context one observation, one variable.

More information

Lecture Note: Analysis of Financial Time Series Spring 2008, Ruey S. Tsay. Seasonal Time Series: TS with periodic patterns and useful in

Lecture Note: Analysis of Financial Time Series Spring 2008, Ruey S. Tsay. Seasonal Time Series: TS with periodic patterns and useful in Lecture Note: Analysis of Financial Time Series Spring 2008, Ruey S. Tsay Seasonal Time Series: TS with periodic patterns and useful in predicting quarterly earnings pricing weather-related derivatives

More information

Exchange Rate Regime Analysis for the Indian Rupee

Exchange Rate Regime Analysis for the Indian Rupee Exchange Rate Regime Analysis for the Indian Rupee Achim Zeileis Ajay Shah Ila Patnaik Abstract We investigate the Indian exchange rate regime starting from 1993 when trading in the Indian rupee began

More information

MCMC Package Example

MCMC Package Example MCMC Package Example Charles J. Geyer April 4, 2005 This is an example of using the mcmc package in R. The problem comes from a take-home question on a (take-home) PhD qualifying exam (School of Statistics,

More information

Risk Management. Risk: the quantifiable likelihood of loss or less-than-expected returns.

Risk Management. Risk: the quantifiable likelihood of loss or less-than-expected returns. ARCH/GARCH Models 1 Risk Management Risk: the quantifiable likelihood of loss or less-than-expected returns. In recent decades the field of financial risk management has undergone explosive development.

More information

Maximum Likelihood Estimation

Maximum Likelihood Estimation Maximum Likelihood Estimation EPSY 905: Fundamentals of Multivariate Modeling Online Lecture #6 EPSY 905: Maximum Likelihood In This Lecture The basics of maximum likelihood estimation Ø The engine that

More information

Cost of Capital. Cost of capital A firm s cost of capital is the required return on its investments.

Cost of Capital. Cost of capital A firm s cost of capital is the required return on its investments. Cost of Capital Cost of capital A firm s cost of capital is the required return on its investments. For capital budgeting purposes, need a cost of capital, the required return on the firm s investments.

More information

Modelling Returns: the CER and the CAPM

Modelling Returns: the CER and the CAPM Modelling Returns: the CER and the CAPM Carlo Favero Favero () Modelling Returns: the CER and the CAPM 1 / 20 Econometric Modelling of Financial Returns Financial data are mostly observational data: they

More information

Chapter 4 Level of Volatility in the Indian Stock Market

Chapter 4 Level of Volatility in the Indian Stock Market Chapter 4 Level of Volatility in the Indian Stock Market Measurement of volatility is an important issue in financial econometrics. The main reason for the prominent role that volatility plays in financial

More information

Bessembinder / Zhang (2013): Firm characteristics and long-run stock returns after corporate events. Discussion by Henrik Moser April 24, 2015

Bessembinder / Zhang (2013): Firm characteristics and long-run stock returns after corporate events. Discussion by Henrik Moser April 24, 2015 Bessembinder / Zhang (2013): Firm characteristics and long-run stock returns after corporate events Discussion by Henrik Moser April 24, 2015 Motivation of the paper 3 Authors review the connection of

More information

Appendix. A.1 Independent Random Effects (Baseline)

Appendix. A.1 Independent Random Effects (Baseline) A Appendix A.1 Independent Random Effects (Baseline) 36 Table 2: Detailed Monte Carlo Results Logit Fixed Effects Clustered Random Effects Random Coefficients c Coeff. SE SD Coeff. SE SD Coeff. SE SD Coeff.

More information

Using Pitman Closeness to Compare Stock Return Models

Using Pitman Closeness to Compare Stock Return Models International Journal of Business and Social Science Vol. 5, No. 9(1); August 2014 Using Pitman Closeness to Compare Stock Return s Victoria Javine Department of Economics, Finance, & Legal Studies University

More information

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2009, Mr. Ruey S. Tsay. Solutions to Final Exam

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2009, Mr. Ruey S. Tsay. Solutions to Final Exam The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2009, Mr. Ruey S. Tsay Solutions to Final Exam Problem A: (42 pts) Answer briefly the following questions. 1. Questions

More information

Exchange Rate Regime Classification with Structural Change Methods

Exchange Rate Regime Classification with Structural Change Methods Exchange Rate Regime Classification with Structural Change Methods Achim Zeileis Ajay Shah Ila Patnaik http://statmath.wu-wien.ac.at/ zeileis/ Overview Exchange rate regimes What is the new Chinese exchange

More information

A SEARCH FOR A STABLE LONG RUN MONEY DEMAND FUNCTION FOR THE US

A SEARCH FOR A STABLE LONG RUN MONEY DEMAND FUNCTION FOR THE US A. Journal. Bis. Stus. 5(3):01-12, May 2015 An online Journal of G -Science Implementation & Publication, website: www.gscience.net A SEARCH FOR A STABLE LONG RUN MONEY DEMAND FUNCTION FOR THE US H. HUSAIN

More information

Global Journal of Finance and Banking Issues Vol. 5. No Manu Sharma & Rajnish Aggarwal PERFORMANCE ANALYSIS OF HEDGE FUND INDICES

Global Journal of Finance and Banking Issues Vol. 5. No Manu Sharma & Rajnish Aggarwal PERFORMANCE ANALYSIS OF HEDGE FUND INDICES PERFORMANCE ANALYSIS OF HEDGE FUND INDICES Dr. Manu Sharma 1 Panjab University, India E-mail: manumba2000@yahoo.com Rajnish Aggarwal 2 Panjab University, India Email: aggarwalrajnish@gmail.com Abstract

More information

General Business 706 Midterm #3 November 25, 1997

General Business 706 Midterm #3 November 25, 1997 General Business 706 Midterm #3 November 25, 1997 There are 9 questions on this exam for a total of 40 points. Please be sure to put your name and ID in the spaces provided below. Now, if you feel any

More information

Finansavisen A case study of secondary dissemination of insider trade notifications

Finansavisen A case study of secondary dissemination of insider trade notifications Finansavisen A case study of secondary dissemination of insider trade notifications B Espen Eckbo and Bernt Arne Ødegaard Oct 2015 Abstract We consider a case of secondary dissemination of insider trades.

More information

Daily Data is Bad for Beta: Opacity and Frequency-Dependent Betas Online Appendix

Daily Data is Bad for Beta: Opacity and Frequency-Dependent Betas Online Appendix Daily Data is Bad for Beta: Opacity and Frequency-Dependent Betas Online Appendix Thomas Gilbert Christopher Hrdlicka Jonathan Kalodimos Stephan Siegel December 17, 2013 Abstract In this Online Appendix,

More information

Asset Pricing and Excess Returns over the Market Return

Asset Pricing and Excess Returns over the Market Return Supplemental material for Asset Pricing and Excess Returns over the Market Return Seung C. Ahn Arizona State University Alex R. Horenstein University of Miami This documents contains an additional figure

More information

Homework Assignment Section 3

Homework Assignment Section 3 Homework Assignment Section 3 Tengyuan Liang Business Statistics Booth School of Business Problem 1 A company sets different prices for a particular stereo system in eight different regions of the country.

More information

Problem Set 4 Solutions

Problem Set 4 Solutions Business John H. Cochrane Problem Set Solutions Part I readings. Give one-sentence answers.. Novy-Marx, The Profitability Premium. Preview: We see that gross profitability forecasts returns, a lot; its

More information

Discussion of: Asset Prices with Fading Memory

Discussion of: Asset Prices with Fading Memory Discussion of: Asset Prices with Fading Memory Stefan Nagel and Zhengyang Xu Kent Daniel Columbia Business School & NBER 2018 Fordham Rising Stars Conference May 11, 2018 Introduction Summary Model Estimation

More information

What is the Expected Return on a Stock?

What is the Expected Return on a Stock? What is the Expected Return on a Stock? Ian Martin Christian Wagner November, 2017 Martin & Wagner (LSE & CBS) What is the Expected Return on a Stock? November, 2017 1 / 38 What is the expected return

More information

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2017, Mr. Ruey S. Tsay. Final Exam

The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2017, Mr. Ruey S. Tsay. Final Exam The University of Chicago, Booth School of Business Business 41202, Spring Quarter 2017, Mr. Ruey S. Tsay Final Exam Booth Honor Code: I pledge my honor that I have not violated the Honor Code during this

More information

Topic 8: Model Diagnostics

Topic 8: Model Diagnostics Topic 8: Model Diagnostics Outline Diagnostics to check model assumptions Diagnostics concerning X Diagnostics using the residuals Diagnostics and remedial measures Diagnostics: look at the data to diagnose

More information

Determination of the Optimal Stratum Boundaries in the Monthly Retail Trade Survey in the Croatian Bureau of Statistics

Determination of the Optimal Stratum Boundaries in the Monthly Retail Trade Survey in the Croatian Bureau of Statistics Determination of the Optimal Stratum Boundaries in the Monthly Retail Trade Survey in the Croatian Bureau of Statistics Ivana JURINA (jurinai@dzs.hr) Croatian Bureau of Statistics Lidija GLIGOROVA (gligoroval@dzs.hr)

More information

Note on Cost of Capital

Note on Cost of Capital DUKE UNIVERSITY, FUQUA SCHOOL OF BUSINESS ACCOUNTG 512F: FUNDAMENTALS OF FINANCIAL ANALYSIS Note on Cost of Capital For the course, you should concentrate on the CAPM and the weighted average cost of capital.

More information

The Relationship between Consumer Price Index and Producer Price Index in China

The Relationship between Consumer Price Index and Producer Price Index in China Southern Illinois University Carbondale OpenSIUC Research Papers Graduate School Winter 12-15-2017 The Relationship between Consumer Price Index and Producer Price Index in China binbin shen sbinbin1217@siu.edu

More information

Multiple Regression and Logistic Regression II. Dajiang 525 Apr

Multiple Regression and Logistic Regression II. Dajiang 525 Apr Multiple Regression and Logistic Regression II Dajiang Liu @PHS 525 Apr-19-2016 Materials from Last Time Multiple regression model: Include multiple predictors in the model = + + + + How to interpret the

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

Principles of Econometrics Mid-Term

Principles of Econometrics Mid-Term Principles of Econometrics Mid-Term João Valle e Azevedo Sérgio Gaspar October 6th, 2008 Time for completion: 70 min For each question, identify the correct answer. For each question, there is one and

More information

Models of Patterns. Lecture 3, SMMD 2005 Bob Stine

Models of Patterns. Lecture 3, SMMD 2005 Bob Stine Models of Patterns Lecture 3, SMMD 2005 Bob Stine Review Speculative investing and portfolios Risk and variance Volatility adjusted return Volatility drag Dependence Covariance Review Example Stock and

More information