automl_search#
EvalML’s core AutoML object.
Module Contents#
Classes Summary#
| Automated Pipeline search. | 
Functions#
| Function that converts a convenience string for an parallel engine type and returns an instance of that engine. | |
| Given data and configuration, run an automl search. | |
| Given data and configuration, run an automl search. | 
Contents#
- class evalml.automl.automl_search.AutoMLSearch(X_train=None, y_train=None, X_holdout=None, y_holdout=None, problem_type=None, objective='auto', max_iterations=None, max_time=None, patience=None, tolerance=None, data_splitter=None, allowed_component_graphs=None, allowed_model_families=None, excluded_model_families=None, features=None, run_feature_selection=True, start_iteration_callback=None, add_result_callback=None, error_callback=None, additional_objectives=None, alternate_thresholding_objective='F1', random_seed=0, n_jobs=-1, tuner_class=None, optimize_thresholds=True, ensembling=False, max_batches=None, problem_configuration=None, train_best_pipeline=True, search_parameters=None, sampler_method='auto', sampler_balanced_ratio=0.25, allow_long_running_models=False, _pipelines_per_batch=5, automl_algorithm='default', engine='sequential', verbose=False, timing=False, exclude_featurizers=None, holdout_set_size=0, use_recommendation=False, include_recommendation=None, exclude_recommendation=None)[source]#
- Automated Pipeline search. - Parameters
- X_train (pd.DataFrame) – The input training data of shape [n_samples, n_features]. Required. 
- y_train (pd.Series) – The target training data of length [n_samples]. Required for supervised learning tasks. 
- X_holdout (pd.DataFrame) – The input holdout data of shape [n_samples, n_features]. 
- y_holdout (pd.Series) – The target holdout data of length [n_samples]. 
- problem_type (str or ProblemTypes) – Type of supervised learning problem. See evalml.problem_types.ProblemType.all_problem_types for a full list. 
- objective (str, ObjectiveBase) – The objective to optimize for. Used to propose and rank pipelines, but not for optimizing each pipeline during fit-time. When set to ‘auto’, chooses: - LogLossBinary for binary classification problems, - LogLossMulticlass for multiclass classification problems, and - R2 for regression problems. 
- max_iterations (int) – Maximum number of iterations to search. If max_iterations and max_time is not set, then max_iterations will default to max_iterations of 5. 
- max_time (int, str) – Maximum time to search for pipelines. This will not start a new pipeline search after the duration has elapsed. If it is an integer, then the time will be in seconds. For strings, time can be specified as seconds, minutes, or hours. 
- patience (int) – Number of iterations without improvement to stop search early. Must be positive. If None, early stopping is disabled. Defaults to None. 
- tolerance (float) – Minimum percentage difference to qualify as score improvement for early stopping. Only applicable if patience is not None. Defaults to None. 
- allowed_component_graphs (dict) – - A dictionary of lists or ComponentGraphs indicating the component graphs allowed in the search. The format should follow { “Name_0”: [list_of_components], “Name_1”: ComponentGraph(…) } - The default of None indicates all pipeline component graphs for this problem type are allowed. Setting this field will cause allowed_model_families to be ignored. - e.g. allowed_component_graphs = { “My_Graph”: [“Imputer”, “One Hot Encoder”, “Random Forest Classifier”] } 
- allowed_model_families (list(str, ModelFamily)) – The model families to search. The default of None searches over all model families. Run evalml.pipelines.components.utils.allowed_model_families(“binary”) to see options. Change binary to multiclass or regression depending on the problem type. Note that if allowed_pipelines is provided, this parameter will be ignored. For default algorithm, this only applies to estimators in the non-naive batches. 
- features (list) – List of features to run DFS on AutoML pipelines. Defaults to None. Features will only be computed if the columns used by the feature exist in the search input and if the feature itself is not in search input. If features is an empty list, the DFS Transformer will not be included in pipelines. 
- run_feature_selection (bool) – If True, will run a separate feature selection pipeline and only use selected features in subsequent batches. If False, will use all of the features for every pipeline. Only used for default algorithm, setting is no-op for iterative algorithm. 
- data_splitter (sklearn.model_selection.BaseCrossValidator) – Data splitting method to use. Defaults to StratifiedKFold. 
- tuner_class – The tuner class to use. Defaults to SKOptTuner. 
- optimize_thresholds (bool) – Whether or not to optimize the binary pipeline threshold. Defaults to True. 
- start_iteration_callback (callable) – Function called before each pipeline training iteration. Callback function takes three positional parameters: The pipeline instance and the AutoMLSearch object. 
- add_result_callback (callable) – Function called after each pipeline training iteration. Callback function takes three positional parameters: A dictionary containing the training results for the new pipeline, an untrained_pipeline containing the parameters used during training, and the AutoMLSearch object. 
- error_callback (callable) – Function called when search() errors and raises an Exception. Callback function takes three positional parameters: the Exception raised, the traceback, and the AutoMLSearch object. Must also accepts kwargs, so AutoMLSearch is able to pass along other appropriate parameters by default. Defaults to None, which will call log_error_callback. 
- additional_objectives (list) – Custom set of objectives to score on. Will override default objectives for problem type if not empty. 
- alternate_thresholding_objective (str) – The objective to use for thresholding binary classification pipelines if the main objective provided isn’t tuneable. Defaults to F1. 
- random_seed (int) – Seed for the random number generator. Defaults to 0. 
- n_jobs (int or None) – Non-negative integer describing level of parallelism used for pipelines. None and 1 are equivalent. If set to -1, all CPUs are used. For n_jobs below -1, (n_cpus + 1 + n_jobs) are used. 
- ensembling (boolean) – If True, runs ensembling in a separate batch after every allowed pipeline class has been iterated over. If the number of unique pipelines to search over per batch is one, ensembling will not run. Defaults to False. 
- max_batches (int) – The maximum number of batches of pipelines to search. Parameters max_time, and max_iterations have precedence over stopping the search. 
- problem_configuration (dict, None) – Additional parameters needed to configure the search. For example, in time series problems, values should be passed in for the time_index, gap, forecast_horizon, and max_delay variables. For multiseries time series problems, the values passed in should also include the name of a series_id column. 
- train_best_pipeline (boolean) – Whether or not to train the best pipeline before returning it. Defaults to True. 
- search_parameters (dict) – - A dict of the hyperparameter ranges or pipeline parameters used to iterate over during search. Keys should consist of the component names and values should specify a singular value/list for pipeline parameters, or skopt.Space for hyperparameter ranges. In the example below, the Imputer parameters would be passed to the hyperparameter ranges, and the Label Encoder parameters would be used as the component parameter. - e.g. search_parameters = { ‘Imputer’{ ‘numeric_impute_strategy’: Categorical([‘most_frequent’, ‘median’]) },
- ’Label Encoder’: {‘positive_label’: True} } 
 
