在我的数据集中,我有两个类别列,我想对其进行计数。两列均包含国家/地区,有些重叠(均出现在两列中)。我想在同一国家的column1和column2中给出相同的数字。
我的数据看起来像:
import pandas as pd
d = {'col1': ['NL', 'BE', 'FR', 'BE'], 'col2': ['BE', 'NL', 'ES', 'ES']}
df = pd.DataFrame(data=d)
df
目前,我正在转换数据,例如:
from sklearn.preprocessing import LabelEncoder
df.apply(LabelEncoder().fit_transform)
但是,这在FR和ES之间没有区别。还有另一种简单的方法可以得到以下输出吗?
o = {'col1': [2,0,1,0], 'col2': [0,2,4,4]}
output = pd.DataFrame(data=o)
output
答案 0 :(得分:8)
这是一种方法
df.stack().astype('category').cat.codes.unstack()
Out[190]:
col1 col2
0 3 0
1 0 3
2 2 1
3 0 1
或
s=df.stack()
s[:]=s.factorize()[0]
s.unstack()
Out[196]:
col1 col2
0 0 1
1 1 0
2 2 3
3 1 3
答案 1 :(得分:5)
您可以先将LabelEncoder()与数据框中的唯一值匹配,然后进行转换。
le = LabelEncoder()
le.fit(pd.concat([df.col1, df.col2]).unique()) # or np.unique(df.values.reshape(-1,1))
df.apply(le.transform)
Out[28]:
col1 col2
0 3 0
1 0 3
2 2 1
3 0 1
答案 2 :(得分:2)
np.unique
和return_invesere
。尽管您随后需要重建DataFrame。
pd.DataFrame(np.unique(df, return_inverse=True)[1].reshape(df.shape),
index=df.index,
columns=df.columns)
col1 col2
0 3 0
1 0 3
2 2 1
3 0 1