6

ユーザーがmatplotlib散布図からデータポイントを選択する必要があるインタラクティブなプロットアプリケーションに取り組んでいます。わかりやすくするために、プロットされた点をクリックしたとき (または何らかの手段で選択したとき) に、その点の色と形状を変更できるようにしたいと考えています。

matplotlib.collections.PathCollectionクラスにはメソッドがあるためset_facecolors、ポイントの色を変更するのは比較的簡単です。ただし、マーカーの形状を更新する同様の方法はわかりません。

これを行う方法はありますか?

問題のベアボーン図:

import numpy as np
import matplotlib.pyplot as plt

x = np.random.normal(0,1.0,100)
y = np.random.normal(0,1.0,100)

scatter_plot = plt.scatter(x, y, facecolor="b", marker="o")

#update the colour 
new_facecolors = ["r","g"]*50
scatter_plot.set_facecolors(new_facecolors)

#update the marker? 
#new_marker = ["o","s"]*50
#scatter_plot.???(new_marker)  #<--how do I access the marker shapes?  

plt.show()

何か案は?

4

2 に答える 2

5

ユーザーが選択したポイントを強調表示したい場合は、選択したポイントの上dot = ax.scatter(...)に別のドット ( ) を重ねることができます。後で、ユーザーのクリックに応じて、 を使用dot.set_offsets((x, y))してドットの位置を変更できます。

Joe Kington は、ユーザーがアーティスト (散布図など) をクリックしたときにデータ座標を表示する注釈を追加する方法の素晴らしい例 ( DataCursor)を書きました。

FollowDotCursorユーザーがマウスを点の上に置いたときにデータ点を強調表示して注釈を付ける派生例 ( ) を次に示します。

表示されるDataCursorデータ座標は、ユーザーがクリックした場所です。これは、基になるデータと正確に同じ座標ではない可能性があります。

表示されるFollowDotCursorデータ座標は常に、マウスに最も近い基になるデータ内のポイントです。


import numpy as np
import matplotlib.pyplot as plt
import scipy.spatial as spatial

def fmt(x, y):
    return 'x: {x:0.2f}\ny: {y:0.2f}'.format(x=x, y=y)

class FollowDotCursor(object):
    """Display the x,y location of the nearest data point.
    """
    def __init__(self, ax, x, y, tolerance=5, formatter=fmt, offsets=(-20, 20)):
        try:
            x = np.asarray(x, dtype='float')
        except (TypeError, ValueError):
            x = np.asarray(mdates.date2num(x), dtype='float')
        y = np.asarray(y, dtype='float')
        self._points = np.column_stack((x, y))
        self.offsets = offsets
        self.scale = x.ptp()
        self.scale = y.ptp() / self.scale if self.scale else 1
        self.tree = spatial.cKDTree(self.scaled(self._points))
        self.formatter = formatter
        self.tolerance = tolerance
        self.ax = ax
        self.fig = ax.figure
        self.ax.xaxis.set_label_position('top')
        self.dot = ax.scatter(
            [x.min()], [y.min()], s=130, color='green', alpha=0.7)
        self.annotation = self.setup_annotation()
        plt.connect('motion_notify_event', self)

    def scaled(self, points):
        points = np.asarray(points)
        return points * (self.scale, 1)

    def __call__(self, event):
        ax = self.ax
        # event.inaxes is always the current axis. If you use twinx, ax could be
        # a different axis.
        if event.inaxes == ax:
            x, y = event.xdata, event.ydata
        elif event.inaxes is None:
            return
        else:
            inv = ax.transData.inverted()
            x, y = inv.transform([(event.x, event.y)]).ravel()
        annotation = self.annotation
        x, y = self.snap(x, y)
        annotation.xy = x, y
        annotation.set_text(self.formatter(x, y))
        self.dot.set_offsets((x, y))
        bbox = ax.viewLim
        event.canvas.draw()

    def setup_annotation(self):
        """Draw and hide the annotation box."""
        annotation = self.ax.annotate(
            '', xy=(0, 0), ha = 'right',
            xytext = self.offsets, textcoords = 'offset points', va = 'bottom',
            bbox = dict(
                boxstyle='round,pad=0.5', fc='yellow', alpha=0.75),
            arrowprops = dict(
                arrowstyle='->', connectionstyle='arc3,rad=0'))
        return annotation

    def snap(self, x, y):
        """Return the value in self.tree closest to x, y."""
        dist, idx = self.tree.query(self.scaled((x, y)), k=1, p=1)
        try:
            return self._points[idx]
        except IndexError:
            # IndexError: index out of bounds
            return self._points[0]

x = np.random.normal(0,1.0,100)
y = np.random.normal(0,1.0,100)
fig, ax = plt.subplots()

cursor = FollowDotCursor(ax, x, y, formatter=fmt, tolerance=20)
scatter_plot = plt.scatter(x, y, facecolor="b", marker="o")

#update the colour 
new_facecolors = ["r","g"]*50
scatter_plot.set_facecolors(new_facecolors)    

plt.show()

ここに画像の説明を入力

于 2013-03-16T20:34:20.550 に答える
4

これを行う方法がないことはかなり確かです。scatterデータがパスのコレクションに変わり、これを行うために必要なメタデータがなくなりました(つまり、図形を描画する理由のセマンティクスについては何も知らず、描画する図形のリストがあるだけです) 。

set_arrayPathCollectionのサブクラスのように)で色を更新することもできますScalerMappable

これを実行したい場合(そしてポイントの数がかなり少ない場合)、パスを手動で管理できます。

もう1つの(より単純な)オプションは、2つ(または複数、必要な形状/色の組み合わせごとに1つ)Line2Dのオブジェクト(この例ではマーカーのサイズをスケーリングしていないため)をで使用すること linestyle='none'です。オブジェクトのピッカーイベントLine2Dは、あなたが最も近いポイントを返します。

申し訳ありませんが、これは厄介です。

于 2013-03-16T19:30:52.523 に答える