这是进行的一种方法:
将输入数据帧中的相关列 ( ['Client', 'Month']
) 切成 NumPy 数组。这主要是一个以性能为中心的想法,因为我们稍后将使用 NumPy 函数,这些函数经过优化以使用 NumPy 数组。
将两列数据['Client', 'Month']
转换为单个1D
数组,将两列中的元素视为对,这将是等效的线性索引。因此,我们可以假设来自的元素'Client'
表示行索引,而'Month'
元素是列索引。这就像从2D
到1D
。但是,问题在于确定 2D 网格的形状来执行这样的映射。为了涵盖所有对,一个安全的假设是假设一个二维网格,由于 Python 中基于 0 的索引,其每列的维度比最大值大一。因此,我们将得到线性索引。
接下来,我们根据每个线性索引的唯一性来标记它们。我认为这将对应于获得的密钥grouby
。我们还需要沿该一维数组的整个长度获取每个组/唯一键的计数。最后,使用这些标签对计数进行索引应该为每个元素映射相应的计数。
这就是它的全部想法!这是实现 -
# Save relevant columns as a NumPy array for performing NumPy operations afterwards
arr_slice = df[['Client', 'Month']].values
# Get linear indices equivalent of those columns
lidx = np.ravel_multi_index(arr_slice.T,arr_slice.max(0)+1)
# Get unique IDs corresponding to each linear index (i.e. group) and grouped counts
unq,unqtags,counts = np.unique(lidx,return_inverse=True,return_counts=True)
# Index counts with the unique tags to map across all elements with the counts
df["Nbcontrats"] = counts[unqtags]
运行时测试
1)定义功能:
def original_app(df):
df["Nbcontrats"] = df.groupby(['Client', 'Month'])['Contrat'].transform(len)
def vectorized_app(df):
arr_slice = df[['Client', 'Month']].values
lidx = np.ravel_multi_index(arr_slice.T,arr_slice.max(0)+1)
unq,unqtags,counts = np.unique(lidx,return_inverse=True,return_counts=True)
df["Nbcontrats"] = counts[unqtags]
2) 验证结果:
In [143]: # Let's create a dataframe with 100 unique IDs and of length 10000
...: arr = np.random.randint(0,100,(10000,3))
...: df = pd.DataFrame(arr,columns=['Client','Month','Contrat'])
...: df1 = df.copy()
...:
...: # Run the function on the inputs
...: original_app(df)
...: vectorized_app(df1)
...:
In [144]: np.allclose(df["Nbcontrats"],df1["Nbcontrats"])
Out[144]: True
3)最后给他们计时:
In [145]: # Let's create a dataframe with 100 unique IDs and of length 10000
...: arr = np.random.randint(0,100,(10000,3))
...: df = pd.DataFrame(arr,columns=['Client','Month','Contrat'])
...: df1 = df.copy()
...:
In [146]: %timeit original_app(df)
1 loops, best of 3: 645 ms per loop
In [147]: %timeit vectorized_app(df1)
100 loops, best of 3: 2.62 ms per loop