Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Unable to drop columns from a pandas dataframe

I am trying to drop a column from a pandas dataframe as follows:

df = pd.read_csv('Caravan_Dataset.csv')
X = df.drop('Purchase',axis=1)
y = df['Purchase'] 

but it does not work. I also tried the following one:

df = pd.read_csv('Caravan_Dataset.csv')
X = df.drop('Purchase',axis=1,inplace=True)
y = df['Purchase']

but it does not work neither. ıt keeps giving an error like Purchase is still on the columns. Any idea about how can I do it?

like image 592
Tugba Delice Avatar asked Nov 20 '25 04:11

Tugba Delice


1 Answers

When inplace = True , the data is modified in place, which means it will return nothing and the dataframe is now updated. When inplace=False, you will need to assign it to something new.

Change your code from:

X = df.drop('Purchase',axis=1,inplace=True)

To this:

df.drop('Purchase',axis=1,inplace=True)

Or, alternatively use inplace=False (which is the default) and returns a copy of the object, and use:

X = df.drop('Purchase',axis=1)
like image 107
sophocles Avatar answered Nov 21 '25 16:11

sophocles