简体   繁体   中英

Get the column names for each index(row) such that column value is imposed upon some condition in pandas

I have the following:

>>> import pandas as pd
>>> x = pd.DataFrame({'a':[1,3,5], 'b':[4,0,6]})
>>> x
   a  b
0  1  4
1  3  0
2  5  6
>>> required = {0:['b'],1:['a'],2:['a','b']} ---> how to get it from x??
#keys -> index of x 
#values -> list of col names such that value is >2

How can we do this efficiently?

Here's a one-liner using apply and to_dict methods.

In [162]: (x > 2).apply(lambda y: x.columns[y.tolist()].tolist(), axis=1).to_dict()
Out[162]: {0: ['b'], 1: ['a'], 2: ['a', 'b']}

Details

In [173]: (x > 2)
Out[173]:
       a      b
0  False   True
1   True  False
2   True   True

In [174]: (x > 2).apply(lambda y: [y.tolist()], axis=1)
Out[174]:
0    [[False, True]]
1    [[True, False]]
2     [[True, True]]
dtype: object

In [175]: (x > 2).apply(lambda y: x.columns[y.tolist()].tolist(), axis=1)
Out[175]:
0       [b]
1       [a]
2    [a, b]
dtype: object

Here's another one-liner.

In [205]: {i: x.columns[y.tolist()].tolist() for i, y in (x > 2).iterrows()}
Out[205]: {0: ['b'], 1: ['a'], 2: ['a', 'b']}

Or

In [122]: {i: y[y].index.tolist() for i, y in (x > 2).iterrows()}
Out[122]: {0: ['b'], 1: ['a'], 2: ['a', 'b']}

Here are two ideas which are efficient:

pd.DataFrame(x.columns.where(x > 2, ''))
Out: 
        0
0   (, b)
1   (a, )
2  (a, b)

np.where(x > 2, x.columns, '').T
Out: 
array([['', 'a', 'a'],
       ['b', '', 'b']], dtype=object)

Don't know about efficiency but works:

df = pd.DataFrame({'a':[1,3,5], 'b':[4,0,6]})
a = defaultdict(list)
for b,c in df.iterrows():
    for d in c.iteritems():
        if d[1]>2:
            a[b].append(d[0])
print dict(a)

Output:

{0: ['b'], 1: ['a'], 2: ['a', 'b']}

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM