为多个图表重用轴对象

时间:2018-02-28 12:55:33

标签: python pandas matplotlib plot

我有一个带有值的pandas DataFrame和季节指标。我想为整个集创建密度图,然后为每个季创建一个密度图,其中应包括总密度加上季节的密度。
由于整体密度估算需要一些时间(我有超过40000个数据点),我想避免每个季节重复一次。

到目前为止,我得到的最接近的是此代码,基于this answer

import numpy as np
import pandas as pd
import matplotlib.pyplot as plt

n = 25
seasons = ['winter', 'spring', 'summer', 'autumn']
df = pd.DataFrame({'value': np.random.randn(n), 'season': np.random.choice(seasons, n)})

ax = df['value'].plot.density(label="all", legend=True)
plt.savefig("test_density_all.png")
for s in seasons:
    sdf = df[df['season'] == s]
    sdf['value'].plot.density(label=s, legend=True)
    plt.savefig("test_density_" + s + ".png")
    del ax.lines[-1]

在那里,我没有保存整体情节,而是在保存后删除季节线。问题是它没有删除图例,所以虽然夏季图有正确的两个密度,但它的图例包括四个项目(全部,冬季,春季,夏季)。

所以,我需要的是让上面的代码与图例一起工作,或者找到一种方法来存储整个图,这样我就可以将它作为每个季节图的起点。 ..

1 个答案:

答案 0 :(得分:1)

使用ax.legend()在图中获取图例 请注意,这与使用legend=True参数不同,因为它会根据绘图中当前显示的艺术家创建一个新图例。

import numpy as np
import pandas as pd
import matplotlib.pyplot as plt

n = 25
seasons = ['winter', 'spring', 'summer', 'autumn']
df = pd.DataFrame({'value': np.random.randn(n), 'season': np.random.choice(seasons, n)})

ax = df['value'].plot.density(label="all", legend=True)
plt.savefig("test_density_all.png")
for s in seasons:
    sdf = df[df['season'] == s]
    sdf['value'].plot.density(label=s)
    ax.legend()
    ax.figure.savefig("test_density_" + s + ".png")
    ax.lines[-1].remove()

enter image description here