lm() 系数的弹性函数

Elasticity function for lm() coefficient

我想知道是否有一个函数可以为使用 lm() 估计的模型计算(经济)弹性。

因变量的百分比变化的弹性,围绕其均值 Y,对于自变量 1% 的变化,高于其均值 X,计算如下:b*X/Y (b = 自变量的模型系数)。

以下是具有简单线性模型和每个系数弹性的 Rmd 文件的代码。输出应该是 table 的变量名和弹性。

---
title: "Elasticity"
output: html_document
---

```{r}
N <- 1000
u <- rnorm(N)
x1 <- rnorm(N)
x2 <- 1 + x1 + rnorm(N)
y <- 1 + x1 + x2 + u
df <- data.frame(y,x1,x2)

fit <- lm(y ~ x1 + x2, data = df)

elax1 <- as.numeric(fit$coefficients["x1"] * mean(df$x1)/mean(df$y))
elax2 <- as.numeric(fit$coefficients["x2"] * mean(df$x2)/mean(df$y))

variable <-c ('x1','x2')
elasticity <-c (elax1,elax2)
a <- data.frame(variable,elasticity)

```

Output the results in a table:

```{r, message=FALSE,results='asis'}
require(stargazer)
stargazer(a, summary = FALSE,type = 'html',rownames=FALSE)
```

我想出了自己的解决方案,也许它可以帮助别人。请注意,我在模型中包含了一个交互。当然,欢迎改进。

---
title: "Elasticity"
output: html_document
---

Generate data and linear model:
```{r}
N <- 1000
u <- rnorm(N)
x1 <- rnorm(N)
x2 <- 1 + x1 + rnorm(N)
y <- 1 + x1 + x2 + u
df <- data.frame(y,x1,x2)

fit <- lm(y ~ x1 * x2, data = df)

```


Function to calculate elasticities:
```{r,results='asis'}

elasticities <- function(linmod){
Ncoef <- nrow(data.frame(linmod$coefficients))
for(i in 2:Ncoef){
  el <- as.numeric(linmod$coefficients[i] * colMeans(model.matrix(linmod))[i]/colMeans(model.matrix(linmod))[1])
  ifelse (i== 2, elasticity <- el, elasticity <- rbind(elasticity,el))
}
rownames(elasticity) <- names(coef(linmod)[-1])
colnames(elasticity) <- 'elasticities'

return(data.frame(elasticity))
}
```

Run the elasticites function and produce a nice table:
```{r,results='asis',message=FALSE}
a <- elasticities(fit)

require(stargazer)
stargazer(a, summary = FALSE, type = 'html')

```