web-dev-qa-db-ja.com

Seabornのファセットグリッドに読み取り可能なxticksを設定する方法は?

私はシーボーンのファセットグリッドを持つデータフレームのこのプロットを持っています:

import seaborn as sns
import matplotlib.pylab as plt
import pandas
import numpy as np

plt.figure()
df = pandas.DataFrame({"a": map(str, np.arange(1001, 1001 + 30)),
                       "l": ["A"] * 15 + ["B"] * 15,
                       "v": np.random.Rand(30)})
g = sns.FacetGrid(row="l", data=df)
g.map(sns.pointplot, "a", "v")
plt.show()

seabornは、いくつかを選択するだけでなく、すべてのxtickラベルをプロットします。

enter image description here

それをカスタマイズして、すべてではなく、x軸上のすべてのn番目のティックをプロットする方法はありますか?

9
jll

seaborn.pointplotは、このプロットに適したツールではありません。しかし、答えは非常に簡単です。基本的なmatplotlib.pyplot.plot 関数:

import seaborn as sns
import matplotlib.pylab as plt
import pandas
import numpy as np

df = pandas.DataFrame({"a": np.arange(1001, 1001 + 30),
                       "l": ["A"] * 15 + ["B"] * 15,
                       "v": np.random.Rand(30)})
g = sns.FacetGrid(row="l", data=df)
g.map(plt.plot, "a", "v", marker="o")
g.set(xticks=df.a[2::8])

enter image description here

3
mwaskom

この例のように、x個のラベルを手動でスキップする必要があります。

import seaborn as sns
import matplotlib.pylab as plt
import pandas
import numpy as np

df = pandas.DataFrame({"a": range(1001, 1031),
                       "l": ["A",] * 15 + ["B",] * 15,
                       "v": np.random.Rand(30)})
g = sns.FacetGrid(row="l", data=df)
g.map(sns.pointplot, "a", "v")

# iterate over axes of FacetGrid
for ax in g.axes.flat:
    labels = ax.get_xticklabels() # get x labels
    for i,l in enumerate(labels):
        if(i%2 == 0): labels[i] = '' # skip even labels
    ax.set_xticklabels(labels, rotation=30) # set new labels
plt.show()

enter image description here

14
Serenity