6

可能重复:
如何消除 matplotlib 轴的相对偏移

我正在针对日期绘制五位数字(210.10、210.25、211.35 等)的数字,我希望 y 轴刻度显示所有数字('214.20' 而不是 '0.20 + 2.14e2')并且没有能够弄清楚这一点。我试图将 ticklabel 格式设置为普通格式,但它似乎没有效果。

plt.ticklabel_format(style='plain', axis='y')

关于我显然失踪的任何提示?

4

2 回答 2

14

轴号是根据给定的Formatter. 不幸的是(AFAIK),matplotlib 没有公开一种方法来控制阈值从数字变为较小的数字 + 偏移量。蛮力方法是设置所有 xtick 字符串:

import matplotlib.pyplot as plt
import numpy as np

x = np.linspace(100, 100.1, 100)
y = np.arange(100)

fig = plt.figure()
plt.plot(x, y)
plt.show()  # original problem

在此处输入图像描述

# setting the xticks to have 3 decimal places
xx, locs = plt.xticks()
ll = ['%.3f' % a for a in xx]
plt.xticks(xx, ll)
plt.show()

在此处输入图像描述

这实际上与使用字符串设置 FixedFormatter 相同:

from matplotlib.ticker import FixedFormatter
plt.gca().xaxis.set_major_formatter(FixedFormatter(ll))

但是,这种方法的问题是标签是固定的。如果要调整绘图的大小/平移,则必须重新开始。更灵活的方法是使用 FuncFormatter:

def form3(x, pos):
    """ This function returns a string with 3 decimal places, given the input x"""
    return '%.3f' % x

from matplotlib.ticker import FuncFormatter
formatter = FuncFormatter(form3)
gca().xaxis.set_major_formatter(FuncFormatter(formatter))

现在您可以移动绘图并且仍然保持相同的精度。但有时这并不理想。人们并不总是想要一个固定的精度。想要保留默认的 Formatter 行为,只需将阈值增加到开始添加偏移量的时间。没有公开的机制,所以我最终要做的是更改源代码。这很简单,只需在ticker.py. 如果你查看那个 github 版本,它在第 497 行:

if np.absolute(ave_oom - range_oom) >= 3:  # four sig-figs

我通常将其更改为:

if np.absolute(ave_oom - range_oom) >= 5:  # four sig-figs

并发现它对我的使用效果很好。在你的 matplotlib 安装中更改该文件,然后记得在 python 生效之前重新启动它。

于 2013-01-21T16:17:13.163 回答
7

您也可以只关闭偏移量:(几乎完全相同的副本How to remove relative shift in matplotlib axis

import matlplotlib is plt

plt.plot([1000, 1001, 1002], [1, 2, 3])
plt.gca().get_xaxis().get_major_formatter().set_useOffset(False)
plt.draw()

这将获取 current axes,获取 x 轴axis对象,然后获取主要格式化对象并设置useOffset为 false ( doc )。

于 2013-01-21T17:24:20.183 回答