I want to format y-axis labels in a seaborn FacetGrid plot, with a number of decimals, and/or with some text added.
JavaScript
x
12
12
1
import seaborn as sns
2
import matplotlib.pyplot as plt
3
sns.set(style="ticks")
4
5
exercise = sns.load_dataset("exercise")
6
7
g = sns.catplot(x="time", y="pulse", hue="kind", col="diet", data=exercise)
8
#g.xaxis.set_major_formatter(ticker.FuncFormatter(lambda x, pos: '{:,.2f}'.format(x) + 'K'))
9
#g.set(xticks=['a','try',0.5])
10
g.yaxis.set_major_formatter(ticker.FuncFormatter(lambda x, pos: '{:,.2f}'.format(x) + 'K'))
11
plt.show()
12
Inspired from How to format seaborn/matplotlib axis tick labels from number to thousands or Millions? (125,436 to 125.4K)
JavaScript
1
2
1
ax.xaxis.set_major_formatter(ticker.FuncFormatter(lambda x, pos: '{:,.2f}'.format(x) + 'K'))
2
It results in the following error.
AttributeError: 'FacetGrid' object has no attribute 'xaxis'
Advertisement
Answer
xaxis
andyaxis
are attributes of the plotaxes
, for aseaborn.axisgrid.FacetGrid
type.- In the linked answer, the type is
matplotlib.axes._subplots.AxesSubplot
- In the linked answer, the type is
p
in thelambda
expression is the tick label number.- seaborn: Building structured multi-plot grids
- matplotlib: Creating multiple subplots
- Tested and working with the following versions:
matplotlib v3.3.4
seaborn v0.11.1
JavaScript
1
18
18
1
import pandas as pd
2
import seaborn as sns
3
import matplotlib.pyplot as plt
4
import matplotlib.ticker as tkr
5
6
sns.set(style="ticks")
7
8
# load data
9
exercise = sns.load_dataset("exercise")
10
11
# plot data
12
g = sns.catplot(x="time", y="pulse", hue="kind", col="diet", data=exercise)
13
14
# format the labels with f-strings
15
for ax in g.axes.flat:
16
ax.yaxis.set_major_formatter(tkr.FuncFormatter(lambda y, p: f'{y:.2f}: Oh baby, baby'))
17
ax.xaxis.set_major_formatter(tkr.FuncFormatter(lambda x, p: f'{x}: Is that your best'))
18
- As noted in a comment by Patrick FitzGerald, the following code, without using
tkr.FuncFormatter
, also works to generate the previous plot. - See
matplotlib.axis.Axis.set_major_formatter
JavaScript
1
5
1
# format the labels with f-strings
2
for ax in g.axes.flat:
3
ax.yaxis.set_major_formatter(lambda y, p: f'{y:.2f}: Oh baby, baby')
4
ax.xaxis.set_major_formatter(lambda x, p: f'{x}: Is that your best')
5