
    h                     J   d Z ddlZddlmZ ddlmZ ddlZddlm	Z	 ddl
mZmZmZmZmZ ddlmZ dd	lmZ dd
lmZ ddl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" ddl#m$Z$ ddl%m&Z&m'Z' ddl(m)Z)m*Z* ddl+m,Z,m-Z-m.Z.m/Z/m0Z0 ddl1m2Z2m3Z3 d Z4 G d de2ee      Z5 G d de5      Z6y)z1Recursive feature elimination for feature ranking    N)deepcopy)Integral)effective_n_jobs   )BaseEstimatorMetaEstimatorMixin_fit_contextcloneis_classifier)
get_scorer)check_cv_score)Bunchmetadata_routing)MetadataRouterMethodMapping_raise_for_params_routing_enabledprocess_routing)
HasMethodsInterval
RealNotInt)get_tags)_safe_splitavailable_if)Paralleldelayed)_check_method_params_deprecate_positional_args_estimator_hascheck_is_fittedvalidate_data   )SelectorMixin_get_feature_importancesc                 j   t        ||||      \  }}	t        |||||      \  t        ||j                  j                  |      }
t        ||j                  j
                  |       | j                  ||	fdfi |
 | j                  | j                  | j                  | j                  fS )zM
    Return the score and n_features per step for a fit across one fold.
    )paramsindices)Xr(   r)   c                 2    t        | d d |f         S )N)score_paramsr   )	estimatorfeaturesX_testr,   scorery_tests     \/var/www/html/eduruby.in/venv/lib/python3.12/site-packages/sklearn/feature_selection/_rfe.py<lambda>z!_rfe_single_fit.<locals>.<lambda>7   s$    F1h;%%
     )r   r   r-   fitr0   score_fitstep_scores_step_support_step_ranking_step_n_features_)rfer-   r*   ytraintestr0   routed_paramsX_trainy_train
