5

我想同时跟踪鼠标相对于两个轴上数据坐标的坐标。我可以很好地跟踪鼠标相对于一个轴的位置。问题是:当我添加第二个轴时twinx(),两者都只Cursors报告相对于第二个轴的数据坐标。

例如,我的游标(fernmuffy)报告y-value 是 7.93

Fern: (1597.63, 7.93)
Muffy: (1597.63, 7.93)

如果我使用:

    inv = ax.transData.inverted()
    x, y = inv.transform((event.x, event.y))

我得到一个索引错误。

所以问题是:如何修改代码以跟踪两个轴的数据坐标?


在此处输入图像描述

import numpy as np
import matplotlib.pyplot as plt
import logging
logger = logging.getLogger(__name__)

class Cursor(object):
    def __init__(self, ax, name):
        self.ax = ax
        self.name = name
        plt.connect('motion_notify_event', self)

    def __call__(self, event):
        x, y = event.xdata, event.ydata
        ax = self.ax
        # inv = ax.transData.inverted()
        # x, y = inv.transform((event.x, event.y))
        logger.debug('{n}: ({x:0.2f}, {y:0.2f})'.format(n=self.name,x=x,y=y))


logging.basicConfig(level=logging.DEBUG,
                    format='%(message)s',)
fig, ax = plt.subplots()

x = np.linspace(1000, 2000, 500)
y = 100*np.sin(20*np.pi*(x-1500)/2000.0)
fern = Cursor(ax, 'Fern')
ax.plot(x,y)
ax2 = ax.twinx()
z = x/200.0
muffy = Cursor(ax2, 'Muffy')
ax2.semilogy(x,z)
plt.show()
4

2 回答 2

3

由于回调的工作方式,事件总是在顶部轴中返回。您只需要一些逻辑来检查事件是否发生在我们想要的轴上:

class Cursor(object):
    def __init__(self, ax, x, y, name):
        self.ax = ax
        self.name = name
        plt.connect('motion_notify_event', self)

    def __call__(self, event):
        if event.inaxes is None:
            return
        ax = self.ax
        if ax != event.inaxes:
            inv = ax.transData.inverted()
            x, y = inv.transform(np.array((event.x, event.y)).reshape(1, 2)).ravel()
        elif ax == event.inaxes:
            x, y = event.xdata, event.ydata
        else:
            return
        logger.debug('{n}: ({x:0.2f}, {y:0.2f})'.format(n=self.name,x=x,y=y))

这可能是转换堆栈中的一个细微错误(或者这是正确的用法,并且幸运的是它之前与元组一起使用过),但无论如何,这将使它工作。问题是第 1996 行的代码transform.py期望得到一个 2Dndarray的结果,但是恒等变换只返回传递给它的元组,这就是产生错误的原因。

于 2013-05-21T14:48:17.293 回答
1

您可以通过这种方式使用一个光标(或事件处理程序)跟踪两个轴坐标:

import numpy as np
import matplotlib.pyplot as plt
import logging
logger = logging.getLogger(__name__)

class Cursor(object):
    def __init__(self):
        plt.connect('motion_notify_event', self)

    def __call__(self, event):
        if event.inaxes is None:
            return
        x, y1 = ax1.transData.inverted().transform((event.x,event.y))
        x, y2 = ax2.transData.inverted().transform((event.x,event.y))
        logger.debug('(x,y1,y2)=({x:0.2f}, {y1:0.2f}, {y2:0.2f})'.format(x=x,y1=y1,y2=y2))

logging.basicConfig(level=logging.DEBUG,
                    format='%(message)s',)
fig, ax1 = plt.subplots()

x = np.linspace(1000, 2000, 500)
y = 100*np.sin(20*np.pi*(x-1500)/2000.0)
fern = Cursor()
ax1.plot(x,y)
ax2 = ax1.twinx()
z = x/200.0
ax2.plot(x,z)
plt.show()

(当我像 OP 一样使用时,我得到了“太多的索引” ax2.semilogy(x,z),但没有解决这个问题。)

ax1.transData.inverted().transform((event.x,event.y))代码在指定轴上执行从显示到数据坐标的转换,并且可以随意与任一轴一起使用。

于 2014-11-01T23:16:28.097 回答