(Python - sklearn)如何通过gridsearchcv将参数传递给自定义的ModelTransformer类

时间:2015-01-07 03:08:46

标签: python-2.7 machine-learning parameter-passing scikit-learn cross-validation

下面是我的管道,我似乎无法通过使用ModelTransformer类将参数传递给我的模型,我从链接(http://zacstewart.com/2014/08/05/pipelines-of-featureunions-of-pipelines.html

获取它

错误信息对我有意义,但我不知道如何解决这个问题。知道如何解决这个问题吗?感谢。

# define a pipeline
pipeline = Pipeline([
('vect', DictVectorizer(sparse=False)),
('scale', preprocessing.MinMaxScaler()),
('ess', FeatureUnion(n_jobs=-1, 
                     transformer_list=[
     ('rfc', ModelTransformer(RandomForestClassifier(n_jobs=-1, random_state=1,  n_estimators=100))),
     ('svc', ModelTransformer(SVC(random_state=1))),],
                     transformer_weights=None)),
('es', EnsembleClassifier1()),
])

# define the parameters for the pipeline
parameters = {
'ess__rfc__n_estimators': (100, 200),
}

# ModelTransformer class. It takes it from the link
(http://zacstewart.com/2014/08/05/pipelines-of-featureunions-of-pipelines.html)
class ModelTransformer(TransformerMixin):
    def __init__(self, model):
        self.model = model
    def fit(self, *args, **kwargs):
        self.model.fit(*args, **kwargs)
        return self
    def transform(self, X, **transform_params):
        return DataFrame(self.model.predict(X))

grid_search = GridSearchCV(pipeline, parameters, n_jobs=-1, verbose=1, refit=True)

错误讯息: ValueError:估算器ModelTransformer的参数n_estimators无效。

1 个答案:

答案 0 :(得分:16)

GridSearchCV对嵌套对象有一个特殊的命名约定。在您的情况下,ess__rfc__n_estimators代表ess.rfc.n_estimators,并且根据pipeline的定义,它指向

的属性n_estimators
ModelTransformer(RandomForestClassifier(n_jobs=-1, random_state=1,  n_estimators=100)))

显然,ModelTransformer个实例没有这样的属性。

修复很简单:为了访问ModelTransformer的基础对象,需要使用model字段。因此,网格参数变为

parameters = {
  'ess__rfc__model__n_estimators': (100, 200),
}

P.S。这不是您的代码唯一的问题。要在GridSearchCV中使用多个作业,您需要使用可复制的所有对象。这是通过实施方法get_paramsset_params来实现的,您可以从BaseEstimator mixin借用它们。