Сюжеты с датами на оси X - PullRequest
       10

Сюжеты с датами на оси X

10 голосов
/ 04 ноября 2011

У меня проблемы с использованием нескольких графиков с датами на оси X.

Я использую пример matplotlib из здесь .Я изменил его, чтобы включить другой подзаговор (данные, которые наносятся на график, такие же).Вот что я получаю в качестве вывода:

enter image description here

Тики появляются только на втором субплоте.Зачем?Как я могу сделать так, чтобы они появлялись на обоих участках?

Вот мой модифицированный источник.Я добавил код, чтобы включить новый субплот в блок if на полпути через источник.

#!/usr/bin/env python
"""
Show how to make date plots in matplotlib using date tick locators and
formatters.  See major_minor_demo1.py for more information on
controlling major and minor ticks

All matplotlib date plotting is done by converting date instances into
days since the 0001-01-01 UTC.  The conversion, tick locating and
formatting is done behind the scenes so this is most transparent to
you.  The dates module provides several converter functions date2num
and num2date

"""
import datetime
import numpy as np
import matplotlib
import matplotlib.pyplot as plt
import matplotlib.dates as mdates
import matplotlib.mlab as mlab
import matplotlib.cbook as cbook

years    = mdates.YearLocator()   # every year
months   = mdates.MonthLocator()  # every month
yearsFmt = mdates.DateFormatter('%Y')

# load a numpy record array from yahoo csv data with fields date,
# open, close, volume, adj_close from the mpl-data/example directory.
# The record array stores python datetime.date as an object array in
# the date column
#datafile = cbook.get_sample_data('goog.npy')
datafile = 'goog.npy'
r = np.load(datafile).view(np.recarray)

fig = plt.figure()
ax = fig.add_subplot(211)
ax.plot(r.date, r.adj_close)


# format the ticks
ax.xaxis.set_major_locator(years)
ax.xaxis.set_major_formatter(yearsFmt)
ax.xaxis.set_minor_locator(months)

datemin = datetime.date(r.date.min().year, 1, 1)
datemax = datetime.date(r.date.max().year+1, 1, 1)
ax.set_xlim(datemin, datemax)

# format the coords message box
def price(x): return '$%1.2f'%x
ax.format_xdata = mdates.DateFormatter('%Y-%m-%d')
ax.format_ydata = price
ax.grid(True)

second = True
if second:
    years    = mdates.YearLocator()   # every year
    months   = mdates.MonthLocator()  # every month
    yearsFmt = mdates.DateFormatter('%Y')

    ax = fig.add_subplot(212)
    ax.plot(r.date, r.adj_close)

    # format the ticks
    ax.xaxis.set_major_locator(years)
    ax.xaxis.set_major_formatter(yearsFmt)
    ax.xaxis.set_minor_locator(months)

    datemin = datetime.date(r.date.min().year, 1, 1)
    datemax = datetime.date(r.date.max().year+1, 1, 1)
    ax.set_xlim(datemin, datemax)

    # format the coords message box
    ax.format_xdata = mdates.DateFormatter('%Y-%m-%d')
    ax.format_ydata = price
    ax.grid(True)

# rotates and right aligns the x labels, and moves the bottom of the
# axes up to make room for them
fig.autofmt_xdate()

plt.show()

1 Ответ

11 голосов
/ 06 ноября 2011

Я нашел виновника. Это autofmt_xdate функция:

Знаки даты часто перекрываются, поэтому полезно повернуть их и выровнять по правому краю. Кроме того, распространенный вариант использования - это несколько вспомогательных участков с общими осями, где ось X представляет собой данные даты. Этикетки часто бывают длинными, и это помогает вращать их на нижнем участке и выключать их на других участках, а также отключать ярлыки.

Это "особенность". Вы можете достичь того же эффекта, вставляя этот код после каждого подпункта:

plt.xticks(rotation=30)
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...