
    hD                       d Z ddlZddlZddlmZ ddlmZmZ ddlZ	ddl
mZmZ ddlmZ ddlmZmZmZ dd	lmZ dd
lmZ ddlmZmZmZmZ ddlmZmZmZm Z m!Z! ddl"m#Z#m$Z$m%Z%m&Z& ddl'm(Z(m)Z) ddl*m+Z+ ddl,m-Z-m.Z.m/Z/ ddiZ0 e&e	jb                  dge	jb                  dge	jb                  dg e%dh      de	jb                  dg e$eddd      g e$eddd      g e%ddh      gdg e$eddd      dgdgdgdgdgdgdd      	 d2ddddd e	jd                  e3      jh                  dddddd d!       Z5 e&e	jb                  ge	jb                  g e$eddd      g e$eddd      g e$eddd      g e%ddh      gdg e$eddd      dgdgdgdgdgdgd"d      dddd e	jd                  e3      jh                  dddddd#
d$       Z6ddddddd e	jd                  e3      jh                  dddddfd%Z7 G d& d'eee-      Z8 G d( d)e8      Z9d3d*Z:dddddd e	jd                  e3      jh                  dfd+Z; G d, d-e8      Z< G d. d/e<      Z= G d0 d1e9      Z>y)4zt
Least Angle Regression algorithm. See the documentation on the
Generalized Linear Model for a complete discussion.
    N)log)IntegralReal)interpolatelinalg)get_lapack_funcs   )MultiOutputMixinRegressorMixin_fit_context)ConvergenceWarning)check_cv)Bunch
arrayfuncsas_float_arraycheck_random_state)MetadataRouterMethodMapping_raise_for_params_routing_enabledprocess_routing)HiddenInterval
StrOptionsvalidate_params)Paralleldelayed)validate_data   )LinearModelLinearRegression_preprocess_datacheck_finiteFautobooleanleftclosedlarlassoneitherverboseXyXyGrammax_iter	alpha_minmethodcopy_Xeps	copy_Gramr,   return_pathreturn_n_iterpositiveTprefer_skip_nested_validation  )r1   r2   r3   r4   r5   r6   r7   r,   r8   r9   r:   c                T    | |t        d      t        | |||d||||||	|
|||      S )a  Compute Least Angle Regression or Lasso path using the LARS algorithm.

    The optimization objective for the case method='lasso' is::

    (1 / (2 * n_samples)) * ||y - Xw||^2_2 + alpha * ||w||_1

    in the case of method='lar', the objective function is only known in
    the form of an implicit equation (see discussion in [1]_).

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    X : None or ndarray of shape (n_samples, n_features)
        Input data. If X is `None`, Gram must also be `None`.
        If only the Gram matrix is available, use `lars_path_gram` instead.

    y : None or ndarray of shape (n_samples,)
        Input targets.

    Xy : array-like of shape (n_features,), default=None
        `Xy = X.T @ y` that can be precomputed. It is useful
        only when the Gram matrix is precomputed.

    Gram : None, 'auto', bool, ndarray of shape (n_features, n_features),             default=None
        Precomputed Gram matrix `X.T @ X`, if `'auto'`, the Gram
        matrix is precomputed from the given X, if there are more samples
        than features.

    max_iter : int, default=500
        Maximum number of iterations to perform, set to infinity for no limit.

    alpha_min : float, default=0
        Minimum correlation along the path. It corresponds to the
        regularization parameter `alpha` in the Lasso.

    method : {'lar', 'lasso'}, default='lar'
        Specifies the returned model. Select `'lar'` for Least Angle
        Regression, `'lasso'` for the Lasso.

    copy_X : bool, default=True
        If `False`, `X` is overwritten.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the `tol` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_Gram : bool, default=True
        If `False`, `Gram` is overwritten.

    verbose : int, default=0
        Controls output verbosity.

    return_path : bool, default=True
        If `True`, returns the entire path, else returns only the
        last point of the path.

    return_n_iter : bool, default=False
        Whether to return the number of iterations.

    positive : bool, default=False
        Restrict coefficients to be >= 0.
        This option is only allowed with method 'lasso'. Note that the model
        coefficients will not converge to the ordinary-least-squares solution
        for small values of alpha. Only coefficients up to the smallest alpha
        value (`alphas_[alphas_ > 0.].min()` when fit_path=True) reached by
        the stepwise Lars-Lasso algorithm are typically in congruence with the
        solution of the coordinate descent `lasso_path` function.

    Returns
    -------
    alphas : ndarray of shape (n_alphas + 1,)
        Maximum of covariances (in absolute value) at each iteration.
        `n_alphas` is either `max_iter`, `n_features`, or the
        number of nodes in the path with `alpha >= alpha_min`, whichever
        is smaller.

    active : ndarray of shape (n_alphas,)
        Indices of active variables at the end of the path.

    coefs : ndarray of shape (n_features, n_alphas + 1)
        Coefficients along the path.

    n_iter : int
        Number of iterations run. Returned only if `return_n_iter` is set
        to True.

    See Also
    --------
    lars_path_gram : Compute LARS path in the sufficient stats mode.
    lasso_path : Compute Lasso path with coordinate descent.
    LassoLars : Lasso model fit with Least Angle Regression a.k.a. Lars.
    Lars : Least Angle Regression model a.k.a. LAR.
    LassoLarsCV : Cross-validated Lasso, using the LARS algorithm.
    LarsCV : Cross-validated Least Angle Regression model.
    sklearn.decomposition.sparse_encode : Sparse coding.

    References
    ----------
    .. [1] "Least Angle Regression", Efron et al.
           http://statweb.stanford.edu/~tibs/ftp/lars.pdf

    .. [2] `Wikipedia entry on the Least-angle regression
           <https://en.wikipedia.org/wiki/Least-angle_regression>`_

    .. [3] `Wikipedia entry on the Lasso
           <https://en.wikipedia.org/wiki/Lasso_(statistics)>`_

    Examples
    --------
    >>> from sklearn.linear_model import lars_path
    >>> from sklearn.datasets import make_regression
    >>> X, y, true_coef = make_regression(
    ...    n_samples=100, n_features=5, n_informative=2, coef=True, random_state=0
    ... )
    >>> true_coef
    array([ 0.        ,  0.        ,  0.        , 97.9, 45.7])
    >>> alphas, _, estimated_coef = lars_path(X, y)
    >>> alphas.shape
    (3,)
    >>> estimated_coef
    array([[ 0.     ,  0.     ,  0.     ],
           [ 0.     ,  0.     ,  0.     ],
           [ 0.     ,  0.     ,  0.     ],
           [ 0.     , 46.96, 97.99],
           [ 0.     ,  0.     , 45.70]])
    NzPX cannot be None if Gram is not NoneUse lars_path_gram to avoid passing X and y.r.   r/   r0   r1   	n_samplesr2   r3   r4   r5   r6   r7   r,   r8   r9   r:   )
ValueError_lars_path_solverr-   s                 _/var/www/html/eduruby.in/venv/lib/python3.12/site-packages/sklearn/linear_model/_least_angle.py	lars_pathrD   ,   s]    N 	yT%;
 	
 

