如何将线性模型与阶跃函数结合

时间:2019-02-28 13:24:19

标签: r glm lm

假设我们有以下数据:

library(tidyverse)
library(modelr)

set.seed(42)
d1 <- tibble(x =  0:49, y = 5*x  + rnorm(n = 50))
d2 <- tibble(x = 50:99, y = 10*x + rnorm(n = 50))
data <- rbind(d1, d2)   
ggplot(data, aes(x, y)) +
  geom_point()

enter image description here

如何拟合这些数据?

我尝试过的事情:

线性模型

m1 <- lm(y ~ x, data = data)
data %>%
  add_predictions(m1) %>%
  gather(key = cat, value = y, -x) %>%
  ggplot(aes(x, y, color = cat)) +
  geom_point()

enter image description here

步进功能



# step model
m2 <- lm(y ~ cut(x, 2), data = data)
data %>%
  add_predictions(m2) %>%
  gather(key = cat, value = y, -x) %>%
  ggplot(aes(x, y, color = cat)) +
  geom_point()

enter image description here

如何将两者结合?

1 个答案:

答案 0 :(得分:2)

从数学上讲,您的模型采用以下形式

    { a_0 + a_1 x  when x < 50
y = {
    { b_0 + b_1 x when x >= 50

您可以将其与指标函数结合使用以形成单行方程式:

y = a_0 + (b_0 - a_0) * 1[x >= 50] + a_1 * x + (b_1 - a_1) * x * 1[x >= 50] + error

简化,我们可以这样写:

y = c_0 + c_1 * x + c_2 * z + c_3 * x * z + error

我在写z = 1[x >= 50]的地方强调这个指标函数只是另一个回归器

在R中,我们可以这样拟合

lm(y ~ x * I(x >= 50), data = data)

*将根据需要完全与x1[x >= 50]进行交互。

with(data, {
  plot(x, y)
  reg = lm(y ~ x * I(x >= 50))

  lines(x, predict(reg, data.frame(x)))
})

enter image description here

如果您不知道跳跃发生在50岁,则道路是宽阔的,但是您可以例如比较均方误差:

x_range = 1:100
errs = sapply(x_range, function(BREAK) {
  mean(lm(y ~ x * I(x >= BREAK), data = data)$residuals^2)
})
plot(x_range, errs)
x_min = x_range[which.min(errs)]
axis(side = 1L, at = x_min)
abline(v = x_min, col = 'red')

enter image description here