web-dev-qa-db-ja.com

Matplotlibで整数のみを使用するようにY軸を強制するにはどうすればよいですか?

Matplotlib.pyplotモジュールを使用してヒストグラムをプロットしていますが、y軸ラベルに整数(例:0、1、2、3など)のみを表示し、小数(例:0.、0.5 、1、1.5、2など)。

ガイダンスノートを見て、答えが matplotlib.pyplot.ylim のどこかにあるのではないかと疑っていますが、これまでのところ、y軸の最小値と最大値を設定するものしか見つかりません。

def doMakeChart(item, x):
    if len(x)==1:
        return
    filename = "C:\Users\me\maxbyte3\charts\\"
    bins=logspace(0.1, 10, 100)
    plt.hist(x, bins=bins, facecolor='green', alpha=0.75)
    plt.gca().set_xscale("log")
    plt.xlabel('Size (Bytes)')
    plt.ylabel('Count')
    plt.suptitle(r'Normal Distribution for Set of Files')
    plt.title('Reference PUID: %s' % item)
    plt.grid(True)
    plt.savefig(filename + item + '.png')
    plt.clf()
45
Jay Gattuso

Yデータがある場合

y = [0., 0.5, 1., 1.5, 2., 2.5]

このデータの最大値と最小値を使用して、この範囲の自然数のリストを作成できます。例えば、

import math
print range(math.floor(min(y)), math.ceil(max(y))+1)

利回り

[0, 1, 2, 3]

次に、 matplotlib.pyplot.yticks を使用して、y目盛りの位置(およびラベル)を設定できます。

yint = range(min(y), math.ceil(max(y))+1)

matplotlib.pyplot.yticks(yint)
34
Chris

別の方法を次に示します。

from matplotlib.ticker import MaxNLocator

ax = plt.figure().gca()
ax.yaxis.set_major_locator(MaxNLocator(integer=True))
101
galath

これは私のために働く:

import matplotlib.pyplot as plt
plt.hist(...

# make the y ticks integers, not floats
yint = []
locs, labels = plt.yticks()
for each in locs:
    yint.append(int(each))
plt.yticks(yint)
6
Ofer Chay