说,我们建立一个df:
import pandas as pd
import random as randy
import numpy as np
df_size = int(1e6)
df = pd.DataFrame({'first': randy.sample(np.repeat([np.NaN,'Cat','Dog','Bear','Fish'],df_size),df_size),
'second': randy.sample(np.repeat([np.NaN,np.NaN,'Cat','Dog'],df_size),df_size),
'value': range(df_size)},
index=randy.sample(pd.date_range('2013-02-01 09:00:00.000000',periods=1e6,freq='U'),df_size)).sort_index()
它看起来像这样:
first second value
2013-02-01 09:00:00 Fish Cat 95409
2013-02-01 09:00:00.000001 Dog Dog 323089
2013-02-01 09:00:00.000002 Fish Cat 785925
2013-02-01 09:00:00.000003 Dog Cat 866171
2013-02-01 09:00:00.000004 nan nan 665702
2013-02-01 09:00:00.000005 Cat nan 104257
2013-02-01 09:00:00.000006 nan nan 152926
2013-02-01 09:00:00.000007 Bear Cat 707747
我想要的是“第二”列中的每个值,我想要第一个的最后一个“值”。
first second value new_value
2013-02-01 09:00:00 Fish Cat 95409 NaN
2013-02-01 09:00:00.000001 Dog Dog 323089 323089
2013-02-01 09:00:00.000002 Fish Cat 785925 NaN
2013-02-01 09:00:00.000003 Dog Cat 866171 NaN
2013-02-01 09:00:00.000004 nan nan 665702 NaN
2013-02-01 09:00:00.000005 Cat nan 104257 NaN
2013-02-01 09:00:00.000006 nan nan 152926 NaN
2013-02-01 09:00:00.000007 Bear Cat 707747 104257
也许,这不是绝对最好的例子,但在底部,当“第二”是“猫”时,我想要“第一”是“猫”时的最新值
真实的数据集有 1000 多个类别,因此遍历符号并执行 asof() 似乎非常昂贵。我从来没有在 Cython 中传递字符串的运气,但我想将符号映射到整数并做一个蛮力循环会起作用——我希望有更多的 Pythonic。(这仍然相当快)
一个参考,并且有些脆弱的 Cython hack 将是:
%%cython
import numpy as np
import sys
cimport cython
cimport numpy as np
ctypedef np.double_t DTYPE_t
def last_of(np.ndarray[DTYPE_t, ndim=1] some_values,np.ndarray[long, ndim=1] first_sym,np.ndarray[long, ndim=1] second_sym):
cdef long val_len = some_values.shape[0], sym1_len = first_sym.shape[0], sym2_len = second_sym.shape[0], i = 0
assert(sym1_len==sym2_len)
assert(val_len==sym1_len)
cdef int enum_space_size = max(first_sym)+1
cdef np.ndarray[DTYPE_t, ndim=1] last_values = np.zeros(enum_space_size, dtype=np.double) * np.NaN
cdef np.ndarray[DTYPE_t, ndim=1] res = np.zeros(val_len, dtype=np.double) * np.NaN
for i in range(0,val_len):
if first_sym[i]>=0:
last_values[first_sym[i]] = some_values[i]
if second_sym[i]<0 or second_sym[i]>=enum_space_size:
res[i] = np.NaN
else:
res[i] = last_values[second_sym[i]]
return res
然后一些 dict 代替废话:
syms= unique(df['first'].values)
enum_dict = dict(zip(syms,range(0,len(syms))))
enum_dict['nan'] = -1
df['enum_first'] = df['first'].replace(enum_dict)
df['enum_second'] = df['second'].replace(enum_dict)
df['last_value'] = last_of(df.value.values*1.0,df.enum_first.values.astype(int64),df.enum_second.values.astype(int64))
这有一个问题,如果“第二”列有任何不在第一列的值,那么你就有问题了。(我不确定解决这个问题的快速方法......假设你在第二个中添加了“驴”)
每 1000 万行的 cythonic 愚蠢版本对于整个混乱来说是 ~ 21 秒,但对于 cython 部分只有 ~2 秒。(这可以做得更快)
@HYRY——我认为这是一个非常可靠的解决方案;在具有 1000 万行的 DF 上,在我的笔记本电脑上,这对我来说大约需要 30 秒。
鉴于我不知道当第二个列表除了非常昂贵的 isin 之外没有第一个条目时的简单处理方法,我认为 HYRY 的 python 版本非常好。