I have a table with four columns: CustomerID, Recency, Frequency and Revenue.
I need to standardize (scale) the columns Recency, Frequency and Revenue and save the column CustomerID.
I used this code:
JavaScript
x
6
1
from sklearn.preprocessing import normalize, StandardScaler
2
df.set_index('CustomerID', inplace = True)
3
standard_scaler = StandardScaler()
4
df = standard_scaler.fit_transform(df)
5
df = pd.DataFrame(data = df, columns = ['Recency', 'Frequency','Revenue'])
6
But the result is a table without the column CustomerID. Is there any way to get a table with the corresponding CustomerID and the scaled columns?
Advertisement
Answer
fit_transform
returns an ndarray with no indices, so you are losing the index you set on df.set_index('CustomerID', inplace = True)
.
Instead of doing this, you can simply take the subset of columns you need to transform, pass them to StandardScaler
, and overwrite the original columns.
JavaScript
1
6
1
# Subset of columns to transform
2
cols = ['Recency','Frequency','Revenue']
3
4
# Overwrite old columns with transformed columns
5
df[cols] = StandardScaler.fit_transform(df[cols])
6
This way, you leave CustomerID
completely unchanged.