#     r0   r1   r@   r2   r3   r4   r5   r6   r7   r,   r8   r9   r:   )
r2   r3   r4   r5   r6   r7   r,   r8   r9   r:   c                6    t        dd| |||||||||	|
||      S )a  The lars_path in the sufficient stats mode.

    The optimization objective for the case method='lasso' is::

    (1 / (2 * n_samples)) * ||y - Xw||^2_2 + alpha * ||w||_1

    in the case of method='lar', the objective function is only known in
    the form of an implicit equation (see discussion in [1]_).

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    Xy : ndarray of shape (n_features,)
        `Xy = X.T @ y`.

    Gram : ndarray of shape (n_features, n_features)
        `Gram = X.T @ X`.

    n_samples : int
        Equivalent size of sample.

    max_iter : int, default=500
        Maximum number of iterations to perform, set to infinity for no limit.

    alpha_min : float, default=0
        Minimum correlation along the path. It corresponds to the
        regularization parameter alpha parameter in the Lasso.

    method : {'lar', 'lasso'}, default='lar'
        Specifies the returned model. Select `'lar'` for Least Angle
        Regression, ``'lasso'`` for the Lasso.

    copy_X : bool, default=True
        If `False`, `X` is overwritten.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the `tol` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_Gram : bool, default=True
        If `False`, `Gram` is overwritten.

    verbose : int, default=0
        Controls output verbosity.

    return_path : bool, default=True
        If `return_path==True` returns the entire path, else returns only the
        last point of the path.

    return_n_iter : bool, default=False
        Whether to return the number of iterations.

    positive : bool, default=False
        Restrict coefficients to be >= 0.
        This option is only allowed with method 'lasso'. Note that the model
        coefficients will not converge to the ordinary-least-squares solution
        for small values of alpha. Only coefficients up to the smallest alpha
        value (`alphas_[alphas_ > 0.].min()` when `fit_path=True`) reached by
        the stepwise Lars-Lasso algorithm are typically in congruence with the
        solution of the coordinate descent lasso_path function.

    Returns
    -------
    alphas : ndarray of shape (n_alphas + 1,)
        Maximum of covariances (in absolute value) at each iteration.
        `n_alphas` is either `max_iter`, `n_features` or the
        number of nodes in the path with `alpha >= alpha_min`, whichever
        is smaller.

    active : ndarray of shape (n_alphas,)
        Indices of active variables at the end of the path.

    coefs : ndarray of shape (n_features, n_alphas + 1)
        Coefficients along the path.

    n_iter : int
        Number of iterations run. Returned only if `return_n_iter` is set
        to True.

    See Also
    --------
    lars_path_gram : Compute LARS path.
    lasso_path : Compute Lasso path with coordinate descent.
    LassoLars : Lasso model fit with Least Angle Regression a.k.a. Lars.
    Lars : Least Angle Regression model a.k.a. LAR.
    LassoLarsCV : Cross-validated Lasso, using the LARS algorithm.
    LarsCV : Cross-validated Least Angle Regression model.
    sklearn.decomposition.sparse_encode : Sparse coding.

    References
    ----------
    .. [1] "Least Angle Regression", Efron et al.
           http://statweb.stanford.edu/~tibs/ftp/lars.pdf

    .. [2] `Wikipedia entry on the Least-angle regression
           <https://en.wikipedia.org/wiki/Least-angle_regression>`_

    .. [3] `Wikipedia entry on the Lasso
           <https://en.wikipedia.org/wiki/Lasso_(statistics)>`_

    Examples
    --------
    >>> from sklearn.linear_model import lars_path_gram
    >>> from sklearn.datasets import make_regression
    >>> X, y, true_coef = make_regression(
    ...    n_samples=100, n_features=5, n_informative=2, coef=True, random_state=0
    ... )
    >>> true_coef
    array([ 0.        ,  0.        ,  0.        , 97.9, 45.7])
    >>> alphas, _, estimated_coef = lars_path_gram(X.T @ y, X.T @ X, n_samples=100)
    >>> alphas.shape
    (3,)
    >>> estimated_coef
    array([[ 0.     ,  0.     ,  0.     ],
           [ 0.     ,  0.     ,  0.     ],
           [ 0.     ,  0.     ,  0.     ],
           [ 0.     , 46.96, 97.99],
           [ 0.     ,  0.     , 45.70]])
    Nr?   )rB   rF   s                rC   lars_path_gramrH      s?    z 

# rE   c                    |dk(  r|rt        d      ||n|j                  }|!t        j                  | j                  |      }n|j                         }||du rd}| }t        d      t        |t              r|dk(  s|du rG|du s| j                  d   | j                  d	   kD  r!t        j                  | j                  |       }nd}n|
r|j                         }|| j                  d	   }n+|j                  d   }|j                  ||fk7  rt        d
      |r| || j                  d      } t        ||      }t        d | |||fD              }t        |      d	k(  rt        t        |            }nt        j                  }|r7t        j                  |d	z   |f|      }t        j                  |d	z   |      }n^t        j                  ||      t        j                  ||      }}t        j                   dg|      t        j                   dg|      }}d\  }}t#               t        j$                  |      }}t        j&                  |t        j(                        }d}|>t        j&                  ||f| j*                        } t-        j.                  d| f      \  }!}"n=t        j&                  ||f|j*                        } t-        j.                  d|f      \  }!}"t1        d| f      \  }#|rN|d	kD  rt3        d       n=t4        j6                  j9                  d       t4        j6                  j;                          t        j<                  t        j>                        j@                  }$t        j<                  |j*                        jB                  }%t        j<                  t        j>                        jD                  }&| |j                         }'|j                         }(	 |j                  r`|rt        jF                  |      })n(t        jF                  t        jH                  |            })||)   }*|r|*}+nt        jJ                  |*      }+nd}+|r:|t        jL                  f   }|   }||d	z
  t        jL                  f   }||d	z
     }|+|z  d<   |d   ||&z   k  rItI        |d   |z
        |&kD  r,|dkD  r"d   |z
  |d   |d   z
  z  },|,|z
  z  z   |dd ||d<   |r|<   nN||k\  s||k\  rnB|s}|rt        jN                  *      ||<   nt        jP                  *      ||<   |)|z   }.}- |!||)   |d         \  ||)<   |d<   ||-   ||.   c||.<   ||-<   |}/|d	d }| |!| j                  |.   | j                  |-         \  | j                  |.<   | j                  |-<    |"| j                  |         dz  }0t        j                  | j                  |   | j                  d| j                        | |d|f<   nW |!||-   ||.         \  ||-<   ||.<    |!|dd|-f   |dd|.f         \  |dd|-f<   |dd|.f<   |||f   }0||d|f   | |d|f<   |r/t-        jR                  | d|d|f   | |d|f   fdd	ddtT         t        j                  | |d|f   | |d|f         }1tW        t        jX                  t        jH                  |0|1z
              |	      }2|2| ||f<   |2dk  rPt[        j\                  d||j_                         ||2fz  t`               |/}d|d<    |!||)   |d         \  ||)<   |d<   Y|jc                  ||          |d	z  }|d	kD  rt3        |d|d   ddd|d|+	       |dk(  rO|dkD  rJd   |d   k  r?t[        j\                  d||j_                         |j_                         |fz  t`               nn |#| d|d|f   |d| d      \  }3}4|3j                  d	k(  r|3dk(  r	d	|3d<   d}5ndt        jX                  t        jd                  |3|d| z              z  }5t        jf                  |5      sd}6| d|d|f   j                         }7t        jf                  |5      s|7jh                  dd|d	z   xx   d|6z  |	z  z  cc<    |#|7|d| d      \  }3}4tW        t        jd                  |3|d| z        |	      }8dt        jX                  |8      z  }5|6d	z  }6t        jf                  |5      s|3|5z  }3|Qt        j                  | j                  d| j                  |3      }9t        j                  | j                  |d |9      }:n)t        j                  |d||df   j                  |3      }:t        jj                  |:|%|:        tm        jn                  |+|z
  |5|:z
  |$z   z        };|rt        |;|+|5z        }<n1tm        jn                  |+|z   |5|:z   |$z   z        }=t        |;|=|+|5z        }<d}|    |3|$z   z  }>tm        jn                  |>      }?|?|<k  r3t        jp                  |>|?k(        d   ddd   }@||@    ||@<   |dk(  r|?}<d}|d	z  }|rv|j                  d   k\  rV~~~~dtW        d	||z
        z  }At        jr                  |||Az   |f      }d||A d t        jr                  ||Az         }d||A d ||   }||d	z
     }n|}|d   d<   t        jt                  |      }||   |<|3z  z   ||<   ||<|:z  z  }|r&|dk(  r @D ]!  }Btm        jv                  | d|d|f   |B       # |d	z  }@D Bcg c]  }B|jy                  |B       }C}B|@D ]p  }Bt{        |B|      D ]_  }6 |!| j                  |6   | j                  |6d	z            \  | j                  |6<   | j                  |6d	z   <   ||6d	z      ||6   c||6<   ||6d	z   <   a r |t        j                  | ddd|f   ||         z
  }Dt        j                  | j                  |   |D      }Et        j|                  |E|f   }n@D ]v  }Bt{        |B|      D ]e  }6||6d	z      ||6   c||6<   ||6d	z   <    |!||6   ||6d	z            \  ||6<   ||6d	z   <    |!|dd|6f   |dd|6d	z   f         \  |dd|6f<   |dd|6d	z   f<   g x (C   t        j                  '|C   |      z
  }Et        j|                  |E|f   }t        j~                  |@      }t        jb                  |d      }|d	kD  r"t3        |dddCd|dtI        E      	       	T|r1d|d	z    }d|d	z    }|r|||j                  |fS |||j                  fS |r|||fS ||fS c c}Bw )!a9  Compute Least Angle Regression or Lasso path using LARS algorithm [1]

    The optimization objective for the case method='lasso' is::

    (1 / (2 * n_samples)) * ||y - Xw||^2_2 + alpha * ||w||_1

    in the case of method='lar', the objective function is only known in
    the form of an implicit equation (see discussion in [1])

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    X : None or ndarray of shape (n_samples, n_features)
        Input data. Note that if X is None then Gram must be specified,
        i.e., cannot be None or False.

    y : None or ndarray of shape (n_samples,)
        Input targets.

    Xy : array-like of shape (n_features,), default=None
        `Xy = np.dot(X.T, y)` that can be precomputed. It is useful
        only when the Gram matrix is precomputed.

    Gram : None, 'auto' or array-like of shape (n_features, n_features),             default=None
        Precomputed Gram matrix `(X' * X)`, if ``'auto'``, the Gram
        matrix is precomputed from the given X, if there are more samples
        than features.

    n_samples : int or float, default=None
        Equivalent size of sample. If `None`, it will be `n_samples`.

    max_iter : int, default=500
        Maximum number of iterations to perform, set to infinity for no limit.

    alpha_min : float, default=0
        Minimum correlation along the path. It corresponds to the
        regularization parameter alpha parameter in the Lasso.

    method : {'lar', 'lasso'}, default='lar'
        Specifies the returned model. Select ``'lar'`` for Least Angle
        Regression, ``'lasso'`` for the Lasso.

    copy_X : bool, default=True
        If ``False``, ``X`` is overwritten.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_Gram : bool, default=True
        If ``False``, ``Gram`` is overwritten.

    verbose : int, default=0
        Controls output verbosity.

    return_path : bool, default=True
        If ``return_path==True`` returns the entire path, else returns only the
        last point of the path.

    return_n_iter : bool, default=False
        Whether to return the number of iterations.

    positive : bool, default=False
        Restrict coefficients to be >= 0.
        This option is only allowed with method 'lasso'. Note that the model
        coefficients will not converge to the ordinary-least-squares solution
        for small values of alpha. Only coefficients up to the smallest alpha
        value (``alphas_[alphas_ > 0.].min()`` when fit_path=True) reached by
        the stepwise Lars-Lasso algorithm are typically in congruence with the
        solution of the coordinate descent lasso_path function.

    Returns
    -------
    alphas : array-like of shape (n_alphas + 1,)
        Maximum of covariances (in absolute value) at each iteration.
        ``n_alphas`` is either ``max_iter``, ``n_features`` or the
        number of nodes in the path with ``alpha >= alpha_min``, whichever
        is smaller.

    active : array-like of shape (n_alphas,)
        Indices of active variables at the end of the path.

    coefs : array-like of shape (n_features, n_alphas + 1)
        Coefficients along the path

    n_iter : int
        Number of iterations run. Returned only if return_n_iter is set
        to True.

    See Also
    --------
    lasso_path
    LassoLars
    Lars
    LassoLarsCV
    LarsCV
    sklearn.decomposition.sparse_encode

    References
    ----------
    .. [1] "Least Angle Regression", Efron et al.
           http://statweb.stanford.edu/~tibs/ftp/lars.pdf

    .. [2] `Wikipedia entry on the Least-angle regression
           <https://en.wikipedia.org/wiki/Least-angle_regression>`_

    .. [3] `Wikipedia entry on the Lasso
           <https://en.wikipedia.org/wiki/Lasso_(statistics)>`_

    r)   z:Positive constraint not supported for 'lar' coding method.NFz&X and Gram cannot both be unspecified.r$   Tr   r   z2The shapes of the inputs Gram and Xy do not match.Fc              3   :   K   | ]  }||j                     y wNdtype).0as     rC   	<genexpr>z$_lars_path_solver.<locals>.<genexpr>D  s     DQamDs   rM           )r   r   )swapnrm2)potrsz(Step		Added		Dropped		Active set size		C.r	   )transloweroverwrite_bgHz>zRegressors in active set degenerate. Dropping a regressor, after %i iterations, i.e. alpha=%.3e, with an active set of %i regressors, and the smallest cholesky pivot element being %.3e. Reduce max_iter or increase eps parameters.z		 r*   zEarly stopping the lars path, as the residues are small and the current value of alpha is no longer well controlled. %i iterations, alpha=%.3e, previous alpha=%.3e, with an active set of %i regressors.)rX   .      ?)decimalsout)@rA   sizenpdotTcopy
