I have a data frame df1 like this:
JavaScript
x
5
1
A B C
2
mean 10 100 1
3
std 11 110 2
4
median 12 120 3
5
I want to make another df with separate col for each df1 col. header-row name pair:
JavaScript
1
3
1
A-mean A-std A-median B-mean B-std B-median C-mean C-std C-median
2
10 11 12 100 110 120 1 2 3
3
Basically I have used the pandas.DataFrame.describe function and now I would like to transpose it this way.
Advertisement
Answer
You can unstack
your DataFrame
into a Series
, flatten the Index
, turn it back into a DataFrame
and transpose the result.
JavaScript
1
12
12
1
out = (
2
df.unstack()
3
.pipe(lambda s:
4
s.set_axis(s.index.map('-'.join))
5
)
6
.to_frame().T
7
)
8
9
print(out)
10
A-mean A-std A-median B-mean B-std B-median C-mean C-std C-median
11
0 10 11 12 100 110 120 1 2 3
12