执行操作时忽略字符串列

2022-05-18 00:00:00 python python-3.x pandas normalization

问题描述

我使用以下代码来标准化 pandas DataFrame:

df_norm = (df - df.mean()) / (df.max() - df.min())

当所有列都是数字时,这很好用。但是,现在我在df中有一些字符串列,上面的标准化出现了错误。有没有办法只对数据框的数字列执行这种标准化(保持字符串列不变)?


解决方案

可以使用select_dtypes计算所需列的值:

df = pd.DataFrame({'a': [1, 2, 3], 'b': ['a', 'b', 'c'], 'c': [4, 5, 6]})

df

   a  b  c
0  1  a  4
1  2  b  5
2  3  c  6

df_num = df.select_dtypes(include='number')

df_num

   a  c
0  1  4
1  2  5
2  3  6

然后您可以将它们分配回原始df

df_norm = (df_num - df_num.mean()) / (df_num.max() - df_num.min())


df[df_norm.columns] = df_norm

df

     a  b    c
0 -0.5  a -0.5
1  0.0  b  0.0
2  0.5  c  0.5

相关文章