isinstancestrshapeminsetlennextiterfloat64zerosarraylistarangeemptyint8rN   r   get_blas_funcsr   printsysstdoutwriteflushfinfofloat32tiny	precisionr6   argmaxabsfabsnewaxis	ones_likesignsolve_triangularSOLVE_TRIANGULAR_ARGSmaxsqrtwarningswarnitemr   appendsumisfiniteflataroundr   min_poswhereresize
zeros_likecholesky_deletepopranger_delete)Fr.   r/   r0   r1   r@   r2   r3   r4   r5   r6   r7   r,   r8   r9   r:   Cov
n_featuresmax_featuresdtypesreturn_dtypecoefsalphascoef	prev_coefalpha
prev_alphan_itern_activeactiveindicessign_activedropLrS   rT   solve_choleskytiny32cov_precisionequality_tolerance	Gram_copyCov_copyC_idxC_CssmnCov_not_shortenedcvdiagleast_squares_AAiL_tmpeq_dircorr_eq_dirg1gamma_g2zz_posidxadd_featuresiidrop_idxresidualtempsF                                                                         rC   rB   rB     s/   H 8UVV&2	I	zffQSS!nggi|tu}9EFF
T3
DFNtt|4<1771:
266!##q>DD	yy{|WWQZ
YYq\
::*j11QRR!-DL FF3Kx,LD1aT"2DDF
6{aDL) zz,*J7|L,*,? HHZ|4HHZ|4 
 HHcU,/HHcU,/  FHfbii
