Чому використання методу Ньютона для оптимізації логістичної регресії називають ітераційними перезваженими найменшими квадратами?
Мені це здається незрозумілим, оскільки логістичні втрати та найменші втрати квадратів - це абсолютно різні речі.
Чому використання методу Ньютона для оптимізації логістичної регресії називають ітераційними перезваженими найменшими квадратами?
Мені це здається незрозумілим, оскільки логістичні втрати та найменші втрати квадратів - це абсолютно різні речі.
Відповіді:
Короткий зміст: ГЛМ підходять через підрахунок Фішера, який, як зазначає Димитрій В. Мастеров, - це Ньютон-Рафсон з очікуваним Гессіаном (тобто ми використовуємо оцінку інформації Фішера замість спостережуваної інформації). Якщо ми використовуємо канонічну функцію зв’язку, виявиться, що спостережуваний Гессіан дорівнює очікуваному Гессіану, тому оцінка НР та Фішера в цьому випадку однакова. Так чи інакше, ми побачимо, що оцінка Фішера насправді відповідає лінійній моделі найменш зважених квадратів, а оцінки коефіцієнтів з цього сходяться * на максимум ймовірності логістичної регресії. Окрім зменшення розміщення логістичної регресії до вже вирішеної проблеми, ми також отримуємо користь від можливості використовувати лінійну регресійну діагностику на остаточному підході WLS, щоб дізнатися про нашу логістичну регресію.
Я буду тримати це зосереджено на логістичної регресії, але і для більш загальної точки зору по максимальної ймовірності в GLMS я рекомендую розділ 15.3 цього розділу , яка проходить через це і отримує IRLS в більш загальній постановці (я думаю , що це від Джона Фокс прикладного Регресійний аналіз та узагальнені лінійні моделі ).
дивіться коментарі наприкінці
Ми підходимо до нашого GLM, повторивши щось із вигляду
Наша функція зв'язку - це функція яка відображає умовне середнє до нашого лінійного прогноктора, тому наша модель для середнього рівня . Нехай - функція зворотного зв'язку, яка відображає лінійний предиктор до середнього.
Для логістичної регресії маємо ймовірність Бернуллі з незалежними спостереженнями, тому
Тепер припустимо, що ми використовуємо канонічну функцію зв'язку . Тоді такщо означає, що це спрощує так ∇л(б;у)=ХТ(у - у ). Крім того, все ще використовуючиhc, ∂2ℓ
Нехай Тоді ми маємо H=- X T WX і відзначимо, як це більше не має y i в ньому, томуE(H)=H(ми розглядаємо це як функціюb,тому єдиною випадковою річчю єyсебе). Таким чином, ми показали, що оцінка Фішера еквівалентна Ньютону-Рафсону, коли ми використовуємо канонічну ланку в логістичній регресії. Крімв силу
Now create the working response and note that
Checking this in R
:
set.seed(123)
p <- 5
n <- 500
x <- matrix(rnorm(n * p), n, p)
betas <- runif(p, -2, 2)
hc <- function(x) 1 /(1 + exp(-x)) # inverse canonical link
p.true <- hc(x %*% betas)
y <- rbinom(n, 1, p.true)
# fitting with our procedure
my_IRLS_canonical <- function(x, y, b.init, hc, tol=1e-8) {
change <- Inf
b.old <- b.init
while(change > tol) {
eta <- x %*% b.old # linear predictor
y.hat <- hc(eta)
h.prime_eta <- y.hat * (1 - y.hat)
z <- (y - y.hat) / h.prime_eta
b.new <- b.old + lm(z ~ x - 1, weights = h.prime_eta)$coef # WLS regression
change <- sqrt(sum((b.new - b.old)^2))
b.old <- b.new
}
b.new
}
my_IRLS_canonical(x, y, rep(1,p), hc)
# x1 x2 x3 x4 x5
# -1.1149687 2.1897992 1.0271298 0.8702975 -1.2074851
glm(y ~ x - 1, family=binomial())$coef
# x1 x2 x3 x4 x5
# -1.1149687 2.1897992 1.0271298 0.8702975 -1.2074851
and they agree.
Now if we're not using the canonical link we don't get the simplification of in so becomes much more complicated, and we therefore see a noticeable difference by using in our Fisher scoring.
Here's how this will go: we already worked out the general so the Hessian will be the main difficulty. We need
Via the linearity of expectation all we need to do to get is replace each occurrence of with its mean under our model which is . Each term in the summand will therefore contain a factor of the form
Now let
We have
All together we are iterating
I've written it out this way to emphasize the connection to Newton-Raphson, but frequently people will factor the updates so that each new point is itself the WLS solution, rather than a WLS solution added to the current point . If we wanted to do this, we can do the following:
Let's confirm that this works by using it to perform a probit regression on the same simulated data as before (and this is not the canonical link, so we need this more general form of IRLS).
my_IRLS_general <- function(x, y, b.init, h, h.prime, tol=1e-8) {
change <- Inf
b.old <- b.init
while(change > tol) {
eta <- x %*% b.old # linear predictor
y.hat <- h(eta)
h.prime_eta <- h.prime(eta)
w_star <- h.prime_eta^2 / (y.hat * (1 - y.hat))
z_star <- (y - y.hat) / h.prime_eta
b.new <- b.old + lm(z_star ~ x - 1, weights = w_star)$coef # WLS
change <- sqrt(sum((b.new - b.old)^2))
b.old <- b.new
}
b.new
}
# probit inverse link and derivative
h_probit <- function(x) pnorm(x, 0, 1)
h.prime_probit <- function(x) dnorm(x, 0, 1)
my_IRLS_general(x, y, rep(0,p), h_probit, h.prime_probit)
# x1 x2 x3 x4 x5
# -0.6456508 1.2520266 0.5820856 0.4982678 -0.6768585
glm(y~x-1, family=binomial(link="probit"))$coef
# x1 x2 x3 x4 x5
# -0.6456490 1.2520241 0.5820835 0.4982663 -0.6768581
and again the two agree.
Finally, a few quick comments on convergence (I'll keep this brief as this is getting really long and I'm no expert at optimization). Even though theoretically each is negative definite, bad initial conditions can still prevent this algorithm from converging. In the probit example above, changing the initial conditions to b.init=rep(1,p)
results in this, and that doesn't even look like a suspicious initial condition. If you step through the IRLS procedure with that initialization and these simulated data, by the second time through the loop there are some that round to exactly and so the weights become undefined. If we're using the canonical link in the algorithm I gave we won't ever be dividing by to get undefined weights, but if we've got a situation where some are approaching or , such as in the case of perfect separation, then we'll still get non-convergence as the gradient dies without us reaching anything.