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

问题描述 投票:0回答:1

假设我们有这些数据:

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

如何结合两者?

r glm lm
1个回答
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

© www.soinside.com 2019 - 2024. All rights reserved.