3GF((<rww7KD |HHlL1A**+;aTB
dHHlL1D**+;cVD
d(aT:^Q;DEJJS!JJXXbjj!&&FHHSYY'11M"**-11IIK	88:
88		#		"&&+.UBGGBKA62::-.E=D
BJJ 67Jfqj)Iy=a8y#55558i'(+==A: %Q-)3
1a8PQB'"y0@*AADG$a $fXZ!7 (*R(8H%(*H%UX-qA!%c%j#a&!9CJA%,QZ"GAJ
 #ab'C|!%acc!facc!f!5AAX'1,)+Hqss9H~?O?O)P(IXI%& $(Qa#9 Qa)-d1a4j$q!t*)E&QT
DAJ8+,)-h		.A)B(IXI%& ''ixi(*+h		)*  $ , q9H9,-q9H91D/EFArwwrvva!e}-s3D$(Ah !d{ C uzz|Xt<= '	 (A%)#e*c!f%="E
CFMM'(+,MH{4:F2JHVWX W!
1a0H
 MM "(z7H( S	T
 #  *ixi("#[(%;4
q "}'9!"M#B rwwrvvmk)86L&LMNNB;;r?yy)8)+,113++b/GGOx!|O,A<,'5K	2$($M1 bff][(5K%KLcRCrwws|+BFA ++b/ RM<VVACC	N,,m<F &&XY8K
 &&ixi&:!;!=!=}MK 			+;GSR+-=-F GHQV_F##QWk1AF1J$KLBRR(F &\M]V34""1%6>((1:&q)$B$/C !,C 00K D!Q'%Y 3q<(+B#DD		%&<*?)LM()|mn%66L+@A)*}~&=Dfqj)I I!!HJqM==&D (6M+AAV 	v## Fg% H**1YhY		-A+BBGH MH1452

25H5| PB"2x0 P-1!##a&!##a!e*-E*AAE
5<QU^WQZ2
GAENPP rvva9H9otF|DDvvacc(mX6eeD#I& VB"2x0 V5<QU^WQZ2
GAEN/3DGT!a%[/I,Qa!e59$q!t*d1aRSe8n5U2QT
DAENVV  )BFF9X3F,MMeeD#I&))K5K))K5K{r8Xs4yBM V &1*%l
#6577F226577**&$..&$&&k 6s   u>c                   H   e Zd ZU dZdgdgd edh      ej                   ed      g ee	ddd      g ee
d	dd      gdgdg ee
d	dd      dgd
gd	Zeed<   dZdZdddd ej                   e      j$                  ddddd	dZed        ZddZ ed      dd       Zy)Larsa  Least Angle Regression model a.k.a. LAR.

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    fit_intercept : bool, default=True
        Whether to calculate the intercept for this model. If set
        to false, no intercept will be used in calculations
        (i.e. data is expected to be centered).

    verbose : bool or int, default=False
        Sets the verbosity amount.

    precompute : bool, 'auto' or array-like , default='auto'
        Whether to use a precomputed Gram matrix to speed up
        calculations. If set to ``'auto'`` let us decide. The Gram
        matrix can also be passed as argument.

    n_nonzero_coefs : int, default=500
        Target number of non-zero coefficients. Use ``np.inf`` for no limit.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_X : bool, default=True
        If ``True``, X will be copied; else, it may be overwritten.

    fit_path : bool, default=True
        If True the full path is stored in the ``coef_path_`` attribute.
        If you compute the solution for a large problem or many targets,
        setting ``fit_path`` to ``False`` will lead to a speedup, especially
        with a small alpha.

    jitter : float, default=None
        Upper bound on a uniform noise parameter to be added to the
        `y` values, to satisfy the model's assumption of
        one-at-a-time computations. Might help with stability.

        .. versionadded:: 0.23

    random_state : int, RandomState instance or None, default=None
        Determines random number generation for jittering. Pass an int
        for reproducible output across multiple function calls.
        See :term:`Glossary <random_state>`. Ignored if `jitter` is None.

        .. versionadded:: 0.23

    Attributes
    ----------
    alphas_ : array-like of shape (n_alphas + 1,) or list of such arrays
        Maximum of covariances (in absolute value) at each iteration.
        ``n_alphas`` is either ``max_iter``, ``n_features`` or the
        number of nodes in the path with ``alpha >= alpha_min``, whichever
        is smaller. If this is a list of array-like, the length of the outer
        list is `n_targets`.

    active_ : list of shape (n_alphas,) or list of such lists
        Indices of active variables at the end of the path.
        If this is a list of list, the length of the outer list is `n_targets`.

    coef_path_ : array-like of shape (n_features, n_alphas + 1) or list             of such arrays
        The varying values of the coefficients along the path. It is not
        present if the ``fit_path`` parameter is ``False``. If this is a list
        of array-like, the length of the outer list is `n_targets`.

    coef_ : array-like of shape (n_features,) or (n_targets, n_features)
        Parameter vector (w in the formulation formula).

    intercept_ : float or array-like of shape (n_targets,)
        Independent term in decision function.

    n_iter_ : array-like or int
        The number of iterations taken by lars_path to find the
        grid of alphas for each target.

    n_features_in_ : int
        Number of features seen during :term:`fit`.

        .. versionadded:: 0.24

    feature_names_in_ : ndarray of shape (`n_features_in_`,)
        Names of features seen during :term:`fit`. Defined only when `X`
        has feature names that are all strings.

        .. versionadded:: 1.0

    See Also
    --------
    lars_path: Compute Least Angle Regression or Lasso
        path using LARS algorithm.
    LarsCV : Cross-validated Least Angle Regression model.
    sklearn.decomposition.sparse_encode : Sparse coding.

    Examples
    --------
    >>> from sklearn import linear_model
    >>> reg = linear_model.Lars(n_nonzero_coefs=1)
    >>> reg.fit([[-1, 1], [0, 0], [1, 1]], [-1.1111, 0, -1.1111])
    Lars(n_nonzero_coefs=1)
    >>> print(reg.coef_)
    [ 0. -1.11]
    r%   r,   r$   Nr   r&   r'   r   random_state	fit_interceptr,   
precomputen_nonzero_coefsr6   r5   fit_pathjitterr   _parameter_constraintsr)   FTr=   c       	             || _         || _        || _        || _        || _        || _        || _        || _        |	| _        y rL   r   )
selfr   r,   r   r   r6   r5   r   r   r   s
             rC   __init__zLars.__init__  sF     +$. (rE   c                     t        | d      s_| du s;| dk(  r|j                  d   |j                  d   kD  s| dk(  r2|j                  d   dkD  r t        j                  |j                  |      } | S )N	__array__Tr$   r   r   )hasattrrf   r`   ra   rb   )r   r.   r/   s      rC   	_get_gramzLars._get_gram,  sb    
K04f$aggaj)@f$aQJrE   c                    |j                   d   }t        ||| j                  | j                        \  }}}}	}
|j                  dk(  r|ddt
        j                  f   }|j                   d   }| j                  | j                  ||      }g | _	        g | _
        t        j                  ||f|j                        | _        |rg | _        g | _        t!        |      D ]  }|dn|dd|f   }t#        ||dd|f   ||| j                  d|| j$                  t'        d| j(                  dz
        || j*                  dd| j,                        \  }}}}| j                  j/                  |       | j                  j/                  |       | j                  j/                  |       | j                  j/                  |       |dddf   | j                  |<    |dk(  r^| j                  | j                  | j                  | j                  fD cg c]  }|d   	 c}\  | _	        | _        | _        | _        | j                  d   | _
        nt!        |      D ]  }|dn|dd|f   }t#        ||dd|f   ||| j                  d|| j$                  t'        d| j(                  dz
        || j*                  d	d| j,                        \  }}| j                  |<   }| j                  j/                  |       | j                  j/                  |        |dk(  r(| j                  d   | _	        | j                  d   | _
        | j1                  ||	|
       | S c c}w )
z=Auxiliary method to fit the model using X, y as training datar   r   rc   NrM   Tr   )r1   r0   r5   r7   r3   r4   r,   r2   r6   r8   r9   r:   rZ   F)rf   r"   r   r5   ndimr`   r   r   r   alphas_n_iter_rq   rN   coef_active_
coef_path_r   rD   r4   r   r,   r6   r:   r   _set_intercept)r   r.   r/   r2   r   r   r0   r   X_offsety_offsetX_scale	n_targetsr1   kthis_Xyr   r   	coef_pathr   rP   r   s                        rC   _fitz	Lars._fit7  s   WWQZ
,<q 2 2-
)1h' 66Q;!RZZ- AGGAJ	~~dooq!4XXy*5QWWE
DL DO9% 1"$*$"QT(5>adG;;"#;;4<<!#34% $"&!]]62	7  ##F+##F+##G,&&y1 )!R% 0

1-10 A~ #llDLL$//4::VK aDKGdlDOTZ  $||A9% -"$*$"QT(4=adG;;"#;;4<<!#34% %"&!]]514::a='  ##F+##G,'-( A~#||A#||AHh8?Ks   Mr;   c                 p   t        | ||ddd      \  }}t        | dd      }t        | d      rd}| j                  }n| j                  }| j
                  @t        | j                        }|j                  | j
                  t        |            }||z   }| j                  ||||| j                  |       | S )aU  Fit the model using X, y as training data.

        Parameters
        ----------
        X : array-like of shape (n_samples, n_features)
            Training data.

        y : array-like of shape (n_samples,) or (n_samples, n_targets)
            Target values.

        Xy : array-like of shape (n_features,) or (n_features, n_targets),                 default=None
            Xy = np.dot(X.T, y) that can be precomputed. It is useful
            only when the Gram matrix is precomputed.

        Returns
        -------
        self : object
            Returns an instance of self.
        T)force_writeable	y_numericmulti_outputr   rR   r   )highr_   )r2   r   r   r0   )r   getattrr   r   r2   r   r   r   uniformri   r   r   )r   r.   r/   r0   r   r2   rngnoises           rC   fitzLars.fit  s    , !Q4
1 gs+4*+E++H}}H;;"$T%6%67CKKT[[s1vK>EE	A		]] 	 	
 rE   rL   )__name__
__module____qualname____doc__r   r`   ndarrayr   r   r   r   r   dict__annotations__r4   r:   ry   floatr6   r   staticmethodr   r   r   r    rE   rC   r   r     s    k\ $; *fX"6

F4LQ$Xq$vFGq$v67+KD!T&94@'(
$D 
 FH
 BHHUO).  N` 5/ 6/rE   r   c                       e Zd ZU dZi ej
                   eeddd      g eeddd      gdgdZe	e
