1. ホーム
  2. python

[解決済み] Matplotlib でグリッド間隔を変更し、目盛りラベルを指定する

2022-02-03 16:15:17

質問

グリッドプロットにカウントをプロットしようとしているのですが、どうすればいいかわかりません。

欲しい

  1. を、5の間隔で点線グリッドにする。

  2. 主要なティックラベルを20個おきにしか表示しない。

  3. 目盛りがプロットの外に出るようにする。

  4. これらのグリッドの中に "counts" を持つようにする。

など、重複の可能性があるものをチェックしました。 ここで こちら が、解明できていません。

これは私のコードです。

import matplotlib.pyplot as plt
from matplotlib.ticker import MultipleLocator, FormatStrFormatter

for key, value in sorted(data.items()):
    x = value[0][2]
    y = value[0][3]
    count = value[0][4]

    fig = plt.figure()
    ax = fig.add_subplot(111)

    ax.annotate(count, xy = (x, y), size = 5)
    # overwrites and I only get the last data point

    plt.close()
    # Without this, I get a "fail to allocate bitmap" error.

plt.suptitle('Number of counts', fontsize = 12)
ax.set_xlabel('x')
ax.set_ylabel('y')
plt.axes().set_aspect('equal')

plt.axis([0, 1000, 0, 1000])
# This gives an interval of 200.

majorLocator   = MultipleLocator(20)
majorFormatter = FormatStrFormatter('%d')
minorLocator   = MultipleLocator(5)
# I want the minor grid to be 5 and the major grid to be 20.
plt.grid()

filename = 'C:\Users\Owl\Desktop\Plot.png'
plt.savefig(filename, dpi = 150)
plt.close()

こんな感じです。

また、データポイントが上書きされてしまうという問題もありますね。

誰かこの問題を解決してくれる人はいませんか?

解決方法は?

あなたのコードにはいくつかの問題があります。

まず大きなものから。

  1. ループの繰り返しごとに、新しい図形と軸を作成している →→→→. 置く fig = plt.figureax = fig.add_subplot(1,1,1) をループの外に出す。

  2. ロケータを使わないでください。関数を呼び出す ax.set_xticks()ax.grid() を、正しいキーワードで表示します。

  3. plt.axes() は、新しい軸を再び作成することになります。使用する ax.set_aspect('equal') .

細かいことですが のようなMATLAB的な構文を混ぜてはいけません。 plt.axis() と目的語の構文があります。 使用方法 ax.set_xlim(a,b)ax.set_ylim(a,b)

これは、動作する最小限の例であるべきです。

import numpy as np
import matplotlib.pyplot as plt

fig = plt.figure()
ax = fig.add_subplot(1, 1, 1)

# Major ticks every 20, minor ticks every 5
major_ticks = np.arange(0, 101, 20)
minor_ticks = np.arange(0, 101, 5)

ax.set_xticks(major_ticks)
ax.set_xticks(minor_ticks, minor=True)
ax.set_yticks(major_ticks)
ax.set_yticks(minor_ticks, minor=True)

# And a corresponding grid
ax.grid(which='both')

# Or if you want different settings for the grids:
ax.grid(which='minor', alpha=0.2)
ax.grid(which='major', alpha=0.5)

plt.show()

出力はこうです。