Ejes de etiquetas en Seaborn Barplot

Resuelto Erin Shellman asked hace 9 años • 6 respuestas

Estoy intentando usar mis propias etiquetas para un diagrama de barras de Seaborn con el siguiente código:

import pandas as pd
import seaborn as sns
    
fake = pd.DataFrame({'cat': ['red', 'green', 'blue'], 'val': [1, 2, 3]})
fig = sns.barplot(x = 'val', y = 'cat', 
                  data = fake, 
                  color = 'black')
fig.set_axis_labels('Colors', 'Values')

resultado deseado

Sin embargo, aparece un error que:

AttributeError: 'AxesSubplot' object has no attribute 'set_axis_labels'

¿Por qué recibo este error?

Erin Shellman avatar Jul 26 '15 08:07 Erin Shellman
Aceptado

El diagrama de barras de Seaborn devuelve un eje-objeto (no una figura). Esto significa que puede hacer lo siguiente:

import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt

fake = pd.DataFrame({'cat': ['red', 'green', 'blue'], 'val': [1, 2, 3]})
ax = sns.barplot(x = 'val', y = 'cat', 
              data = fake, 
              color = 'black')
ax.set(xlabel='common xlabel', ylabel='common ylabel')
plt.show()
sascha avatar Jul 26 '2015 01:07 sascha

Se puede evitar el método AttributeErrorprovocado set_axis_labels()por utilizando matplotlib.pyplot.xlabely matplotlib.pyplot.ylabel.

matplotlib.pyplot.xlabelestablece la etiqueta del eje x mientras que matplotlib.pyplot.ylabelestablece la etiqueta del eje y del eje actual.

Código de solución:

import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt

fake = pd.DataFrame({'cat': ['red', 'green', 'blue'], 'val': [1, 2, 3]})
fig = sns.barplot(x = 'val', y = 'cat', data = fake, color = 'black')
plt.xlabel("Colors")
plt.ylabel("Values")
plt.title("Colors vs Values") # You can comment this line out if you don't need title
plt.show(fig)

Figura de salida:

ingrese la descripción de la imagen aquí

Steffi Keran Rani J avatar Feb 13 '2018 18:02 Steffi Keran Rani J

También puede establecer el título de su gráfico agregando el parámetro de título de la siguiente manera

ax.set(xlabel='common xlabel', ylabel='common ylabel', title='some title')
John R avatar Apr 30 '2019 12:04 John R

Otra forma de hacerlo sería acceder al método directamente dentro del objeto de trama seaborn.

import pandas as pd
import seaborn as sns
import matplotlib.pyplot as plt

fake = pd.DataFrame({'cat': ['red', 'green', 'blue'], 'val': [1, 2, 3]})
ax = sns.barplot(x = 'val', y = 'cat', data = fake, color = 'black')

ax.set_xlabel("Colors")
ax.set_ylabel("Values")

ax.set_yticklabels(['Red', 'Green', 'Blue'])
ax.set_title("Colors vs Values") 

Produce:

ingrese la descripción de la imagen aquí

simons____ avatar Mar 24 '2022 12:03 simons____