- sampler_method (str) – The data sampling component to use in the pipelines if the problem type is classification and the target balance is smaller than the sampler_balanced_ratio. Either ‘auto’, which will use our preferred sampler for the data, ‘Undersampler’, ‘Oversampler’, or None. Defaults to ‘auto’. 
- sampler_balanced_ratio (float) – The minority:majority class ratio that we consider balanced, so a 1:4 ratio would be equal to 0.25. If the class balance is larger than this provided value, then we will not add a sampler since the data is then considered balanced. Overrides the sampler_ratio of the samplers. Defaults to 0.25. 
- allow_long_running_models (bool) – Whether or not to allow longer-running models for large multiclass problems. If False and no pipelines, component graphs, or model families are provided, AutoMLSearch will not use Elastic Net or XGBoost when there are more than 75 multiclass targets and will not use CatBoost when there are more than 150 multiclass targets. Defaults to False. 
- _ensembling_split_size (float) – The amount of the training data we’ll set aside for training ensemble metalearners. Only used when ensembling is True. Must be between 0 and 1, exclusive. Defaults to 0.2 
- _pipelines_per_batch (int) – The number of pipelines to train for every batch after the first one. The first batch will train a baseline pipline + one of each pipeline family allowed in the search. 
- automl_algorithm (str) – The automl algorithm to use. Currently the two choices are ‘iterative’ and ‘default’. Defaults to default. 
- engine (EngineBase or str) – The engine instance used to evaluate pipelines. Dask or concurrent.futures engines can also be chosen by providing a string from the list [“sequential”, “cf_threaded”, “cf_process”, “dask_threaded”, “dask_process”]. If a parallel engine is selected this way, the maximum amount of parallelism, as determined by the engine, will be used. Defaults to “sequential”. 
- verbose (boolean) – Whether or not to display semi-real-time updates to stdout while search is running. Defaults to False. 
- timing (boolean) – Whether or not to write pipeline search times to the logger. Defaults to False. 
- exclude_featurizers (list[str]) – A list of featurizer components to exclude from the pipelines built by search. Valid options are “DatetimeFeaturizer”, “EmailFeaturizer”, “URLFeaturizer”, “NaturalLanguageFeaturizer”, “TimeSeriesFeaturizer” 
- excluded_model_families (list(str, ModelFamily)) – A list of model families to exclude from the estimators used when building pipelines. For default algorithm, this only excludes estimators in the non-naive batches. 
- holdout_set_size (float) – The size of the holdout set that AutoML search will take for datasets larger than 500 rows. If set to 0, holdout set will not be taken regardless of number of rows. Must be between 0 and 1, exclusive. Defaults to 0.1. 
- use_recommendation (bool) – Whether or not to use a recommendation score to rank pipelines instead of optimization objective. Defaults to False. 
- include_recommendation (list[str]) – A list of objectives to include beyond the defaults in the recommendation score. Defaults to None. 
- exclude_recommendation (list[str]) – A list of objectives to exclude from the defaults in the recommendation score. Defaults to None. 
 
 - Methods - Fits and evaluates a given pipeline then adds the results to the automl rankings with the requirement that automl search has been run. - Returns a trained instance of the best pipeline and parameters found during automl search. If train_best_pipeline is set to False, returns an untrained pipeline instance. - Function to explicitly close the engine, client, parallel resources. - Describe a pipeline. - Returns a pandas.DataFrame with scoring results from all pipelines searched. - Returns a list of input pipeline IDs given an ensembler pipeline ID. - Given the ID of a pipeline training result, returns an untrained instance of the specified pipeline initialized with the parameters used to train that pipeline during automl search. - Reports the scores for the objectives used in the given pipeline's recommendation score calculation. - Calculates recommendation scores for all pipelines in the search results. - Loads AutoML object at file path. - Return an instance of the plot with the latest scores. - Returns a pandas.DataFrame with scoring results from the highest-scoring set of parameters used with each pipeline. - Class that allows access to a copy of the results from automl_search. - Saves AutoML object at file path. - Score a list of pipelines on the given holdout data. - Find the best pipeline for the data set. - Train a list of pipelines on the training data. - add_to_rankings(self, pipeline)[source]#
