Pandas常用技巧有哪些
这篇文章主要为大家展示了“Pandas常用技巧有哪些”,内容简而易懂,条理清晰,希望能够帮助大家解决疑惑,下面让小编带领大家一起研究并学习一下“Pandas常用技巧有哪些”这篇文章吧。
成都创新互联-专业网站定制、快速模板网站建设、高性价比高州网站开发、企业建站全套包干低至880元,成熟完善的模板库,直接使用。一站式高州网站制作公司更省心,省钱,快速模板网站建设找我们,业务覆盖高州地区。费用合理售后完善,10年实体公司更值得信赖。
1.计算变量缺失率
df=pd.read_csv('titanic_train.csv') def missing_cal(df): """ df :数据集 return:每个变量的缺失率 """ missing_series = df.isnull().sum()/df.shape[0] missing_df = pd.DataFrame(missing_series).reset_index() missing_df = missing_df.rename(columns={'index':'col', 0:'missing_pct'}) missing_df = missing_df.sort_values('missing_pct',ascending=False).reset_index(drop=True) return missing_df missing_cal(df)
data:image/s3,"s3://crabby-images/dabe5/dabe5f7da04139f69d3f03b064e52d5d7be05d5c" alt="Pandas常用技巧有哪些"
如果需要计算样本的缺失率分布,只要加上参数axis=1.
2.获取分组里最大值所在的行方法
分为分组中有重复值和无重复值两种。
无重复值的情况。
df = pd.DataFrame({'Sp':['a','b','c','d','e','f'], 'Mt':['s1', 's1', 's2','s2','s2','s3'], 'Value':[1,2,3,4,5,6], 'Count':[3,2,5,10,10,6]}) df
data:image/s3,"s3://crabby-images/12048/12048922510cbfbb4f1e1281ef9f746cf5b239ab" alt="Pandas常用技巧有哪些"
df.iloc[df.groupby(['Mt']).apply(lambda x: x['Count'].idxmax())]
data:image/s3,"s3://crabby-images/c60c6/c60c679e5523a0c827ce2921ae18981a2e21d559" alt="Pandas常用技巧有哪些"
先按Mt列进行分组,然后对分组之后的数据框使用idxmax函数取出Count最大值所在的列,再用iloc位置索引将行取出。
有重复值的情况
df["rank"] = df.groupby("ID")["score"].rank(method="min", ascending=False).astype(np.int64) df[df["rank"] == 1][["ID", "class"]]
对ID进行分组之后再对分数应用rank函数,分数相同的情况会赋予相同的排名,然后取出排名为1的数据。
data:image/s3,"s3://crabby-images/18ac4/18ac4df3cef0b520169a962ac940b5cbce210549" alt="Pandas常用技巧有哪些"
3.多列合并为一行
df = pd.DataFrame({'id_part':['a','b','c','d'], 'pred':[0.1,0.2,0.3,0.4], 'pred_class':['women','man','cat','dog'], 'v_id':['d1','d2','d3','d1']})
data:image/s3,"s3://crabby-images/c3122/c3122dfad29968cc40575519a4ca0cd9f7cff3b9" alt="Pandas常用技巧有哪些"
df.groupby(['v_id']).agg({'pred_class': [', '.join],'pred': lambda x: list(x), 'id_part': 'first'}).reset_index()
data:image/s3,"s3://crabby-images/838e1/838e1d302edd2949b38bb6d82653abb83e7b5d5d" alt="Pandas常用技巧有哪些"
4.删除包含特定字符串所在的行
df = pd.DataFrame({'a':[1,2,3,4], 'b':['s1', 'exp_s2', 's3','exps4'], 'c':[5,6,7,8], 'd':[3,2,5,10]}) df[df['b'].str.contains('exp')]
data:image/s3,"s3://crabby-images/ff5fb/ff5fbfe84e94f12323b6a4fdf775fbf1841c7f1c" alt="Pandas常用技巧有哪些"
5.组内排序
df = pd.DataFrame([['A',1],['A',3],['A',2],['B',5],['B',9]], columns = ['name','score']) df
data:image/s3,"s3://crabby-images/57666/57666cb642a21eed361c6c7b90c348060b18ae98" alt="Pandas常用技巧有哪些"
介绍两种高效地组内排序的方法。
df.sort_values(['name','score'], ascending = [True,False]) df.groupby('name').apply(lambda x: x.sort_values('score', ascending=False)).reset_index(drop=True)
data:image/s3,"s3://crabby-images/d050b/d050b42d2ddaf6066185e1829a20db659464d9b4" alt="Pandas常用技巧有哪些"
6.选择特定类型的列
drinks = pd.read_csv('data/drinks.csv') # 选择所有数值型的列 drinks.select_dtypes(include=['number']).head() # 选择所有字符型的列 drinks.select_dtypes(include=['object']).head() drinks.select_dtypes(include=['number','object','category','datetime']).head() # 用 exclude 关键字排除指定的数据类型 drinks.select_dtypes(exclude=['number']).head()
7.字符串转换为数值
df = pd.DataFrame({'列1':['1.1','2.2','3.3'], '列2':['4.4','5.5','6.6'], '列3':['7.7','8.8','-']}) df df.astype({'列1':'float','列2':'float'}).dtypes
用这种方式转换第三列会出错,因为这列里包含一个代表 0 的下划线,pandas 无法自动判断这个下划线。 为了解决这个问题,可以使用 to_numeric() 函数来处理第三列,让 pandas 把任意无效输入转为 NaN。
df = df.apply(pd.to_numeric, errors='coerce').fillna(0) df
data:image/s3,"s3://crabby-images/95932/95932ec3650916d729cf9cce57ce68dd39337347" alt="Pandas常用技巧有哪些"
8.优化 DataFrame 对内存的占用
方法一:只读取切实所需的列,使用usecols参数
cols = ['beer_servings','continent'] small_drinks = pd.read_csv('data/drinks.csv', usecols=cols)
方法二:把包含类别型数据的 object 列转换为 Category 数据类型,通过指定 dtype 参数实现。
dtypes ={'continent':'category'} smaller_drinks = pd.read_csv('data/drinks.csv',usecols=cols, dtype=dtypes)
9.根据最大的类别筛选 DataFrame
movies = pd.read_csv('data/imdb_1000.csv') counts = movies.genre.value_counts() movies[movies.genre.isin(counts.nlargest(3).index)].head()
data:image/s3,"s3://crabby-images/88d90/88d9013e45fdbfceca6372cde5867456d775980c" alt="Pandas常用技巧有哪些"
10.把字符串分割为多列
df = pd.DataFrame({'姓名':['张 三','李 四','王 五'], '所在地':['北京-东城区','上海-黄浦区','广州-白云区']}) df df.姓名.str.split(' ', expand=True)
11.把 Series 里的列表转换为 DataFrame
df = pd.DataFrame({'列1':['a','b','c'],'列2':[[10,20], [20,30], [30,40]]}) df
data:image/s3,"s3://crabby-images/cd628/cd62837b009b3034715b78f68793534debb8cb22" alt="Pandas常用技巧有哪些"
df_new = df.列2.apply(pd.Series) pd.concat([df,df_new], axis='columns')
12.用多个函数聚合
orders = pd.read_csv('data/chipotle.tsv', sep='\t') orders.groupby('order_id').item_price.agg(['sum','count']).head()
data:image/s3,"s3://crabby-images/fdd52/fdd521a2f75692a05ab8de841f8921c056ef4310" alt="Pandas常用技巧有哪些"
13.分组聚合
import pandas as pd df = pd.DataFrame({'key1':['a', 'a', 'b', 'b', 'a'], 'key2':['one', 'two', 'one', 'two', 'one'], 'data1':np.random.randn(5), 'data2':np.random.randn(5)}) df
data:image/s3,"s3://crabby-images/d0b3b/d0b3bbee8ae1f85d1c60a09b4d62fc296680a4d1" alt="Pandas常用技巧有哪些"
for name, group in df.groupby('key1'): print(name) print(group)
data:image/s3,"s3://crabby-images/3b7be/3b7be0db7996e1fa5a394f6a6aef37299cddb660" alt="Pandas常用技巧有哪些"
dict(list(df.groupby('key1')))
data:image/s3,"s3://crabby-images/33898/33898a55b7060df6d6c6a999b94055d0f0c08764" alt="Pandas常用技巧有哪些"
通过字典或Series进行分组
people = pd.DataFrame(np.random.randn(5, 5), columns=['a', 'b', 'c', 'd', 'e'], index=['Joe', 'Steve', 'Wes', 'Jim', 'Travis']) mapping = {'a':'red', 'b':'red', 'c':'blue', 'd':'blue', 'e':'red', 'f':'orange'} by_column = people.groupby(mapping, axis=1) by_column.sum()
data:image/s3,"s3://crabby-images/aa610/aa6107bd82352c2f3c5f876c4cd4247713aac871" alt="Pandas常用技巧有哪些"
以上是“Pandas常用技巧有哪些”这篇文章的所有内容,感谢各位的阅读!相信大家都有了一定的了解,希望分享的内容对大家有所帮助,如果还想学习更多知识,欢迎关注创新互联行业资讯频道!
当前名称:Pandas常用技巧有哪些
分享路径:http://pwwzsj.com/article/ppecso.html