fit_paramsr/   r,   r1   s         `    @@@r2   _rfe_single_fitrD   '   s     #9aE:GW Aq$>NFF%	-))--uJ (
M((..L CHH	
  S..0A0A3CWCWWWr4   c            	           e Zd ZU dZ edg      gd eeddd       eeddd      g eeddd       eeddd      gd	gee	gd
Z
eed<   ddddddZed        Zed        Z ed      d        Zd"dZ e ed            d        Z e ed            d        Zd Z e ed            d        Z e ed            d        Z e ed            d        Z fd Zd! Z xZS )#RFEar  Feature ranking with recursive feature elimination.

    Given an external estimator that assigns weights to features (e.g., the
    coefficients of a linear model), the goal of recursive feature elimination
    (RFE) is to select features by recursively considering smaller and smaller
    sets of features. First, the estimator is trained on the initial set of
    features and the importance of each feature is obtained either through
    any specific attribute or callable.
    Then, the least important features are pruned from current set of features.
    That procedure is recursively repeated on the pruned set until the desired
    number of features to select is eventually reached.

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

    Parameters
    ----------
    estimator : ``Estimator`` instance
        A supervised learning estimator with a ``fit`` method that provides
        information about feature importance
        (e.g. `coef_`, `feature_importances_`).

    n_features_to_select : int or float, default=None
        The number of features to select. If `None`, half of the features are
        selected. If integer, the parameter is the absolute number of features
        to select. If float between 0 and 1, it is the fraction of features to
        select.

        .. versionchanged:: 0.24
           Added float values for fractions.

    step : int or float, default=1
        If greater than or equal to 1, then ``step`` corresponds to the
        (integer) number of features to remove at each iteration.
        If within (0.0, 1.0), then ``step`` corresponds to the percentage
        (rounded down) of features to remove at each iteration.

    verbose : int, default=0
        Controls verbosity of output.

    importance_getter : str or callable, default='auto'
        If 'auto', uses the feature importance either through a `coef_`
        or `feature_importances_` attributes of estimator.

        Also accepts a string that specifies an attribute name/path
        for extracting feature importance (implemented with `attrgetter`).
        For example, give `regressor_.coef_` in case of
        :class:`~sklearn.compose.TransformedTargetRegressor`  or
        `named_steps.clf.feature_importances_` in case of
        class:`~sklearn.pipeline.Pipeline` with its last step named `clf`.

        If `callable`, overrides the default feature importance getter.
        The callable is passed with the fitted estimator and it should
        return importance for each feature.

        .. versionadded:: 0.24

    Attributes
    ----------
    classes_ : ndarray of shape (n_classes,)
        The classes labels. Only available when `estimator` is a classifier.

    estimator_ : ``Estimator`` instance
        The fitted estimator used to select features.

    n_features_ : int
        The number of selected features.

    n_features_in_ : int
        Number of features seen during :term:`fit`. Only defined if the
        underlying estimator exposes such an attribute when 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

    ranking_ : ndarray of shape (n_features,)
        The feature ranking, such that ``ranking_[i]`` corresponds to the
        ranking position of the i-th feature. Selected (i.e., estimated
        best) features are assigned rank 1.

    support_ : ndarray of shape (n_features,)
        The mask of selected features.

    See Also
    --------
    RFECV : Recursive feature elimination with built-in cross-validated
        selection of the best number of features.
    SelectFromModel : Feature selection based on thresholds of importance
        weights.
    SequentialFeatureSelector : Sequential cross-validation based feature
        selection. Does not rely on importance weights.

    Notes
    -----
    Allows NaN/Inf in the input if the underlying estimator does as well.

    References
    ----------

    .. [1] Guyon, I., Weston, J., Barnhill, S., & Vapnik, V., "Gene selection
           for cancer classification using support vector machines",
           Mach. Learn., 46(1-3), 389--422, 2002.

    Examples
    --------
    The following example shows how to retrieve the 5 most informative
    features in the Friedman #1 dataset.

    >>> from sklearn.datasets import make_friedman1
    >>> from sklearn.feature_selection import RFE
    >>> from sklearn.svm import SVR
    >>> X, y = make_friedman1(n_samples=50, n_features=10, random_state=0)
    >>> estimator = SVR(kernel="linear")
    >>> selector = RFE(estimator, n_features_to_select=5, step=1)
    >>> selector = selector.fit(X, y)
    >>> selector.support_
    array([ True,  True,  True,  True,  True, False, False, False, False,
           False])
    >>> selector.ranking_
    array([1, 1, 1, 1, 1, 6, 4, 3, 2, 5])
    r5   Nr   r$   rightclosedneitherverbose)r-   n_features_to_selectsteprK   importance_getter_parameter_constraintsauto)rL   rM   rK   rN   c                J    || _         || _        || _        || _        || _        y Nr-   rL   rM   rN   rK   )selfr-   rL   rM   rK   rN   s         r2   __init__zRFE.__init__   s)     #$8!	!2r4   c                 .    | j                   j                  S rR   )r-   _estimator_typerT   s    r2   rW   zRFE._estimator_type   s    ~~---r4   c                 .    | j                   j                  S )zClasses labels available when `estimator` is a classifier.

        Returns
        -------
        ndarray of shape (n_classes,)
        )
estimator_classes_rX   s    r2   r[   zRFE.classes_   s     '''r4   Fprefer_skip_nested_validationc                     t               rt        | dfi |}nt        t        |            } | j                  ||fi |j                  j
                  S )ab  Fit the RFE model and then the underlying estimator on the selected features.

        Parameters
        ----------
        X : {array-like, sparse matrix} of shape (n_samples, n_features)
            The training input samples.

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

        **fit_params : dict
            - If `enable_metadata_routing=False` (default): Parameters directly passed
              to the ``fit`` method of the underlying estimator.

            - If `enable_metadata_routing=True`: Parameters safely routed to the ``fit``
              method of the underlying estimator.

            .. versionchanged:: 1.6
                See :ref:`Metadata Routing User Guide <metadata_routing>`
                for more details.

        Returns
        -------
        self : object
            Fitted estimator.
        r5   r5   r-   )r   r   r   r7   r-   r5   )rT   r*   r=   rC   r@   s        r2   r5   zRFE.fit   sN    > +D%F:FM!Ej,ABMtyyA=!8!8!<!<==r4   c           	         t        | ||dddd      \  }}|j                  d   }| j                  |dz  }net        | j                  t              r3| j                  }||kD  r:t        j                  d|d|d	t               nt        || j                  z        }d
| j                  cxk  rdk  r&n n#t        t        d| j                  |z              }nt        | j                        }t        j                  |t              }t        j                  |t              }	|rg | _        g | _        g | _        g | _        t        j$                  |      |kD  rt        j&                  |      |   }
t)        | j*                        }| j,                  dkD  r!t/        dt        j$                  |      z          |j0                  |d d |
f   |fi | |r| j                  j3                  t5        |
             | j                  j3                   |||
             | j                   j3                  t7        |             | j"                  j3                  t7        |	             t9        || j:                  d      }t        j<                  |      }t        j>                  |      }tA        |t        j$                  |      |z
        }d||
|   d | <   |	t        jB                  |      xx   dz  cc<   t        j$                  |      |kD  rt        j&                  |      |   }
t)        | j*                        | _"         | jD                  j0                  |d d |
f   |fi | |r| j                  j3                  t5        |
             | j                  j3                   || jD                  |
             | j                   j3                  |       | j"                  j3                  |	       |j%                         | _#        || _$        |	| _%        | S )Ncscr   FTaccept_sparseensure_min_featuresensure_all_finitemulti_outputr$   zFound n_features_to_select= > n_features=C. There will be no feature selection and all features will be kept.g        g      ?)dtyper   z#Fitting estimator with %d features.square)transform_func)&r#   shaperL   
isinstancer   warningswarnUserWarningintrM   maxnponesboolr;   r8   r9   r:   sumaranger
   r-   rK   printr5   appendlenlistr&   rN   argsortravelminlogical_notrZ   n_features_support_ranking_)rT   r*   r=   
step_scorerC   
n_featuresrL   rM   r   r   r.   r-   importancesranks	thresholds                  r2   r7   zRFE._fit  sw   
  !#
1 WWQZ
$$,#-? 118<#'#<#< #j06!5 7:- HO O   $'zD4M4M'M#N  S s1dii*456Dtyy>D77:T277:S1$&D! "D!#D!#D ffX!55yy,X6H dnn-I||a;bffX>NNOIMM!AxK.!:z: %%,,S];!!((Ix)HI""))$x.9""))$x.9 3&&'K
 JJ{+E HHUOE D"&&"25I"IJI49HXe_Zi01R^^H-.!3.E ffX!55J 99Z(2/AakNA<< !!((X7$$Z%JK%%h/%%h/#<<>  r4   predictc                    t        || d       t        |        t               rt        | dfi |}nt	        t	        i             } | j
                  j                  | j                  |      fi |j                  j                  S )a  Reduce X to the selected features and predict using the estimator.

        Parameters
        ----------
        X : array of shape [n_samples, n_features]
            The input samples.

        **predict_params : dict
            Parameters to route to the ``predict`` method of the
            underlying estimator.

            .. versionadded:: 1.6
                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
        -------
        y : array of shape [n_samples]
            The predicted target values.
        r   )r   r`   )	r   r"   r   r   r   rZ   r   	transformr-   )rT   r*   predict_paramsr@   s       r2   r   zRFE.predictz  sw    2 	.$	:+D)N~NM!E",=>M&t&&NN1