- Fits and evaluates a given pipeline then adds the results to the automl rankings with the requirement that automl search has been run. - Parameters
- pipeline (PipelineBase) – pipeline to train and evaluate. 
 
 - property best_pipeline(self)#
- Returns a trained instance of the best pipeline and parameters found during automl search. If train_best_pipeline is set to False, returns an untrained pipeline instance. - Returns
- A trained instance of the best pipeline and parameters found during automl search. If train_best_pipeline is set to False, returns an untrained pipeline instance. 
- Return type
- PipelineBase 
- Raises
- PipelineNotFoundError – If this is called before .search() is called. 
 
 - describe_pipeline(self, pipeline_id, return_dict=False)[source]#
- Describe a pipeline. - Parameters
- pipeline_id (int) – pipeline to describe 
- return_dict (bool) – If True, return dictionary of information about pipeline. Defaults to False. 
 
- Returns
- Description of specified pipeline. Includes information such as type of pipeline components, problem, training time, cross validation, etc. 
- Raises
- PipelineNotFoundError – If pipeline_id is not a valid ID. 
 
 - property full_rankings(self)#
- Returns a pandas.DataFrame with scoring results from all pipelines searched. 
 - get_ensembler_input_pipelines(self, ensemble_pipeline_id)[source]#
- Returns a list of input pipeline IDs given an ensembler pipeline ID. - Parameters
- ensemble_pipeline_id (id) – Ensemble pipeline ID to get input pipeline IDs from. 
- Returns
- A list of ensemble input pipeline IDs. 
- Return type
- list[int] 
- Raises
- ValueError – If ensemble_pipeline_id does not correspond to a valid ensemble pipeline ID. 
 
 - get_pipeline(self, pipeline_id)[source]#
- Given the ID of a pipeline training result, returns an untrained instance of the specified pipeline initialized with the parameters used to train that pipeline during automl search. - Parameters
- pipeline_id (int) – Pipeline to retrieve. 
- Returns
- Untrained pipeline instance associated with the provided ID. 
- Return type
- PipelineBase 
- Raises
- PipelineNotFoundError – if pipeline_id is not a valid ID. 
 
 - get_recommendation_score_breakdown(self, pipeline_id)[source]#
