I have this example
JavaScript
x
7
1
import pandas as pd
2
import numpy as np
3
4
rng = np.random.default_rng()
5
df = pd.DataFrame(rng.integers(0, 5, size=(5, 3)), columns=list("ABC"))
6
print(df)
7
which produce this dataframe
JavaScript
1
7
1
A B C
2
0 4 4 7
3
1 1 9 6
4
2 2 9 1
5
3 0 5 8
6
4 3 5 5
7
i want to sort values from column A and B and C from higher to lower and put result column headers in new column D like this:
JavaScript
1
7
1
A B C D
2
0 4 4 7 C, A, B
3
1 1 9 6 B, C, A
4
2 2 9 1 B, A, C
5
3 0 5 8 C, B, A
6
4 3 5 5 B, C, A
7
I hope it’s clear, thank you
Advertisement
Answer
You can try:
JavaScript
1
10
10
1
df['D'] = df.apply(lambda x: ', '.join(x.sort_values(ascending=False).index), axis=1)
2
3
4
A B C D
5
0 4 4 7 C, B, A
6
1 1 9 6 B, C, A
7
2 2 9 1 B, A, C
8
3 0 5 8 C, B, A
9
4 3 5 5 C, B, A
10