!.!8!8!@!@
 	
r4   r6   c                     t        |        t               rt        | dfi |}nt        t        |            } | j                  j
                  | j                  |      |fi |j                  j
                  S )a  Reduce X to the selected features and return the score of the estimator.

        Parameters
        ----------
        X : array of shape [n_samples, n_features]
            The input samples.

        y : array of shape [n_samples]
            The target values.

        **score_params : dict
            - If `enable_metadata_routing=False` (default): Parameters directly passed
              to the ``score`` method of the underlying estimator.

            - If `enable_metadata_routing=True`: Parameters safely routed to the `score`
              method of the underlying estimator.

            .. versionadded:: 1.0

            .. versionchanged:: 1.6
                See :ref:`Metadata Routing User Guide <metadata_routing>`
                for more details.

        Returns
        -------
        score : float
            Score of the underlying base estimator computed with the selected
            features returned by `rfe.transform(X)` and `y`.
        r6   r6   r`   )r"   r   r   r   rZ   r6   r   r-   )rT   r*   r=   r,   r@   s        r2   r6   z	RFE.score  sm    > 	+D'J\JM!E,EFM$t$$NN1q
$1$;$;$A$A
 	
r4   c                 0    t        |        | j                  S rR   )r"   r   rX   s    r2   _get_support_maskzRFE._get_support_mask  s    }}r4   decision_functionc                 l    t        |        | j                  j                  | j                  |            S )a  Compute the decision function of ``X``.

        Parameters
        ----------
        X : {array-like or sparse matrix} of shape (n_samples, n_features)
            The input samples. Internally, it will be converted to
            ``dtype=np.float32`` and if a sparse matrix is provided
            to a sparse ``csr_matrix``.

        Returns
        -------
        score : array, shape = [n_samples, n_classes] or [n_samples]
            The decision function of the input samples. The order of the
            classes corresponds to that in the attribute :term:`classes_`.
            Regression and binary classification produce an array of shape
            [n_samples].
        )r"   rZ   r   r   rT   r*   s     r2   r   zRFE.decision_function  s*    & 	001BCCr4   predict_probac                 l    t        |        | j                  j                  | j                  |            S )a5  Predict class probabilities for X.

        Parameters
        ----------
        X : {array-like or sparse matrix} of shape (n_samples, n_features)
            The input samples. Internally, it will be converted to
            ``dtype=np.float32`` and if a sparse matrix is provided
            to a sparse ``csr_matrix``.

        Returns
        -------
        p : array of shape (n_samples, n_classes)
            The class probabilities of the input samples. The order of the
            classes corresponds to that in the attribute :term:`classes_`.
        )r"   rZ   r   r   r   s     r2   r   zRFE.predict_proba  s*    " 	,,T^^A->??r4   predict_log_probac                 l    t        |        | j                  j                  | j                  |            S )a  Predict class log-probabilities for X.

        Parameters
        ----------
        X : array of shape [n_samples, n_features]
            The input samples.

        Returns
        -------
        p : array of shape (n_samples, n_classes)
            The class log-probabilities of the input samples. The order of the
            classes corresponds to that in the attribute :term:`classes_`.
        )r"   rZ   r   r   r   s     r2   r   zRFE.predict_log_proba  s*     	001BCCr4   c                    t         |          }t        | j                        }|j                  |_        t        |j                        |_        t        |j                        |_        |j                  d|j                  _        |j                  d|j                  _        d|j                  _
        |j                  j                  |j                  _        |j                  j                  |j                  _        |S )NT)super__sklearn_tags__r   r-   estimator_typer   classifier_tagsregressor_tags
poor_scoretarget_tagsrequired
input_tagssparse	allow_nan)rT   tagssub_estimator_tags	__class__s      r2   r   zRFE.__sklearn_tags__  s    w')%dnn50??'(:(J(JK&'9'H'HI+.2D  +*-1D*$(!!3!>!>!E!E$6$A$A$K$K!r4   c                     t        | j                  j                        j                  | j                  t               j                  dd      j                  dd      j                  dd            }|S )j  Get metadata routing of this object.

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

        .. versionadded:: 1.6

        Returns
        -------
        routing : MetadataRouter
            A :class:`~sklearn.utils.metadata_routing.MetadataRouter` encapsulating
            routing information.
        ownerr5   callercalleer   r6   r-   method_mapping)r   r   __name__addr-   r   rT   routers     r2   get_metadata_routingzRFE.get_metadata_routing  sf      dnn&=&=>BBnn(?SeS,S	)S4SS0 C 
 r4   rR   )r   
__module____qualname____doc__r   r   r   r   strcallablerO   dict__annotations__rU   propertyrW   r[   r	   r5   r7   r   r!   r   r6   r   r   r   r   r   r   __classcell__)r   s   @r2   rF   rF   D   s   |~ !%)*ZAg6Xq$y9!
 Xq$y9ZAi8
 ;!8_$D & "   . . ( ( &+ >	 >DbH .+,!
 -!
F .)*&
 +&
P .!456D 7D* .12@ 3@& .!456D 7D"r4   rF   c                      e Zd ZU dZi ej
                   eeddd      gdgdee	gdegdZe
ed<   ej                  d	       d
ej                  iZdddddddddZ ed       ed      ddd              Zd Zd Zd Zy)RFECVa   Recursive feature elimination with cross-validation to select features.

    The number of features selected is tuned automatically by fitting an :class:`RFE`
    selector on the different cross-validation splits (provided by the `cv` parameter).
    The performance of each :class:`RFE` selector is evaluated using `scoring` for
    different numbers of selected features and aggregated together. Finally, the scores
    are averaged across folds and the number of features selected is set to the number
    of features that maximize the cross-validation score.

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

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

    Parameters
    ----------
    estimator : ``Estimator`` instance
        A supervised learning estimator with a ``fit`` method that provides
        information about feature importance either through a ``coef_``
        attribute or through a ``feature_importances_`` attribute.

    step : int or float, default=1
        If greater than or equal to 1, then ``step`` corresponds to the
        (integer) number of features to remove at each iteration.
        If within (0.0, 1.0), then ``step`` corresponds to the percentage
        (rounded down) of features to remove at each iteration.
        Note that the last iteration may remove fewer than ``step`` features in
        order to reach ``min_features_to_select``.

    min_features_to_select : int, default=1
        The minimum number of features to be selected. This number of features
        will always be scored, even if the difference between the original
        feature count and ``min_features_to_select`` isn't divisible by
        ``step``.

        .. versionadded:: 0.20

    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, if ``y`` is binary or multiclass,
        :class:`~sklearn.model_selection.StratifiedKFold` is used. If the
        estimator is not a classifier or if ``y`` is neither binary nor multiclass,
        :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 of None changed from 3-fold to 5-fold.

    scoring : str or callable, default=None
        Scoring method to evaluate the :class:`RFE` selectors' performance. Options:

        - str: see :ref:`scoring_string_names` for options.
        - callable: a scorer callable object (e.g., function) with signature
          ``scorer(estimator, X, y)``. See :ref:`scoring_callable` for details.
        - `None`: the `estimator`'s
          :ref:`default evaluation criterion <scoring_api_overview>` is used.

    verbose : int, default=0
        Controls verbosity of output.

    n_jobs : int or None, default=None
        Number of cores to run in parallel while fitting across folds.
        ``None`` means 1 unless in a :obj:`joblib.parallel_backend` context.
        ``-1`` means using all processors. See :term:`Glossary <n_jobs>`
        for more details.

        .. versionadded:: 0.18

    importance_getter : str or callable, default='auto'
        If 'auto', uses the feature importance either through a `coef_`
        or `feature_importances_` attributes of estimator.

        Also accepts a string that specifies an attribute name/path
        for extracting feature importance.
        For example, give `regressor_.coef_` in case of
        :class:`~sklearn.compose.TransformedTargetRegressor`  or
        `named_steps.clf.feature_importances_` in case of
        :class:`~sklearn.pipeline.Pipeline` with its last step named `clf`.

        If `callable`, overrides the default feature importance getter.
        The callable is passed with the fitted estimator and it should
        return importance for each feature.

        .. versionadded:: 0.24

    Attributes
    ----------
    classes_ : ndarray of shape (n_classes,)
        The classes labels. Only available when `estimator` is a classifier.

    estimator_ : ``Estimator`` instance
        The fitted estimator used to select features.

    cv_results_ : dict of ndarrays
        All arrays (values of the dictionary) are sorted in ascending order
        by the number of features used (i.e., the first element of the array
        represents the models that used the least number of features, while the
        last element represents the models that used all available features).

        .. versionadded:: 1.0

        This dictionary contains the following keys:

        split(k)_test_score : ndarray of shape (n_subsets_of_features,)
            The cross-validation scores across (k)th fold.

        mean_test_score : ndarray of shape (n_subsets_of_features,)
            Mean of scores over the folds.

        std_test_score : ndarray of shape (n_subsets_of_features,)
            Standard deviation of scores over the folds.

        n_features : ndarray of shape (n_subsets_of_features,)
            Number of features used at each step.

            .. versionadded:: 1.5

        split(k)_ranking : ndarray of shape (n_subsets_of_features,)
            The cross-validation rankings across (k)th fold.
            Selected (i.e., estimated best) features are assigned rank 1.
            Illustration in
            :ref:`sphx_glr_auto_examples_feature_selection_plot_rfe_with_cross_validation.py`

            .. versionadded:: 1.7

        split(k)_support : ndarray of shape (n_subsets_of_features,)
            The cross-validation supports across (k)th fold. The support
            is the mask of selected features.

            .. versionadded:: 1.7

    n_features_ : int
        The number of selected features with cross-validation.

    n_features_in_ : int
        Number of features seen during :term:`fit`. Only defined if the
        underlying estimator exposes such an attribute when 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

    ranking_ : narray of shape (n_features,)
        The feature ranking, such that `ranking_[i]`
        corresponds to the ranking
        position of the i-th feature.
        Selected (i.e., estimated best)
        features are assigned rank 1.

    support_ : ndarray of shape (n_features,)
        The mask of selected features.

    See Also
    --------
    RFE : Recursive feature elimination.

    Notes
    -----
    The size of all values in ``cv_results_`` is equal to
    ``ceil((n_features - min_features_to_select) / step) + 1``,
    where step is the number of features removed at each iteration.

    Allows NaN/Inf in the input if the underlying estimator does as well.

    References
    ----------

    .. [1] Guyon, I., Weston, J., Barnhill, S., & Vapnik, V., "Gene selection
           for cancer classification using support vector machines",
           Mach. Learn., 46(1-3), 389--422, 2002.

    Examples
    --------
    The following example shows how to retrieve the a-priori not known 5
    informative features in the Friedman #1 dataset.

    >>> from sklearn.datasets import make_friedman1
    >>> from sklearn.feature_selection import RFECV
    >>> from sklearn.svm import SVR
    >>> X, y = make_friedman1(n_samples=50, n_features=10, random_state=0)
    >>> estimator = SVR(kernel="linear")
    >>> selector = RFECV(estimator, step=1, cv=5)
    >>> selector = selector.fit(X, y)
    >>> selector.support_
    array([ True,  True,  True,  True,  True, False, False, False, False,
           False])
    >>> selector.ranking_
    array([1, 1, 1, 1, 1, 6, 4, 3, 2, 5])

    For a detailed example of using RFECV to select features when training a
    :class:`~sklearn.linear_model.LogisticRegression`, see
    :ref:`sphx_glr_auto_examples_feature_selection_plot_rfe_with_cross_validation.py`.
    r   NrJ   rH   	cv_object)min_features_to_selectcvscoringn_jobsrO   rL   groupsr$   rP   )rM   r   r   r   rK   r   rN   c                t    || _         || _        || _        || _        || _        || _        || _        || _        y rR   )r-   rM   rN   r   r   rK   r   r   )	rT   r-   rM   r   r   r   rK   r   rN   s	            r2   rU   zRFECV.__init__  s>     #	!2&<#r4   z1.8)versionFr\   )r   c          	          t        | d       t         dddd      \  t               r#||j                  d|i       t	         dfi |n.t        t        i 	      t        d|i
      t        i             t         j                  t         j                              } j                         j                  d   } j                  |kD  r+t        j                  d j                   d|dt               t!         j                  t#         j                  |       j$                   j&                   j(                        t+         j,                        dk(  rt.        t0        c}n%t3         j,                        }t5        t0               | fd |j6                  fi j8                  j6                  D              }t;        | \  }	}
}}t=        j>                  |d         ddd   }t=        j>                  |	      }	t=        j>                  |      }t=        j>                  |
      }
t=        j@                  |	d      ddd   }|t=        jB                  |         }t!         j                  | j&                   j$                   j(                         jD                  fi j                  jD                   jF                   _#        jH                   _$        jJ                   _%        tM         j                         _'          jN                  jD                   jQ                        fi j                  jD                   |	dddddf   }|
dddddf   }|dddddf   }t=        jR                  |d      t=        jT                  |d      dtW        |	j                  d         D ci c]  }d| d||    c}tW        |j                  d         D ci c]  }d| d||    c}tW        |
j                  d         D ci c]  }d| d||    c}d|i _,         S c c}w c c}w c c}w )aa  Fit the RFE model and automatically tune the number of selected features.

        Parameters
        ----------
        X : {array-like, sparse matrix} of shape (n_samples, n_features)
            Training vector, where `n_samples` is the number of samples and
            `n_features` is the total number of features.

        y : array-like of shape (n_samples,)
            Target values (integers for classification, real numbers for
            regression).

        groups : array-like of shape (n_samples,) or None, default=None
            Group labels for the samples used while splitting the dataset into
            train/test set. Only used in conjunction with a "Group" :term:`cv`
            instance (e.g., :class:`~sklearn.model_selection.GroupKFold`).

            .. versionadded:: 0.20

        **params : dict of str -> object
            Parameters passed to the ``fit`` method of the estimator,
            the scorer, and the CV splitter.

            .. versionadded:: 1.6
                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
            Fitted estimator.
        r5   csrr   FTrc   Nr   r_   )splitr   )r-   splitterr0   )
classifierr$   zFound min_features_to_select=rh   ri   )r-   rL   rN   rM   rK   )r   c              3   h   K   | ])  \  }} t              j                  	||       + y wrR   )r
   r-   )
.0r>   r?   r*   funcr<   r@   r0   rT   r=   s
      r2   	<genexpr>zRFECV.fit.<locals>.<genexpr>  s8       
t sT^^Q5$V 
s   /2r   )axisrS   )mean_test_scorestd_test_scorer   _test_score_ranking_supportr   )-r   r#   r   updater   r   r   r   r   r-   _get_scorerrm   r   ro   rp   rq   rF   r   rN   rM   rK   r   r   r|   rD   r   r   r   r   ziprt   arrayrw   argmaxr5   r   r   r   r
   rZ   
_transformmeanstdrangecv_results_)rT   r*   r=   r   r(   r   r   parallelstep_resultsscoressupportsrankingsstep_n_featuresstep_n_features_revscores_sum_revrL   
scores_revsupports_revrankings_revir   r<   r@   r0   s   ```                 @@@@r2   r5   z	RFECV.fit  s   R 	&$. !#
1 !x01+D%B6BM!B-h%782M dggq]4>>-JK!!# WWQZ
&&3MM3D4O4O3P Q#!m $--  nn!$T%@%@*!M"44LL
( DKK(A-!?NHdt{{3H?+D  
  
'rxx1M0F0F0L0LM 
 
 7:<6H3(O hhq'9:4R4@&!88H%88H% Q/"52299^3LM nn!5"44LL
 	14//334 ??/DOOA.Q]5L5L5P5PQ AttG_
4R4(4R4(!wwz: ffZa8
 ?DFLLQRO>TUqc%z!}4U
 >C8>>RSCT=UVqc"LO3V	

 >C8>>RSCT=UVqc"LO3V
 -
  VVVs   QQ2Qc                     t        || d       | j                         }t               rt        | dfi |}nt	               }t	        i       |_         || ||fi |j
                  j                  S )a<  Score using the `scoring` option on the given test data and labels.

        Parameters
        ----------
        X : array-like of shape (n_samples, n_features)
            Test samples.

        y : array-like of shape (n_samples,)
            True labels for X.

        **score_params : dict
            Parameters to pass to the `score` method of the underlying scorer.

            .. versionadded:: 1.6
                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
        -------
        score : float
            Score of self.predict(X) w.r.t. y defined by `scoring`.
        r6   r   )r   r   r   r   r   r0   r6   )rT   r*   r=   r,   r   r@   s         r2   r6   zRFECV.score  sh    4 	,g6""$+D'J\JM!GM#(r?M tQ@]%9%9%?%?@@r4   c                    t        | j                  j                        }|j                  | j                  t               j                  dd             |j                  t        | j                        t               j                  dd             |j                  | j                         t               j                  dd      j                  dd             |S )	r   r   r5   r   r   r   )r   r   r6   )r0   r   )	r   r   r   r   r-   r   r   r   r   r   s     r2   r   zRFECV.get_metadata_routing  s      dnn&=&=>