d<   ej                  d	       d
Z	 ddddd ej                  e      j                   dddddd
dZy)	LassoLarsay  Lasso model fit with Least Angle Regression a.k.a. Lars.

    It is a Linear Model trained with an L1 prior as regularizer.

    The optimization objective for Lasso is::

    (1 / (2 * n_samples)) * ||y - Xw||^2_2 + alpha * ||w||_1

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    alpha : float, default=1.0
        Constant that multiplies the penalty term. Defaults to 1.0.
        ``alpha = 0`` is equivalent to an ordinary least square, solved
        by :class:`LinearRegression`. For numerical reasons, using
        ``alpha = 0`` with the LassoLars object is not advised and you
        should prefer the LinearRegression object.

    fit_intercept : bool, default=True
        Whether to calculate the intercept for this model. If set
        to false, no intercept will be used in calculations
        (i.e. data is expected to be centered).

    verbose : bool or int, default=False
        Sets the verbosity amount.

    precompute : bool, 'auto' or array-like, default='auto'
        Whether to use a precomputed Gram matrix to speed up
        calculations. If set to ``'auto'`` let us decide. The Gram
        matrix can also be passed as argument.

    max_iter : int, default=500
        Maximum number of iterations to perform.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_X : bool, default=True
        If True, X will be copied; else, it may be overwritten.

    fit_path : bool, default=True
        If ``True`` the full path is stored in the ``coef_path_`` attribute.
        If you compute the solution for a large problem or many targets,
        setting ``fit_path`` to ``False`` will lead to a speedup, especially
        with a small alpha.

    positive : bool, default=False
        Restrict coefficients to be >= 0. Be aware that you might want to
        remove fit_intercept which is set True by default.
        Under the positive restriction the model coefficients will not converge
        to the ordinary-least-squares solution for small values of alpha.
        Only coefficients up to the smallest alpha value (``alphas_[alphas_ >
        0.].min()`` when fit_path=True) reached by the stepwise Lars-Lasso
        algorithm are typically in congruence with the solution of the
        coordinate descent Lasso estimator.

    jitter : float, default=None
        Upper bound on a uniform noise parameter to be added to the
        `y` values, to satisfy the model's assumption of
        one-at-a-time computations. Might help with stability.

        .. versionadded:: 0.23

    random_state : int, RandomState instance or None, default=None
        Determines random number generation for jittering. Pass an int
        for reproducible output across multiple function calls.
        See :term:`Glossary <random_state>`. Ignored if `jitter` is None.

        .. versionadded:: 0.23

    Attributes
    ----------
    alphas_ : array-like of shape (n_alphas + 1,) or list of such arrays
        Maximum of covariances (in absolute value) at each iteration.
        ``n_alphas`` is either ``max_iter``, ``n_features`` or the
        number of nodes in the path with ``alpha >= alpha_min``, whichever
        is smaller. If this is a list of array-like, the length of the outer
        list is `n_targets`.

    active_ : list of length n_alphas or list of such lists
        Indices of active variables at the end of the path.
        If this is a list of list, the length of the outer list is `n_targets`.

    coef_path_ : array-like of shape (n_features, n_alphas + 1) or list             of such arrays
        If a list is passed it's expected to be one of n_targets such arrays.
        The varying values of the coefficients along the path. It is not
        present if the ``fit_path`` parameter is ``False``. If this is a list
        of array-like, the length of the outer list is `n_targets`.

    coef_ : array-like of shape (n_features,) or (n_targets, n_features)
        Parameter vector (w in the formulation formula).

    intercept_ : float or array-like of shape (n_targets,)
        Independent term in decision function.

    n_iter_ : array-like or int
        The number of iterations taken by lars_path to find the
        grid of alphas for each target.

    n_features_in_ : int
        Number of features seen during :term:`fit`.

        .. versionadded:: 0.24

    feature_names_in_ : ndarray of shape (`n_features_in_`,)
        Names of features seen during :term:`fit`. Defined only when `X`
        has feature names that are all strings.

        .. versionadded:: 1.0

    See Also
    --------
    lars_path : Compute Least Angle Regression or Lasso
        path using LARS algorithm.
    lasso_path : Compute Lasso path with coordinate descent.
    Lasso : Linear Model trained with L1 prior as
        regularizer (aka the Lasso).
    LassoCV : Lasso linear model with iterative fitting
        along a regularization path.
    LassoLarsCV: Cross-validated Lasso, using the LARS algorithm.
    LassoLarsIC : Lasso model fit with Lars using BIC
        or AIC for model selection.
    sklearn.decomposition.sparse_encode : Sparse coding.

    Examples
    --------
    >>> from sklearn import linear_model
    >>> reg = linear_model.LassoLars(alpha=0.01)
    >>> reg.fit([[-1, 1], [0, 0], [1, 1]], [-1, 0, -1])
    LassoLars(alpha=0.01)
    >>> print(reg.coef_)
    [ 0.         -0.955]
    r   Nr&   r'   r%   )r   r2   r:   r   r   r*   TFr$   r=   )
r   r,   r   r2   r6   r5   r   r:   r   r   c       
             || _         || _        || _        || _        |	| _        || _        || _        || _        || _        |
| _	        || _
        y rL   )r   r   r2   r,   r:   r   r5   r6   r   r   r   )r   r   r   r,   r   r2   r6   r5   r   r:   r   r   s               rC   r   zLassoLars.__init__Q  sS     
*  $ (rE   )r\   )r   r   r   r   r   r   r   r   r   r   r   r   r4   r`   ry   r   r6   r   r  rE   rC   r  r    s    JX$

%
%$4D89h4?@K	$D  01F ) BHHUO)rE   r  c                 V    |s| j                   j                  s| j                         S | S rL   )flags	writeablerc   )rn   rc   s     rC   _check_copy_and_writeabler	  q  s"    5;;((zz|LrE   c                    t        | |      } t        ||      }t        ||      }t        ||      }|rR| j                  d      }| |z  } ||z  }|j                  d      }t        |d      }||z  }t        |d      }||z  }t        | ||dd|t	        d|dz
        |	|
|
      \  }}}t        j                  ||      |ddt
        j                  f   z
  }||||j                  fS )ab
  Compute the residues on left-out data for a full LARS path

    Parameters
    -----------
    X_train : array-like of shape (n_samples, n_features)
        The data to fit the LARS on

    y_train : array-like of shape (n_samples,)
        The target variable to fit LARS on

    X_test : array-like of shape (n_samples, n_features)
        The data to compute the residues on

    y_test : array-like of shape (n_samples,)
        The target variable to compute the residues on

    Gram : None, 'auto' or array-like of shape (n_features, n_features),             default=None
        Precomputed Gram matrix (X' * X), if ``'auto'``, the Gram
        matrix is precomputed from the given X, if there are more samples
        than features

    copy : bool, default=True
        Whether X_train, X_test, y_train and y_test should be copied;
        if False, they may be overwritten.

    method : {'lar' , 'lasso'}, default='lar'
        Specifies the returned model. Select ``'lar'`` for Least Angle
        Regression, ``'lasso'`` for the Lasso.

    verbose : bool or int, default=False
        Sets the amount of verbosity

    fit_intercept : bool, default=True
        whether to calculate the intercept for this model. If set
        to false, no intercept will be used in calculations
        (i.e. data is expected to be centered).

    positive : bool, default=False
        Restrict coefficients to be >= 0. Be aware that you might want to
        remove fit_intercept which is set True by default.
        See reservations for using this option in combination with method
        'lasso' for expected small values of alpha in the doc of LassoLarsCV
        and LassoLarsIC.

    max_iter : int, default=500
        Maximum number of iterations to perform.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    Returns
    --------
    alphas : array-like of shape (n_alphas,)
        Maximum of covariances (in absolute value) at each iteration.
        ``n_alphas`` is either ``max_iter`` or ``n_features``, whichever
        is smaller.

    active : list
        Indices of active variables at the end of the path.

    coefs : array-like of shape (n_features, n_alphas)
        Coefficients along the path

    residues : array-like of shape (n_alphas, n_samples)
        Residues of the prediction on the test data
    r   axisFrc   r   )r1   r5   r7   r4   r,   r2   r6   r:   N)	r	  meanr   rD   r   r`   ra   r   rb   )X_trainy_trainX_testy_testr1   rc   r4   r,   r   r2   r6   r:   X_meany_meanr   r   r   residuess                     rC   _lars_path_residuesr  w  s	   j (6G'6G&vt4F&vt4F1%6&1% u56U3&%Aw{#FFE vvfe$vam'<<H65(**,,rE   c            
       6    e Zd ZU dZi ej
                   eeddd      gdg eeddd      gedgdZee	d	<   d
D ]  Z
ej                  e
        dZddddddd ej                  e      j                   dd	 fd
Z fdZ ed      d        Zd Z xZS )LarsCVan  Cross-validated Least Angle Regression model.

    See glossary entry for :term:`cross-validation estimator`.

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    fit_intercept : bool, default=True
        Whether to calculate the intercept for this model. If set
        to false, no intercept will be used in calculations
        (i.e. data is expected to be centered).

    verbose : bool or int, default=False
        Sets the verbosity amount.

    max_iter : int, default=500
        Maximum number of iterations to perform.

    precompute : bool, 'auto' or array-like , default='auto'
        Whether to use a precomputed Gram matrix to speed up
        calculations. If set to ``'auto'`` let us decide. The Gram matrix
        cannot be passed as argument since we will use only subsets of X.

    cv : int, cross-validation generator or an iterable, default=None
        Determines the cross-validation splitting strategy.
        Possible inputs for cv are:

        - None, to use the default 5-fold cross-validation,
        - integer, to specify the number of folds.
        - :term:`CV splitter`,
        - An iterable yielding (train, test) splits as arrays of indices.

        For integer/None inputs, :class:`~sklearn.model_selection.KFold` is used.

        Refer :ref:`User Guide <cross_validation>` for the various
        cross-validation strategies that can be used here.

        .. versionchanged:: 0.22
            ``cv`` default value if None changed from 3-fold to 5-fold.

    max_n_alphas : int, default=1000
        The maximum number of points on the path used to compute the
        residuals in the cross-validation.

    n_jobs : int or None, default=None
        Number of CPUs to use during the cross validation.
        ``None`` means 1 unless in a :obj:`joblib.parallel_backend` context.
        ``-1`` means using all processors. See :term:`Glossary <n_jobs>`
        for more details.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_X : bool, default=True
        If ``True``, X will be copied; else, it may be overwritten.

    Attributes
    ----------
    active_ : list of length n_alphas or list of such lists
        Indices of active variables at the end of the path.
        If this is a list of lists, the outer list length is `n_targets`.

    coef_ : array-like of shape (n_features,)
        parameter vector (w in the formulation formula)

    intercept_ : float
        independent term in decision function

    coef_path_ : array-like of shape (n_features, n_alphas)
        the varying values of the coefficients along the path

    alpha_ : float
        the estimated regularization parameter alpha

    alphas_ : array-like of shape (n_alphas,)
        the different values of alpha along the path

    cv_alphas_ : array-like of shape (n_cv_alphas,)
        all the values of alpha along the path for the different folds

    mse_path_ : array-like of shape (n_folds, n_cv_alphas)
        the mean square error on left-out for each fold along the path
        (alpha values given by ``cv_alphas``)

    n_iter_ : array-like or int
        the number of iterations run by Lars with the optimal alpha.

    n_features_in_ : int
        Number of features seen during :term:`fit`.

        .. versionadded:: 0.24

    feature_names_in_ : ndarray of shape (`n_features_in_`,)
        Names of features seen during :term:`fit`. Defined only when `X`
        has feature names that are all strings.

        .. versionadded:: 1.0

    See Also
    --------
    lars_path : Compute Least Angle Regression or Lasso
        path using LARS algorithm.
    lasso_path : Compute Lasso path with coordinate descent.
    Lasso : Linear Model trained with L1 prior as
        regularizer (aka the Lasso).
    LassoCV : Lasso linear model with iterative fitting
        along a regularization path.
    LassoLars : Lasso model fit with Least Angle Regression a.k.a. Lars.
    LassoLarsIC : Lasso model fit with Lars using BIC
        or AIC for model selection.
    sklearn.decomposition.sparse_encode : Sparse coding.

    Notes
    -----
    In `fit`, once the best parameter `alpha` is found through
    cross-validation, the model is fit again using the entire training set.

    Examples
    --------
    >>> from sklearn.linear_model import LarsCV
    >>> from sklearn.datasets import make_regression
    >>> X, y = make_regression(n_samples=200, noise=4.0, random_state=0)
    >>> reg = LarsCV(cv=5).fit(X, y)
    >>> reg.score(X, y)
    0.9996
    >>> reg.alpha_
    np.float64(0.2961)
    >>> reg.predict(X[:1,])
    array([154.3996])
    r   Nr&   r'   	cv_objectr   )r2   cvmax_n_alphasn_jobsr   )r   r   r   r   r)   TFr=   r$     )	r   r,   r2   r   r  r  r  r6   r5   c       	   	      j    || _         || _        || _        || _        t        