- Reports the scores for the objectives used in the given pipeline’s recommendation score calculation. - Note that these scores are reported in their raw form, not scaled to be between 0 and 1. - Parameters
- pipeline_id (int) – The id of the pipeline to get the recommendation score breakdown for. 
- Returns
- A dictionary of the scores for each objective used in the recommendation score calculation. 
- Return type
- dict 
 
 - get_recommendation_scores(self, priority=None, custom_weights=None, use_pipeline_names=False)[source]#
- Calculates recommendation scores for all pipelines in the search results. - Parameters
- priority (str) – An optional name of a priority objective that should be given heavier weight (of 0.5) than the other objectives contributing to the score. Defaults to None, where all objectives are weighted equally. 
- custom_weights (dict[str,float]) – A dictionary mapping objective names to corresponding weights between 0 and 1. Should not be used at the same time as prioritized_objective. Defaults to None. 
- use_pipeline_names (bool) – Whether or not to return the pipeline names instead of ids as the keys to the recommendation score dictionary. Defaults to False. 
 
- Returns
- A dictionary mapping pipeline IDs to recommendation scores 
 
 - static load(file_path, pickle_type='cloudpickle')[source]#
- Loads AutoML object at file path. - Parameters
- file_path (str) – Location to find file to load 
- pickle_type ({"pickle", "cloudpickle"}) – The pickling library to use. Currently not used since the standard pickle library can handle cloudpickles. 
 
- Returns
- AutoSearchBase object 
 
 - property plot(self)#
- Return an instance of the plot with the latest scores. 
 - property rankings(self)#
- Returns a pandas.DataFrame with scoring results from the highest-scoring set of parameters used with each pipeline. 
 - property results(self)#
- Class that allows access to a copy of the results from automl_search. - Returns
- Dictionary containing pipeline_results, a dict with results from each pipeline,
- and search_order, a list describing the order the pipelines were searched. 
 
- Return type
- dict 
 
 - save(self, file_path, pickle_type='cloudpickle', pickle_protocol=cloudpickle.DEFAULT_PROTOCOL)[source]#
- Saves AutoML object at file path. - Parameters
- file_path (str) – Location to save file. 
- pickle_type ({"pickle", "cloudpickle"}) – The pickling library to use. 
- pickle_protocol (int) – The pickle data stream format. 
 
- Raises
- ValueError – If pickle_type is not “pickle” or “cloudpickle”. 
 
 - score_pipelines(self, pipelines, X_holdout, y_holdout, objectives)[source]#
- Score a list of pipelines on the given holdout data. - Parameters
- pipelines (list[PipelineBase]) – List of pipelines to train. 
- X_holdout (pd.DataFrame) – Holdout features. 
- y_holdout (pd.Series) – Holdout targets for scoring. 
- objectives (list[str], list[ObjectiveBase]) – Objectives used for scoring. 
 
- Returns
- Dictionary keyed by pipeline name that maps to a dictionary of scores. Note that the any pipelines that error out during scoring will not be included in the dictionary but the exception and stacktrace will be displayed in the log. 
- Return type
- dict[str, Dict[str, float]] 
 
 - search(self, interactive_plot=True)[source]#
- Find the best pipeline for the data set. - Parameters
- interactive_plot (boolean, True) – Shows an iteration vs. score plot in Jupyter notebook. Disabled by default in non-Jupyter enviroments. 
- Raises
- AutoMLSearchException – If all pipelines in the current AutoML batch produced a score of np.nan on the primary objective. 
- Returns
- Dictionary keyed by batch number that maps to the timings for pipelines run in that batch, as well as the total time for each batch. Pipelines within a batch are labeled by pipeline name. 
- Return type
- Dict[int, Dict[str, Timestamp]] 
 
 - train_pipelines(self, pipelines)[source]#
- Train a list of pipelines on the training data. - This can be helpful for training pipelines once the search is complete. - Parameters
- pipelines (list[PipelineBase]) – List of pipelines to train. 
- Returns
- Dictionary keyed by pipeline name that maps to the fitted pipeline. Note that the any pipelines that error out during training will not be included in the dictionary but the exception and stacktrace will be displayed in the log. 
- Return type
- Dict[str, PipelineBase] 
 
 
- evalml.automl.automl_search.build_engine_from_str(engine_str)[source]#
- Function that converts a convenience string for an parallel engine type and returns an instance of that engine. - Parameters
- engine_str (str) – String representing the requested engine. 
- Returns
- Instance of the requested engine. 
- Return type
- (EngineBase) 
- Raises
- ValueError – If engine_str is not a valid engine. 
 
