标签:ror jea 怎么办 log 注意 code http series 思考
本文首发于微信公众号“Python数据之道”(ID:PyDataRoad)
写这篇文章的起由是有一天微信上一位朋友问到一个问题,问题大体意思概述如下:
现在有一个pandas的Series和一个python的list,想让Series按指定的list进行排序,如何实现?
这个问题的需求用流程图描述如下:
我思考了一下,这个问题解决的核心是引入pandas的数据类型“category”,从而进行排序。
在具体的分析过程中,先将pandas的Series转换成为DataFrame,然后设置数据类型,再进行排序。思路用流程图表示如下:
import pandas as pd
s = pd.Series({‘a‘:1,‘b‘:2,‘c‘:3})
s
a 1
b 2
c 3
dtype: int64
s.index
Index([‘a‘, ‘b‘, ‘c‘], dtype=‘object‘)
list_custom = [‘b‘, ‘a‘, ‘c‘]
list_custom
[‘b‘, ‘a‘, ‘c‘]
df = pd.DataFrame(s)
df = df.reset_index()
df.columns = [‘words‘, ‘number‘]
df
words | number | |
---|---|---|
0 | a | 1 |
1 | b | 2 |
2 | c | 3 |
设置成“category”数据类型
# 设置成“category”数据类型
df[‘words‘] = df[‘words‘].astype(‘category‘)
# inplace = True,使 recorder_categories生效
df[‘words‘].cat.reorder_categories(list_custom, inplace=True)
# inplace = True,使 df生效
df.sort_values(‘words‘, inplace=True)
df
words | number | |
---|---|---|
1 | b | 2 |
0 | a | 1 |
2 | c | 3 |
若指定的list所包含元素比Dataframe中需要排序的列的元素多,怎么办?
list_custom_new = [‘d‘, ‘c‘, ‘b‘,‘a‘,‘e‘]
dict_new = {‘e‘:1, ‘b‘:2, ‘c‘:3}
df_new = pd.DataFrame(list(dict_new.items()), columns=[‘words‘, ‘value‘])
print(list_custom_new)
df_new.sort_values(‘words‘, inplace=True)
df_new
[‘d‘, ‘c‘, ‘b‘, ‘a‘, ‘e‘]
words | value | |
---|---|---|
0 | b | 2 |
1 | c | 3 |
2 | e | 1 |
df_new[‘words‘] = df_new[‘words‘].astype(‘category‘)
# inplace = True,使 set_categories生效
df_new[‘words‘].cat.set_categories(list_custom_new, inplace=True)
df_new.sort_values(‘words‘, ascending=True)
words | value | |
---|---|---|
1 | c | 3 |
0 | b | 2 |
2 | e | 1 |
若指定的list所包含元素比Dataframe中需要排序的列的元素少,怎么办?
注意下面的list中没有元素“b”
list_custom_new = [‘d‘, ‘c‘,‘a‘,‘e‘]
dict_new = {‘e‘:1, ‘b‘:2, ‘c‘:3}
df_new = pd.DataFrame(list(dict_new.items()), columns=[‘words‘, ‘value‘])
print(list_custom_new)
df_new.sort_values(‘words‘, inplace=True)
df_new
[‘d‘, ‘c‘, ‘a‘, ‘e‘]
words | value | |
---|---|---|
0 | b | 2 |
1 | c | 3 |
2 | e | 1 |
df_new[‘words‘] = df_new[‘words‘].astype(‘category‘)
# inplace = True,使 set_categories生效
df_new[‘words‘].cat.set_categories(list_custom_new, inplace=True)
df_new.sort_values(‘words‘, ascending=True)
words | value | |
---|---|---|
0 | NaN | 2 |
1 | c | 3 |
2 | e | 1 |
根据指定的list所包含元素比Dataframe中需要排序的列的元素的多或少,可以分为三种情况:
源代码
需要的童鞋可在微信公众号“Python数据之道”(ID:PyDataRoad)后台回复关键字获取视频,关键字如下:
“2017-025”(不含引号)
Python: Pandas的DataFrame如何按指定list排序
标签:ror jea 怎么办 log 注意 code http series 思考
原文地址:http://www.cnblogs.com/lemonbit/p/7004505.html