Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Custom transformer for sklearn Pipeline that alters both X and y

Tags:

I want to create my own transformer for use with the sklearn Pipeline.

I am creating a class that implements both fit and transform methods. The purpose of the transformer will be to remove rows from the matrix that have more than a specified number of NaNs.

The issue I am facing is how can I change both the X and y matrices that are passed to the transformer?

I believe this has to be done in the fit method since it has access to both X and y. Since python passes arguments by assignment once I reassign X to a new matrix with fewer rows the reference to the original X is lost (and of course the same is true for y). Is it possible to maintain this reference?

I’m using a pandas DataFrame to easily drop the rows that have too many NaNs, this may not be the right way to do it for my use case. The current code looks like this:

class Dropna():      # thresh is max number of NaNs allowed in a row     def __init__(self, thresh=0):         self.thresh = thresh      def fit(self, X, y):         total = X.shape[1]         # +1 to account for 'y' being added to the dframe                                                                                                                                     new_thresh = total + 1 - self.thresh         df = pd.DataFrame(X)         df['y'] = y         df.dropna(thresh=new_thresh, inplace=True)         X = df.drop('y', axis=1).values         y = df['y'].values         return self      def transform(self, X):         return X 
like image 610
MarkAWard Avatar asked Aug 28 '14 01:08

MarkAWard


People also ask

What are the essential methods for transformer in Scikit-Learn?

For our transformer to work smoothly with Scikit-Learn, we should have three methods: fit() transform() fit_transform.

What is function transformer Sklearn?

A FunctionTransformer forwards its X (and optionally y) arguments to a user-defined function or function object and returns the result of this function. This is useful for stateless transformations such as taking the log of frequencies, doing custom scaling, etc.


1 Answers

Modifying the sample axis, e.g. removing samples, does not (yet?) comply with the scikit-learn transformer API. So if you need to do this, you should do it outside any calls to scikit learn, as preprocessing.

As it is now, the transformer API is used to transform the features of a given sample into something new. This can implicitly contain information from other samples, but samples are never deleted.

Another option is to attempt to impute the missing values. But again, if you need to delete samples, treat it as preprocessing before using scikit learn.

like image 77
eickenberg Avatar answered Oct 04 '22 17:10

eickenberg