没有python库的LASSO回归实现

时间:2019-01-28 22:21:35

标签: python machine-learning data-science lasso regularized

我是一名python新手,并在不使用python库(例如sklearn等)的情况下认真地寻找LASSO的python实现

我对此特别感兴趣,可以帮助我理解基础数学如何转换为python代码。为此,我更喜欢使用LASSO的裸python实现,而无需使用任何示例数据集的python库。

谢谢!

1 个答案:

答案 0 :(得分:0)

首先,您的问题不恰当,因为存在许多解决套索的算法。 现在最流行的是坐标下降。这是算法的框架(没有停止条件)。我使用numba / jit是因为for循环在python中可能很慢。

import numpy as np

from numba import njit

@njit
def ST(x, u):
    "Soft thresholding of x at level u"""
    return np.sign(x) * np.maximum(np.abs(x) - u, 0.)



@njit
def cd_solver(X, y, alpha, max_iter):
    n_samples, n_features = X.shape


    beta = np.zeros(n_features)
    R = y.copy()  # residuals y - X @ beta
    lc = (X ** 2).sum(axis=0)  # lipschitz constants for coordinate descent
    for t in range(max_iter):
        for j in range(n_features):
            old = beta[j]
            beta[j] = ST(old + X[:, j].dot(R) / lc[j], alpha / lc[j])

            # keep residuals up to date
            if old != beta[j]:
                R += (old - beta[j]) * X[:, j]


        # I'll leave it up to you to implement a proper stopping criterion

    return beta



X = np.random.randn(100, 200)
y = np.random.randn(100)

if not np.isfortran(X):
    X = np.asfortranarray(X)        

alpha_max = np.max(np.abs(X.T.dot(y)))

cd_solver(X, y, alpha_max / 2., 100)

您也可以尝试使用近端梯度/ ISTA,但是根据我的经验,它比CD慢。