|   |||d||	d       y )Nr=   T)r   r,   r   r   r6   r5   r   )r2   r  r  r  superr   )r   r   r,   r2   r   r  r  r  r6   r5   	__class__s             rC   r   zLarsCV.__init__  sI     !('! 	 	
rE   c                 F    t         |          }d|j                  _        |S NFr  __sklearn_tags__target_tagsr   r   tagsr   s     rC   r$  zLarsCV.__sklearn_tags__  #    w')(-%rE   r;   c                     t        | d       t         dd      \  t         j                        t         j                        t	         j
                  d      }t               rt         dfi |}nt        t        i             } j                  t        d	      r.t        j                  d
 j                  j                  z         d t         j                    j"                         fd |j$                  fi |j&                  j$                  D              }t)        j*                  t-        t/        |             }t)        j0                  |      }t3        t5        dt3        t7        |      t9         j:                        z                    }|dd|   }t)        j<                  t7        |      t7        |      f      }	t?        |      D ]  \  }
\  }}}}|ddd   }|ddd   }|d   dk7  r=t(        j@                  d|f   }t(        j@                  |dt(        jB                  f   |f   }|d   |d   k7  r@t(        j@                  ||d   f   }t(        j@                  ||dt(        jB                  f   f   } tE        jF                  ||d      |      }|dz  }t)        jH                  |d      |	dd|
f<    t)        jJ                  t)        jL                  |	      d      }||   }|	|   }	t)        jN                  |	jI                  d            }||   }| _(        | _)        |	 _*         jW                   jX                  |dd        S )a  Fit the model using X, y as training data.

        Parameters
        ----------
        X : array-like of shape (n_samples, n_features)
            Training data.

        y : array-like of shape (n_samples,)
            Target values.

        **params : dict, default=None
            Parameters to be passed to the CV splitter.

            .. versionadded:: 1.4
                Only available if `enable_metadata_routing=True`,
                which can be set by using
                ``sklearn.set_config(enable_metadata_routing=True)``.
                See :ref:`Metadata Routing User Guide <metadata_routing>` for
                more details.

        Returns
        -------
        self : object
            Returns an instance of self.
        r   Tr   r   r  F)
classifier)split)splitterr   zXParameter "precompute" cannot be an array in %s. Automatically switch to "auto" instead.r$   )r  r,   c              3     K   | ]}  \  }} t        t              |   |   |   |   d j                  t        dj                  dz
        j
                  j                  j                  j                          yw)Fr   r   )r1   rc   r4   r,   r   r2   r6   r:   N)	r   r  r4   r   r,   r   r2   r6   r:   )rO   traintestr1   r.   r   r/   s      rC   rQ   zLarsCV.fit.<locals>.<genexpr>  s      F
 t )G'(%%$${{At||a/0"00HH F
s   BBr   NrZ   r   r  r	   )r2   r   r0   r   )-r   r   r   r5   r   r  r   r   r   r   r   r   r   r   r   r   r  r,   r,  r-  r`   concatenaterj   zipuniqueintr   ri   r   r  rq   	enumerater   r   r   interp1dr  allr   argminalpha_
cv_alphas_	mse_path_r   r2   )r   r.   r/   paramsr  routed_paramscv_paths
all_alphasstridemse_pathindexr   r   r  this_residuesmaski_best_alpha
best_alphar1   s   ```               @rC   r   z
LarsCV.fit  s   6 	&$.T1aN114;;/14;;/ dgg%0+D%B6BM!5r?;M 4%MM>@D@W@WX DE84;;E F
  (rxx1M0F0F0L0LMF
 
" ^^Dh$89
YYz*
SCJ%8I8I2J JKLM&)
88S_c(m<=/8/B 	A+E+FAq(DbD\F"~HayA~q&y)55!RZZ-!8(!BCbzZ^+vz"~56558B

N+C!CDJK00J:VMaM!#R!@HQX	A vvbkk(+"5%
D>yyB!78-
 !$!
 			]] 	 	
 rE   c                     t        | j                  j                        j                  t	        | j
                        t               j                  dd            }|S )aj  Get metadata routing of this object.

        Please check :ref:`User Guide <metadata_routing>` on how the routing
        mechanism works.

        .. versionadded:: 1.4

        Returns
        -------
        routing : MetadataRouter
            A :class:`~sklearn.utils.metadata_routing.MetadataRouter` encapsulating
            routing information.
        )ownerr   r,  )callercallee)r-  method_mapping)r   r   r   addr   r  r   )r   routers     rC   get_metadata_routingzLarsCV.get_metadata_routing  sQ      dnn&=&=>BBdgg&(?..eG.L C 
 rE   )r   r   r   r   r   r   r   r   r   r   	parameterr   r4   r`   ry   r   r6   r   r$  r   r   rN  __classcell__r   s   @rC   r  r    s    FP$

%
%$h4?@m!(AtFCDT"$D  O .	""9-. F
 BHHUO
6
 5n 6n`rE   r  c                       e Zd ZdZi ej
                  ddgiZdZddddd	d