- evalml.automl.automl_search.search(X_train=None, y_train=None, problem_type=None, objective='auto', mode='fast', max_time=None, patience=None, tolerance=None, problem_configuration=None, n_splits=3, verbose=False, timing=False)[source]#
- Given data and configuration, run an automl search. - This method will run EvalML’s default suite of data checks. If the data checks produce errors, the data check results will be returned before running the automl search. In that case we recommend you alter your data to address these errors and try again. This method is provided for convenience. If you’d like more control over when each of these steps is run, consider making calls directly to the various pieces like the data checks and AutoMLSearch, instead of using this method. - Parameters
- X_train (pd.DataFrame) – The input training data of shape [n_samples, n_features]. Required. 
- y_train (pd.Series) – The target training data of length [n_samples]. Required for supervised learning tasks. 
- problem_type (str or ProblemTypes) – Type of supervised learning problem. See evalml.problem_types.ProblemType.all_problem_types for a full list. 
- objective (str, ObjectiveBase) – The objective to optimize for. Used to propose and rank pipelines, but not for optimizing each pipeline during fit-time. When set to ‘auto’, chooses: - LogLossBinary for binary classification problems, - LogLossMulticlass for multiclass classification problems, and - R2 for regression problems. 
- mode (str) – mode for DefaultAlgorithm. There are two modes: fast and long, where fast is a subset of long. Please look at DefaultAlgorithm for more details. 
- max_time (int, str) – Maximum time to search for pipelines. This will not start a new pipeline search after the duration has elapsed. If it is an integer, then the time will be in seconds. For strings, time can be specified as seconds, minutes, or hours. 
- patience (int) – Number of iterations without improvement to stop search early. Must be positive. If None, early stopping is disabled. Defaults to None. 
- tolerance (float) – Minimum percentage difference to qualify as score improvement for early stopping. Only applicable if patience is not None. Defaults to None. 
- problem_configuration (dict) – Additional parameters needed to configure the search. For example, in time series problems, values should be passed in for the time_index, gap, forecast_horizon, and max_delay variables. 
- n_splits (int) – Number of splits to use with the default data splitter. 
- verbose (boolean) – Whether or not to display semi-real-time updates to stdout while search is running. Defaults to False. 
- timing (boolean) – Whether or not to write pipeline search times to the logger. Defaults to False. 
 
- Returns
- The automl search object containing pipelines and rankings, and the results from running the data checks. If the data check results contain errors, automl search will not be run and an automl search object will not be returned. 
- Return type
- (AutoMLSearch, dict) 
- Raises
- ValueError – If search configuration is not valid. 
 
- evalml.automl.automl_search.search_iterative(X_train=None, y_train=None, problem_type=None, objective='auto', problem_configuration=None, n_splits=3, timing=False, **kwargs)[source]#
- Given data and configuration, run an automl search. - This method will run EvalML’s default suite of data checks. If the data checks produce errors, the data check results will be returned before running the automl search. In that case we recommend you alter your data to address these errors and try again. This method is provided for convenience. If you’d like more control over when each of these steps is run, consider making calls directly to the various pieces like the data checks and AutoMLSearch, instead of using this method. - Parameters
- X_train (pd.DataFrame) – The input training data of shape [n_samples, n_features]. Required. 
- y_train (pd.Series) – The target training data of length [n_samples]. Required for supervised learning tasks. 
- problem_type (str or ProblemTypes) – Type of supervised learning problem. See evalml.problem_types.ProblemType.all_problem_types for a full list. 
- objective (str, ObjectiveBase) – The objective to optimize for. Used to propose and rank pipelines, but not for optimizing each pipeline during fit-time. When set to ‘auto’, chooses: - LogLossBinary for binary classification problems, - LogLossMulticlass for multiclass classification problems, and - R2 for regression problems. 
- problem_configuration (dict) – Additional parameters needed to configure the search. For example, in time series problems, values should be passed in for the time_index, gap, forecast_horizon, and max_delay variables. 
- n_splits (int) – Number of splits to use with the default data splitter. 
- timing (boolean) – Whether or not to write pipeline search times to the logger. Defaults to False. 
- **kwargs – Other keyword arguments which are provided will be passed to AutoMLSearch. 
 
- Returns
- the automl search object containing pipelines and rankings, and the results from running the data checks. If the data check results contain errors, automl search will not be run and an automl search object will not be returned. 
- Return type
- (AutoMLSearch, dict) 
- Raises
- ValueError – If the search configuration is invalid.