web-dev-qa-db-ja.com

Seabornで軸タイトルを非表示にする

次のヒートマップがある場合、軸のタイトル(「月」と「年」)を削除するにはどうすればよいですか?

import seaborn as sns

# Load the example flights dataset and conver to long-form
flights_long = sns.load_dataset("flights")
flights = flights_long.pivot("month", "year", "passengers")

# Draw a heatmap with the numeric values in each cell
sns.heatmap(flights, annot=True, fmt="d", linewidths=.5)

current graph

15
Dance Party2

sns.heatmapを呼び出す前に、plt.subplotsを使用して軸を取得し、set_xlabelおよびset_ylabelを使用します。例えば:

import seaborn as sns
import matplotlib.pyplot as plt

# Load the example flights dataset and conver to long-form
flights_long = sns.load_dataset("flights")
flights = flights_long.pivot("month", "year", "passengers")

# ADDED: Extract axes.
fig, ax = plt.subplots(1, 1, figsize = (15, 15), dpi=300)

# Draw a heatmap with the numeric values in each cell
sns.heatmap(flights, annot=True, fmt="d", linewidths=.5)

# ADDED: Remove labels.
ax.set_ylabel('')    
ax.set_xlabel('')

New graph

23
Dance Party2