d	 ej                  e	      j                  ddd
dZy	)LassoLarsCVay  Cross-validated Lasso, using the LARS algorithm.

    See glossary entry for :term:`cross-validation estimator`.

    The optimization objective for Lasso is::

    (1 / (2 * n_samples)) * ||y - Xw||^2_2 + alpha * ||w||_1

    Read more in the :ref:`User Guide <least_angle_regression>`.

    Parameters
    ----------
    fit_intercept : bool, default=True
        Whether to calculate the intercept for this model. If set
        to false, no intercept will be used in calculations
        (i.e. data is expected to be centered).

    verbose : bool or int, default=False
        Sets the verbosity amount.

    max_iter : int, default=500
        Maximum number of iterations to perform.

    precompute : bool or 'auto' , default='auto'
        Whether to use a precomputed Gram matrix to speed up
        calculations. If set to ``'auto'`` let us decide. The Gram matrix
        cannot be passed as argument since we will use only subsets of X.

    cv : int, cross-validation generator or an iterable, default=None
        Determines the cross-validation splitting strategy.
        Possible inputs for cv are:

        - None, to use the default 5-fold cross-validation,
        - integer, to specify the number of folds.
        - :term:`CV splitter`,
        - An iterable yielding (train, test) splits as arrays of indices.

        For integer/None inputs, :class:`~sklearn.model_selection.KFold` is used.

        Refer :ref:`User Guide <cross_validation>` for the various
        cross-validation strategies that can be used here.

        .. versionchanged:: 0.22
            ``cv`` default value if None changed from 3-fold to 5-fold.

    max_n_alphas : int, default=1000
        The maximum number of points on the path used to compute the
        residuals in the cross-validation.

    n_jobs : int or None, default=None
        Number of CPUs to use during the cross validation.
        ``None`` means 1 unless in a :obj:`joblib.parallel_backend` context.
        ``-1`` means using all processors. See :term:`Glossary <n_jobs>`
        for more details.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_X : bool, default=True
        If True, X will be copied; else, it may be overwritten.

    positive : bool, default=False
        Restrict coefficients to be >= 0. Be aware that you might want to
        remove fit_intercept which is set True by default.
        Under the positive restriction the model coefficients do not converge
        to the ordinary-least-squares solution for small values of alpha.
        Only coefficients up to the smallest alpha value (``alphas_[alphas_ >
        0.].min()`` when fit_path=True) reached by the stepwise Lars-Lasso
        algorithm are typically in congruence with the solution of the
        coordinate descent Lasso estimator.
        As a consequence using LassoLarsCV only makes sense for problems where
        a sparse solution is expected and/or reached.

    Attributes
    ----------
    coef_ : array-like of shape (n_features,)
        parameter vector (w in the formulation formula)

    intercept_ : float
        independent term in decision function.

    coef_path_ : array-like of shape (n_features, n_alphas)
        the varying values of the coefficients along the path

    alpha_ : float
        the estimated regularization parameter alpha

    alphas_ : array-like of shape (n_alphas,)
        the different values of alpha along the path

    cv_alphas_ : array-like of shape (n_cv_alphas,)
        all the values of alpha along the path for the different folds

    mse_path_ : array-like of shape (n_folds, n_cv_alphas)
        the mean square error on left-out for each fold along the path
        (alpha values given by ``cv_alphas``)

    n_iter_ : array-like or int
        the number of iterations run by Lars with the optimal alpha.

    active_ : list of int
        Indices of active variables at the end of the path.

    n_features_in_ : int
        Number of features seen during :term:`fit`.

        .. versionadded:: 0.24

    feature_names_in_ : ndarray of shape (`n_features_in_`,)
        Names of features seen during :term:`fit`. Defined only when `X`
        has feature names that are all strings.

        .. versionadded:: 1.0

    See Also
    --------
    lars_path : Compute Least Angle Regression or Lasso
        path using LARS algorithm.
    lasso_path : Compute Lasso path with coordinate descent.
    Lasso : Linear Model trained with L1 prior as
        regularizer (aka the Lasso).
    LassoCV : Lasso linear model with iterative fitting
        along a regularization path.
    LassoLars : Lasso model fit with Least Angle Regression a.k.a. Lars.
    LassoLarsIC : Lasso model fit with Lars using BIC
        or AIC for model selection.
    sklearn.decomposition.sparse_encode : Sparse coding.

    Notes
    -----
    The object solves the same problem as the
    :class:`~sklearn.linear_model.LassoCV` object. However, unlike the
    :class:`~sklearn.linear_model.LassoCV`, it find the relevant alphas values
    by itself. In general, because of this property, it will be more stable.
    However, it is more fragile to heavily multicollinear datasets.

    It is more efficient than the :class:`~sklearn.linear_model.LassoCV` if
    only a small number of features are selected compared to the total number,
    for instance if there are very few samples compared to the number of
    features.

    In `fit`, once the best parameter `alpha` is found through
    cross-validation, the model is fit again using the entire training set.

    Examples
    --------
    >>> from sklearn.linear_model import LassoLarsCV
    >>> from sklearn.datasets import make_regression
    >>> X, y = make_regression(noise=4.0, random_state=0)
    >>> reg = LassoLarsCV(cv=5).fit(X, y)
    >>> reg.score(X, y)
    0.9993
    >>> reg.alpha_
    np.float64(0.3972)
    >>> reg.predict(X[:1,])
    array([-78.4831])
    r:   r%   r*   TFr=   r$   Nr  
r   r,   r2   r   r  r  r  r6   r5   r:   c       
             || _         || _        || _        || _        || _        || _        || _        || _        |	| _        |
| _	        y rL   rT  )r   r   r,   r2   r   r  r  r  r6   r5   r:   s              rC   r   zLassoLarsCV.__init__  sL     + $( rE   )r   r   r   r   r  r   r4   r`   ry   r   r6   r   r  rE   rC   rS  rS  '  sg    `D

'
'YK
 F
 BHHUO!rE   rS  c            
       &    e Zd ZU dZi ej
                   eddh      g eeddd      dgdZe	e
