matplotlib 海运条形图上的标签轴

ewm0tg9j  于 2023-03-09  发布在  其他
关注(0)|答案(5)|浏览(183)

我尝试使用我自己的标签为海运条形图与以下代码:

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')

但是,我得到一个错误:

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

怎么回事?

azpvetkf

azpvetkf1#

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='common xlabel', ylabel='common ylabel')
plt.show()
nr7wwzry

nr7wwzry2#

使用**matplotlib.pyplot.xlabelmatplotlib.pyplot.ylabel**可以避免set_axis_labels()方法带来的AttributeError

**matplotlib.pyplot.xlabel设置X轴标签,而matplotlib.pyplot.ylabel**设置当前轴的Y轴标签。
解决方案代码:

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)

输出数字:

bvjxkvbb

bvjxkvbb3#

还可以通过添加title参数来设置图表的标题,如下所示

ax.set(xlabel='common xlabel', ylabel='common ylabel', title='some title')
wfauudbj

wfauudbj4#

另一种方法是直接在seabornplot对象中访问该方法。

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")

产生:

ohfgkhjo

ohfgkhjo5#

轴标签是列的名称,因此您可以在barplot调用中只使用rename(或set_axis)列:

fake = pd.DataFrame({'cat': ['red', 'green', 'blue'], 'val': [1, 2, 3]})
sns.barplot(x='Values', y='Colors', 
            data=fake.rename(columns={'cat': 'Colors', 'val': 'Values'}), 
            #data=fake.set_axis(['Colors', 'Values'], axis=1), 
            color='black');

另一种方法是,由于barplot返回Axes对象,因此可以将set调用链接到该对象。

sns.barplot(x='val', y='cat', data=fake, color='black').set(xlabel='Values', ylabel='Colors', title='My Bar Chart');

如果数据是一个panda对象,panda有一个plot方法,该方法有很多选项可以传递,从标题、轴标签到figsize。

fake.plot(y='val', x='cat', kind='barh', color='black', width=0.8, legend=None,
          xlabel='Colors', ylabel='Values', title='My Bar Chart', figsize=(12,5));

相关问题