nn(?..eE.J 	 	
 	

dgg&(?.. /  	 	
 	

##%(?SgS.SS0	 	 	
 r4   c                     | j                   $t        | j                        rdnd}t        |      S | j                   }t        |      S )Naccuracyr2)r   r   r-   r   )rT   r   s     r2   r   zRFECV._get_scorer  sA    <<$1$..$AjtG '"" llG'""r4   )r   r   r   r   rF   rO   r   r   r   r   r   r   popr   UNUSED_RFECV__metadata_request__fitrU   r    r	   r5   r6   r   r    r4   r2   r   r   .  s    L\$

$
$$#+Hai#P"Qm#x("$D  56')9)@)@A   =,  .&+ #' Q	 /
Qf"AH!F#r4   r   )7r   ro   copyr   numbersr   numpyrt   joblibr   baser   r   r	   r
   r   metricsr   model_selectionr   model_selection._validationr   utilsr   r   utils._metadata_requestsr   r   r   r   r   utils._param_validationr   r   r   utils._tagsr   utils.metaestimatorsr   r   utils.parallelr   r   utils.validationr   r    r!   r"   r#   _baser%   r&   rD   rF   r   r   r4   r2   <module>r     s~    8     # X X   & 0 +  G F " < .  ;X:g-+] gTS#C S#r4   