d	<   d
D ]  Zej                  e        	 ddddd ej                  e      j                   dddddZ fdZ ed      dd       Zd Z xZS )LassoLarsICa  Lasso model fit with Lars using BIC or AIC for model selection.

    The optimization objective for Lasso is::

    (1 / (2 * n_samples)) * ||y - Xw||^2_2 + alpha * ||w||_1

    AIC is the Akaike information criterion [2]_ and BIC is the Bayes
    Information criterion [3]_. Such criteria are useful to select the value
    of the regularization parameter by making a trade-off between the
    goodness of fit and the complexity of the model. A good model should
    explain well the data while being simple.

    Read more in the :ref:`User Guide <lasso_lars_ic>`.

    Parameters
    ----------
    criterion : {'aic', 'bic'}, default='aic'
        The type of criterion to use.

    fit_intercept : bool, default=True
        Whether to calculate the intercept for this model. If set
        to false, no intercept will be used in calculations
        (i.e. data is expected to be centered).

    verbose : bool or int, default=False
        Sets the verbosity amount.

    precompute : bool, 'auto' or array-like, default='auto'
        Whether to use a precomputed Gram matrix to speed up
        calculations. If set to ``'auto'`` let us decide. The Gram
        matrix can also be passed as argument.

    max_iter : int, default=500
        Maximum number of iterations to perform. Can be used for
        early stopping.

    eps : float, default=np.finfo(float).eps
        The machine-precision regularization in the computation of the
        Cholesky diagonal factors. Increase this for very ill-conditioned
        systems. Unlike the ``tol`` parameter in some iterative
        optimization-based algorithms, this parameter does not control
        the tolerance of the optimization.

    copy_X : bool, default=True
        If True, X will be copied; else, it may be overwritten.

    positive : bool, default=False
        Restrict coefficients to be >= 0. Be aware that you might want to
        remove fit_intercept which is set True by default.
        Under the positive restriction the model coefficients do not converge
        to the ordinary-least-squares solution for small values of alpha.
        Only coefficients up to the smallest alpha value (``alphas_[alphas_ >
        0.].min()`` when fit_path=True) reached by the stepwise Lars-Lasso
        algorithm are typically in congruence with the solution of the
        coordinate descent Lasso estimator.
        As a consequence using LassoLarsIC only makes sense for problems where
        a sparse solution is expected and/or reached.

    noise_variance : float, default=None
        The estimated noise variance of the data. If `None`, an unbiased
        estimate is computed by an OLS model. However, it is only possible
        in the case where `n_samples > n_features + fit_intercept`.

        .. versionadded:: 1.1

    Attributes
    ----------
    coef_ : array-like of shape (n_features,)
        parameter vector (w in the formulation formula)

    intercept_ : float
        independent term in decision function.

    alpha_ : float
        the alpha parameter chosen by the information criterion

    alphas_ : array-like of shape (n_alphas + 1,) or list of such arrays
        Maximum of covariances (in absolute value) at each iteration.
        ``n_alphas`` is either ``max_iter``, ``n_features`` or the
        number of nodes in the path with ``alpha >= alpha_min``, whichever
        is smaller. If a list, it will be of length `n_targets`.

    n_iter_ : int
        number of iterations run by lars_path to find the grid of
        alphas.

    criterion_ : array-like of shape (n_alphas,)
        The value of the information criteria ('aic', 'bic') across all
        alphas. The alpha which has the smallest information criterion is
        chosen, as specified in [1]_.

    noise_variance_ : float
        The estimated noise variance from the data used to compute the
        criterion.

        .. versionadded:: 1.1

    n_features_in_ : int
        Number of features seen during :term:`fit`.

        .. versionadded:: 0.24

    feature_names_in_ : ndarray of shape (`n_features_in_`,)
        Names of features seen during :term:`fit`. Defined only when `X`
        has feature names that are all strings.

        .. versionadded:: 1.0

    See Also
    --------
    lars_path : Compute Least Angle Regression or Lasso
        path using LARS algorithm.
    lasso_path : Compute Lasso path with coordinate descent.
    Lasso : Linear Model trained with L1 prior as
        regularizer (aka the Lasso).
    LassoCV : Lasso linear model with iterative fitting
        along a regularization path.
    LassoLars : Lasso model fit with Least Angle Regression a.k.a. Lars.
    LassoLarsCV: Cross-validated Lasso, using the LARS algorithm.
    sklearn.decomposition.sparse_encode : Sparse coding.

    Notes
    -----
    The number of degrees of freedom is computed as in [1]_.

    To have more details regarding the mathematical formulation of the
    AIC and BIC criteria, please refer to :ref:`User Guide <lasso_lars_ic>`.

    References
    ----------
    .. [1] :arxiv:`Zou, Hui, Trevor Hastie, and Robert Tibshirani.
            "On the degrees of freedom of the lasso."
            The Annals of Statistics 35.5 (2007): 2173-2192.
            <0712.0881>`

    .. [2] `Wikipedia entry on the Akaike information criterion
            <https://en.wikipedia.org/wiki/Akaike_information_criterion>`_

    .. [3] `Wikipedia entry on the Bayesian information criterion
            <https://en.wikipedia.org/wiki/Bayesian_information_criterion>`_

    Examples
    --------
    >>> from sklearn import linear_model
    >>> reg = linear_model.LassoLarsIC(criterion='bic')
    >>> X = [[-2, 2], [-1, 1], [0, 0], [1, 1], [2, 2]]
    >>> y = [-2.2222, -1.1111, 0, -1.1111, -2.2222]
    >>> reg.fit(X, y)
    LassoLarsIC(criterion='bic')
    >>> print(reg.coef_)
    [ 0.  -1.11]
    aicbicr   Nr&   r'   )	criterionnoise_variancer   )r   r   r   r   TFr$   r=   )r   r,   r   r2   r6   r5   r:   r[  c                    || _         || _        || _        || _        || _        || _        || _        || _        d| _        |	| _	        y )NT)
rZ  r   r:   r2   r,   r5   r   r6   r   r[  )
r   rZ  r   r,   r   r2   r6   r5   r:   r[  s
             rC   r   zLassoLarsIC.__init__  sL     #*  $,rE   c                 F    t         |          }d|j                  _        |S r"  r#  r&  s     rC   r$  zLassoLarsIC.__sklearn_tags__  r(  rE   r;   c                    || j                   }t        | ||dd      \  }}t        ||| j                  |      \  }}}}}| j                  }t        ||||ddd| j                  | j                  | j                  d| j                        \  }}	}
| _
        |j                  d   }| j                  d	k(  rd
}n3| j                  dk(  rt        |      }nt        d| j                        |ddt        j                   f   t        j"                  ||
      z
  }t        j$                  |d
z  d      }t        j&                  |
j                  d   t(              }t+        |
j,                        D ]r  \  }}t        j.                  |      t        j0                  |j2                        j                  kD  }t        j4                  |      s[t        j$                  |      ||<   t || _        | j8                  $| j;                  ||| j                        | _        n| j8                  | _        |t        j                  d
t        j>                  z  | j<                  z        z  || j<                  z  z   ||z  z   | _         t        jB                  | j@                        }||   | _"        |
dd|f   | _#        | jI                  |||       | S )a]  Fit the model using X, y as training data.

        Parameters
        ----------
        X : array-like of shape (n_samples, n_features)
            Training data.

        y : array-like of shape (n_samples,)
            Target values. Will be cast to X's dtype if necessary.

        copy_X : bool, default=None
            If provided, this parameter will override the choice
            of copy_X made at instance creation.
            If ``True``, X will be copied; else, it may be overwritten.

        Returns
        -------
        self : object
            Returns an instance of self.
        NTr*  r   rR   r*   )
r1   r5   r7   r3   r4   r,   r2   r6   r9   r:   r   rX  r	   rY  z+criterion should be either bic or aic, got r  r   rM   )r:   )%r5   r   r"   r   r   rD   r,   r2   r6   r:   r   rf   rZ  r   rA   r`   r   ra   r   rm   r4  r5  rb   r~   ry   rN   anyr   r[  _estimate_noise_variancenoise_variance_pi
criterion_r8  r9  r   r   )r   r.   r/   r5   XmeanymeanXstdr1   r   r   r   r@   criterion_factor	residualsresiduals_sum_squaresdegrees_of_freedomr   r   rD  n_bests                       rC   r   zLassoLarsIC.fit  s   , >[[FT1aN1#3q 2 2$
 1eUD /8LL]]]]0
,J GGAJ	>>U" ^^u$"9~=dnn=OP  am$rvva'<<	 "y!|! <XXj&6&6q&9E . 	1GAt66$<"((4::"6":"::D66$< %'FF4Lq!	1 &#'#@#@1t}} $A $D  $(#6#6D  q255y4+?+??@@#d&:&::;!334 	
 4??+fo6	*
E5$/rE   c                    |j                   d   |j                   d   | j                  z   k  r#t        d| j                  j                   d      t        |d      }|j                  ||      j                  |      }t        j                  ||z
  dz        |j                   d   |j                   d   z
  | j                  z
  z  S )an  Compute an estimate of the variance with an OLS model.

        Parameters
        ----------
        X : ndarray of shape (n_samples, n_features)
            Data to be fitted by the OLS model. We expect the data to be
            centered.

        y : ndarray of shape (n_samples,)
            Associated target.

        positive : bool, default=False
            Restrict coefficients to be >= 0. This should be inline with
            the `positive` parameter from `LassoLarsIC`.

        Returns
        -------
        noise_variance : float
            An estimator of the noise variance of an OLS model.
        r   r   zYou are using z in the case where the number of samples is smaller than the number of features. In this setting, getting a good estimate for the variance of the noise is not possible. Provide an estimate of the noise variance in the constructor.F)r:   r   r	   )
rf   r   rA   r   r   r!   r   predictr`   r   )r   r.   r/   r:   	ols_modely_preds         rC   r`  z$LassoLarsIC._estimate_noise_variance	  s    * 771:d&8&888 !8!8 9 :   %heL	q!$,,Q/vvq6za'(GGAJ#d&8&88
 	
rE   )rX  rL   )r   r   r   r   r  r   r   r   r   r   r   rO  r   r`   ry   r   r6   r   r$  r   r   r`  rP  rQ  s   @rC   rW  rW    s    Wr$

*
*$ %01#D!T&A4H$D  E .	""9-.
 - BHHUO-0
 5X 6Xt"
rE   rW  rL   )F)?r   ru   r   mathr   numbersr   r   numpyr`   scipyr   r   scipy.linalg.lapackr   baser
   r   r   
exceptionsr   model_selectionr   utilsr   r   r   r   utils._metadata_requestsr   r   r   r   r   utils._param_validationr   r   r   r   utils.parallelr   r   utils.validationr   _baser    r!   r"   r   r   ry   r   r6   rD   rH   rB   r   r  r	  r  r  rS  rW  r  rE   rC   <module>r~     s      "  % 0 A A + &   T S . , B B'/  jj$jj$zz4 VH%y"**dCh4?@tQV<=ug./0+q$y94@[;!{#K  #'#, i
 
i'&iX zzlxD@Ah4?@tQV<=ug./0+q$y94@[;!{#K #'!. [%$[B 	v'z_^[ _D	p) p)n 
	q-hyT yx	A!& A!L}
) }
rE   