选择值大于pandas中另一列的所有列名

时间:2017-08-29 09:15:50

标签: python pandas

我正在尝试在pandas数据框中找到每列的列名,其值大于另一列的值。

例如,如果我有以下数据框:

   A  B  C  D  threshold
0  1  3  3  1  2
1  2  3  6  1  5
2  9  5  0  2  4

对于每一行,我想返回值大于阈值的列的名称,所以我会:

0: B, C
1: C
2: A, B

非常感谢任何帮助!

3 个答案:

答案 0 :(得分:5)

您可以使用:

df1 = df.drop('threshold', 1).gt(df['threshold'], 0)
df1 = df1.apply(lambda x: ', '.join(x.index[x]),axis=1)
print (df1)
0    B, C
1       C
2    A, B
dtype: object

类似的解决方案:

df1 = df.drop('threshold', 1).gt(df['threshold'], 0).stack().rename_axis(('a','b'))
        .reset_index(name='boolean')
a = df1[df1['boolean']].groupby('a')['b'].apply(', '.join).reset_index()
print (a)
   a     b
0  0  B, C
1  1     C
2  2  A, B

答案 1 :(得分:4)

如果您希望大幅提升速度,可以使用NumPy的矢量化where功能。

s = np.where(df.gt(df['threshold'],0), ['A, ', 'B, ', 'C, ', 'D, ', ''], '')
pd.Series([''.join(x).strip(', ') for x in s])

0    B, C
1       C
2    A, B
dtype: object

当使用100,000行的数据帧时,与@jezrael和MaxU解决方案相比,速度提升超过一个数量级。这里我首先创建测试DataFrame。

n = 100000
df = pd.DataFrame(np.random.randint(0, 10, (n, 5)), 
                  columns=['A', 'B', 'C', 'D', 'threshold'])

计时

%%timeit
>>> s = np.where(df.gt(df['threshold'],0), ['A, ', 'B, ', 'C, ', 'D, ', ''], '')
>>> pd.Series([''.join(x).strip(', ') for x in s])
280 ms ± 5.29 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)

%%timeit
>>> df1 = df.drop('threshold', 1).gt(df['threshold'], 0)
>>> df1 = df1.apply(lambda x: ', '.join(x.index[x]),axis=1)
3.15 s ± 82.1 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)

%%timeit
>>> x = df.drop('threshold',1)
>>> x.T.gt(df['threshold']).agg(lambda c: ', '.join(x.columns[c]))
3.28 s ± 145 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)

答案 2 :(得分:2)

你可以这样做:

In [99]: x = df.drop('threshold',1)

In [100]: x
Out[100]:
   A  B  C  D
0  1  3  3  1
1  2  3  6  1
2  9  5  0  2

In [102]: x.T.gt(df['threshold']).agg(lambda c: ', '.join(x.columns[c]))
Out[102]:
0    B, C
1       C
2    A, B
dtype: object