I have a pivot table created using pandas which looks like below:
JavaScript
x
10
10
1
**Account** AA-PRD AB-PRD AC-PRD AD-PRD
2
3
**Product** 10 20 30 50
4
5
PROD1 50 50 60 12
6
7
PROD2 44 78 567 678
8
9
PROD3 56 234 45 77
10
I want to apply color for the entire column based on account name starts with. Ex: If account name starts with “AA” color=yellow, if starts with “AB” then color = red
How can I do that in python and save it into excel file? “Account” has been used as “columns” in pd.pivot_table function. Used below code to create the pivot table
JavaScript
1
2
1
df_summary_table = pd.pivot_table(df_final,values=["cost"],index = "Product", columns="Account")
2
Advertisement
Answer
You can create DataFrame of styles with Styler.apply
and set rows by masks with loc
:
JavaScript
1
15
15
1
def color(x):
2
c1 = 'background-color: yellow'
3
c2 = 'background-color: red'
4
c = ''
5
m1 = x.columns.str.startswith('AA')
6
m2 = x.columns.str.startswith('AB')
7
8
df1 = pd.DataFrame(c, index=x.index, columns=x.columns)
9
df1.loc[:, m1] = c1
10
df1.loc[:, m2] = c2
11
return df1
12
13
(df_summary_table.style.apply(color,axis=None)
14
.to_excel('styled.xlsx', engine='openpyxl', index=False))
15