我正在尝试为存储在熊猫数据框train
中的数据建立一个简单的分类模型。为了使该模型更有效,我创建了一个我知道用来存储分类数据的列的列名列表,称为category_cols
。我将这些列归类如下:
# Define the lambda function: categorize_label
categorize_label = lambda x: x.astype('category')
# Convert train[category_cols] to a categorical type
train[category_cols] = train[category_cols].apply(categorize_label, axis=0)
我的目标变量material
是分类的,并且可以分配给它64个唯一的标签。但是,其中一些标签仅在train
中出现一次,这太少了,无法很好地训练模型。因此,我想过滤 train
中具有这些稀有材料标签的所有观察结果。 answer提供了有用的groupby + filter组合:
print('Num rows: {}'.format(train.shape[0]))
print('Material labels: {}'.format(len(train['material'].unique())))
min_count = 5
filtered = train.groupby('material').filter(lambda x: len(x) > min_count)
print('Num rows: {}'.format(filtered.shape[0]))
print('Material labels: {}'.format(len(filtered['material'].unique())))
----------------------
Num rows: 19999
Material labels: 64
Num rows: 19963
Material labels: 45
这非常有用,因为它确实使用稀有材料标签过滤了观察结果。但是,category
类型的内幕看起来似乎保留了material
的所有先前值,即使它们已经被过滤。尝试创建虚拟变量时,这将成为一个问题,即使我尝试重新运行相同的分类方法,也会发生这种情况:
filtered[category_cols] = filtered[category_cols].apply(categorize_label, axis=0)
print(pd.get_dummies(train['material']).shape)
print(pd.get_dummies(filtered['material']).shape)
----------------------
(19999, 64)
(19963, 64)
我希望过滤后的假人的形状为(19963,45)。但是,pd.get_dummies
包含在filtered
中没有出现的标签的列。我认为这与category
类型的工作方式有关。如果是这样,有人可以解释一下如何重新分类一列吗?或者,如果那不可能,那么如何消除过滤后的虚拟对象中不必要的列?
谢谢!
答案 0 :(得分:1)
每this answer,可以通过重新索引和转置伪数据帧来解决:
labels = filtered['material'].unique()
dummies = pd.get_dummies(filtered['material'])
dummies = dummies.T.reindex(labels).T
print(dummies.shape)
----------------------
(19963, 45)
答案 1 :(得分:0)
您可以使用category.cat.remove_unused_categories
:
df['category'].cat.remove_unused_categories(inplace=True)
df = pd.DataFrame({'label': list('aabbccd'),
'value': [1] * 7})
print(df)
label value
0 a 1
1 a 1
2 b 1
3 b 1
4 c 1
5 c 1
6 d 1
让我们将label
设置为类型类别
df['label'] = df.label.astype('category')
print(df.label)
0 a
1 a
2 b
3 b
4 c
5 c
6 d
Name: label, dtype: category
Categories (4, object): [a, b, c, d]
过滤器DataFrame
删除label
d
df = df[df.label.ne('d')]
print(df)
label value
0 a 1
1 a 1
2 b 1
3 b 1
4 c 1
5 c 1
删除未使用的类别
df.label.cat.remove_unused_categories(inplace=True)
print(df.label)
0 a
1 a
2 b
3 b
4 c
5 c
Name: label, dtype: category
Categories (3, object): [a, b, c]