python类Rectangle()的实例源码

gfx.py 文件源码 项目:pyfds 作者: emtpb 项目源码 文件源码 阅读 30 收藏 0 点赞 0 评论 0
def plot_region(self, region):
        """Shows the given region in the field plot.

        Args:
            region: Region to be plotted.
        """

        if type(region) == reg.PointRegion:
            self.axes.scatter(region.point_coordinates[0] / self._x_axis_factor,
                              region.point_coordinates[1] / self._y_axis_factor, color='black')
        elif type(region) == reg.LineRegion:
            self.axes.plot([region.line_coordinates[0] / self._x_axis_factor,
                            region.line_coordinates[2] / self._x_axis_factor],
                           [region.line_coordinates[1] / self._y_axis_factor,
                            region.line_coordinates[3] / self._y_axis_factor],
                           color='black')
        elif type(region) == reg.RectRegion:
            self.axes.add_patch(pa.Rectangle((region.rect_coordinates[0] / self._x_axis_factor,
                                              region.rect_coordinates[1] / self._y_axis_factor),
                                             region.rect_coordinates[2] / self._x_axis_factor,
                                             region.rect_coordinates[3] / self._y_axis_factor,
                                             fill=False))
        else:
            raise TypeError('Unknown type in region list: {}'.format(type(region)))
grid.py 文件源码 项目:multimodal_varinf 作者: tmoer 项目源码 文件源码 阅读 28 收藏 0 点赞 0 评论 0
def plot_predictions(self,world):
        for i in range(7):
            for j in range(7):
                for k in range(3):
                    if k==1:
                        col = "yellow"
                    elif k == 2:
                        col = "red"
                    elif k == 3:
                        col = 'blue'
                    if world[i,j,k]>0.0:
                        self.ax1.add_patch(patches.Rectangle(
                                (i,j),1,1,
                                #fill=False,
                                edgecolor='black',
                                linewidth = 2,
                                facecolor = col,
                                alpha=world[i,j,k]),
                            )
facedataset.py 文件源码 项目:structured-output-ae 作者: sbelharbi 项目源码 文件源码 阅读 37 收藏 0 点赞 0 评论 0
def debug_plot_over_img(self, img, x, y, bb_d, bb_gt):
        """Plot the landmarks over the image with the bbox."""
        plt.close("all")
        fig = plt.figure()  # , figsize=(15, 10.8), dpi=200
        ax = plt.Axes(fig, [0., 0., 1., 1.])
        ax.set_axis_off()
        ax.imshow(img, aspect="auto", cmap='Greys_r')
        ax.scatter(x, y, s=10, color='r')
        rect1 = patches.Rectangle(
            (bb_d[0], bb_d[1]), bb_d[2]-bb_d[0], bb_d[3]-bb_d[1],
            linewidth=1, edgecolor='r', facecolor='none')
        ax.add_patch(rect1)
        rect2 = patches.Rectangle(
            (bb_gt[0], bb_gt[1]), bb_gt[2]-bb_gt[0], bb_gt[3]-bb_gt[1],
            linewidth=1, edgecolor='b', facecolor='none')
        ax.add_patch(rect2)
        fig.add_axes(ax)

        return fig
facedataset.py 文件源码 项目:structured-output-ae 作者: sbelharbi 项目源码 文件源码 阅读 40 收藏 0 点赞 0 评论 0
def plot_over_img(self, img, x, y, x_pr, y_pr, bb_gt):
        """Plot the landmarks over the image with the bbox."""
        plt.close("all")
        fig = plt.figure(frameon=False)  # , figsize=(15, 10.8), dpi=200
        ax = plt.Axes(fig, [0., 0., 1., 1.])
        ax.set_axis_off()
        ax.imshow(cv2.cvtColor(img, cv2.COLOR_BGR2RGB), aspect="auto")
        ax.scatter(x, y, s=10, color='r')
        ax.scatter(x_pr, y_pr, s=10, color='g')
        rect = patches.Rectangle(
            (bb_gt[0], bb_gt[1]), bb_gt[2]-bb_gt[0], bb_gt[3]-bb_gt[1],
            linewidth=1, edgecolor='b', facecolor='none')
        ax.add_patch(rect)
        fig.add_axes(ax)

        return fig
marginplot.py 文件源码 项目:pauvre 作者: conchoecia 项目源码 文件源码 阅读 25 收藏 0 点赞 0 评论 0
def generate_legend(panel, counts, color):

    # completely custom for more control
    panel.set_xlim([0, 1])
    panel.set_ylim([0, 1000])
    panel.set_yticks([int(x) for x in np.linspace(0, 1000, 6)])
    panel.set_yticklabels([int(x) for x in np.linspace(0, max(counts), 6)])
    for i in np.arange(0, 1001, 1):
        rgba = color(i / 1001)
        alpha = rgba[-1]
        facec = rgba[0:3]
        hist_rectangle = mplpatches.Rectangle((0, i), 1, 1,
                                              linewidth=0.0,
                                              facecolor=facec,
                                              edgecolor=(0, 0, 0),
                                              alpha=alpha)
        panel.add_patch(hist_rectangle)
    panel.spines['top'].set_visible(False)
    panel.spines['left'].set_visible(False)
    panel.spines['bottom'].set_visible(False)
    panel.yaxis.set_label_position("right")
    panel.set_ylabel('Number of Reads')
geom_label.py 文件源码 项目:plotnine 作者: has2k1 项目源码 文件源码 阅读 34 收藏 0 点赞 0 评论 0
def draw_legend(data, da, lyr):
        """
        Draw letter 'a' in the box

        Parameters
        ----------
        data : dataframe
        da : DrawingArea
        lyr : layer

        Returns
        -------
        out : DrawingArea
        """
        if data['fill']:
            rect = Rectangle((0, 0),
                             width=da.width,
                             height=da.height,
                             linewidth=0,
                             alpha=data['alpha'],
                             facecolor=data['fill'],
                             capstyle='projecting')
            da.add_artist(rect)
        return geom_text.draw_legend(data, da, lyr)
sliceview.py 文件源码 项目:segyviewer 作者: Statoil 项目源码 文件源码 阅读 30 收藏 0 点赞 0 评论 0
def __init__(self, axes, model, interpolation="nearest", aspect="auto"):
        super(SliceView, self).__init__()
        data = np.zeros((1, 1))
        self._image = axes.imshow(data, interpolation=interpolation, aspect=aspect, origin='upper')
        """ :type: AxesImage """
        self._model = model
        """ :type: SliceModel """

        style = {"fill": False,
                 "alpha": 1,
                 "color": 'black',
                 "linestyle": 'dotted',
                 "linewidth": 0.75
                 }

        self._vertical_indicator = patches.Rectangle((-0.5, -0.5), 1, model.height, **style)
        self._horizontal_indicator = patches.Rectangle((-0.5, -0.5), model.width, 1, **style)
        self._zoom_factor = 1.0

        self._view_limits = None

        self._min_xlim = 0
        self._max_xlim = model.width
        self._min_ylim = 0
        self._max_ylim = model.height
flat_removal.py 文件源码 项目:BRITE-data-reduction-tool 作者: Ashoka42 项目源码 文件源码 阅读 33 收藏 0 点赞 0 评论 0
def __init__(self, axis1):
        # Defines the axis used
        self.ax1 = axis1
        # Defines the default y-coordinate of the rectangle
        self.y0 = -50
        self.y1 = 50
        # Defines variables for drawing enabled/disabled and default output
        self.draw = 0
        self.output = "-50 50"
        # Defines a rectangle for the plot (mag/hjd)
        # Sets the rectangular width to 10000 - should be enough
        self.rect1 = Rectangle((0, 0), 10000, 0, alpha=0.3)
        # Adds the rectangle to the corresponding axis
        self.ax1.add_patch(self.rect1)

    # Defines what should happen on pressing the mousebutton
aperture_correction1.py 文件源码 项目:BRITE-data-reduction-tool 作者: Ashoka42 项目源码 文件源码 阅读 23 收藏 0 点赞 0 评论 0
def __init__(self, axis1, axis2, axis3, xmin, xmax, ymin, ymax):
        # Defines the axes used by the specific rectangular for each plot
        self.ax1 = axis1
        self.ax2 = axis2
        self.ax3 = axis3
        # Defines the default x- and y-coordinates of the rectangle
        self.x0 = xmin
        self.x1 = xmax
        self.y0 = ymin
        self.y1 = ymax
        # Defines variables for drawing enabled/disabled and default output
        self.draw = 0
        self.output = str(xmin) + " " + str(xmax) + " " + str(ymin) + " " + str(ymax)
        # Defines a rectangule for each plot (y/x, mag/x, mag/y)
        # Sets the rectangular y-position for the 2nd and 3rd plot to -50 and the
        # height to 100 to cover a default range from -50 to 50 (mag)
        self.rect1 = Rectangle((xmin, ymin), (xmax - xmin), (ymax - ymin), alpha=0.3)
        self.rect2 = Rectangle((xmin, -50), (xmax - xmin), 100, alpha=0.3)
        self.rect3 = Rectangle((ymin, -50), (ymax - ymin), 100, alpha=0.3)
        # Connects the rectangle to the corresponding axis
        self.ax1.add_patch(self.rect1)
        self.ax2.add_patch(self.rect2)
        self.ax3.add_patch(self.rect3)

    # Defines what should happen on pressing the mouse-button
aperture_correction2.py 文件源码 项目:BRITE-data-reduction-tool 作者: Ashoka42 项目源码 文件源码 阅读 31 收藏 0 点赞 0 评论 0
def __init__(self, axis1, axis2, axis3):
        # Defines the axes used by the specific rectangular for each plot
        self.ax1 = axis1
        self.ax2 = axis2
        self.ax3 = axis3
        # Defines the default x- and y-coordinates of the rectangle
        self.x0 = 0
        self.x1 = 100
        self.y0 = 0
        self.y1 = 100
        # Defines variables for drawing enabled/disabled and default output
        self.draw = 0
        self.output = "0 100 0 100"
        # Defines a rectangule for each plot (y/x, mag/x, mag/y)
        # Sets the rectangular y-position for the 2nd and 3rd plot to -50 and the
        # height to 100 to cover a default range from -50 to 50 (mag)
        self.rect1 = Rectangle((0, 0), 0, 0, alpha=0.3)
        self.rect2 = Rectangle((0, -50), 0, 100, alpha=0.3)
        self.rect3 = Rectangle((0, -50), 0, 100, alpha=0.3)
        # Connects the rectangle to the corresponding axis
        self.ax1.add_patch(self.rect1)
        self.ax2.add_patch(self.rect2)
        self.ax3.add_patch(self.rect3)

    # Defines what should happen on pressing the mousebutton
plot.py 文件源码 项目:tadtool 作者: vaquerizaslab 项目源码 文件源码 阅读 23 收藏 0 点赞 0 评论 0
def _plot(self, region=None, cax=None):
        self.current_region = region
        try:
            sr, start_ix, end_ix = sub_regions(self.regions, region)
            trans = self.ax.get_xaxis_transform()
            for r in sr:
                region_patch = patches.Rectangle(
                    (r.start, .2),
                    width=abs(r.end - r.start), height=.6,
                    transform=trans,
                    facecolor=self.color,
                    edgecolor='white',
                    linewidth=2.
                )
                self.ax.add_patch(region_patch)
        except ValueError:
            pass
        self.ax.axis('off')
pyfrp_ROI.py 文件源码 项目:PyFRAP 作者: alexblaessle 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def genAsOpenscad(self):

        """Generates ROI as solid python object.

        Useful if ROI is used to be passed to openscad.

        Returns:
            solid.solidpython.cube: Solid python object. 

        """

        z=self.getOpenscadZExtend()
        zmin,zmax=min(z),max(z)
        openScadROI=solid.translate([self.offset[0],self.offset[1],zmin])(solid.cube([self.sidelength,self.sidelength,abs(zmax-zmin)]))
        return openScadROI

#-------------------------------------------------------------------------------------------------------------------------------------------------------------------------
#Rectangle ROI class
pyfrp_ROI.py 文件源码 项目:PyFRAP 作者: alexblaessle 项目源码 文件源码 阅读 28 收藏 0 点赞 0 评论 0
def genAsOpenscad(self):

        """Generates ROI as solid python object.

        Useful if ROI is used to be passed to openscad.

        .. note:: Will grab extent of geometry to find bounds in z-direction. 

        Returns:
            solid.solidpython.cube: Solid python object. 

        """

        try:
            ext=self.embryo.geometry.getZExtend()
        except AttributeError:
            printError("genAsOpenscad: Cannot greab extend from geometry of type " + self.embryo.geometry.typ)

        openScadROI=solid.translate([self.offset[0],self.offset[1],min(ext)])(solid.cube([self.sidelengthX,self.sidelengthY,abs(max(ext)-min(ext))]))
        return openScadROI


#-------------------------------------------------------------------------------------------------------------------------------------------------------------------------
#Rectangle and slice ROI class
ztv.py 文件源码 项目:CAAPR 作者: Stargrazer82301 项目源码 文件源码 阅读 29 收藏 0 点赞 0 评论 0
def on_button_press(self, event):
        if event.button == 1:  # left button
            if self.cursor_mode == 'Zoom':
                if event.dblclick:
                    self.center = wx.RealPoint(event.xdata, event.ydata)
                    self.ztv_frame.zoom_factor /= 2.
                    self.set_and_get_xy_limits()
                else:
                    self.zoom_start_timestamp = time.time()
                    self.zoom_rect = Rectangle((event.xdata, event.ydata), 0, 0,
                                               color='orange', fill=False, zorder=100)
                    self.axes.add_patch(self.zoom_rect)
                    self.figure.canvas.draw()
            elif self.cursor_mode == 'Pan':
                self.center = wx.RealPoint(event.xdata, event.ydata)
                self.set_and_get_xy_limits()
            else:
                if (self.available_cursor_modes.has_key(self.cursor_mode) and
                    self.available_cursor_modes[self.cursor_mode].has_key('on_button_press')):
                    self.available_cursor_modes[self.cursor_mode]['on_button_press'](event)
ztv.py 文件源码 项目:CAAPR 作者: Stargrazer82301 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def __init__(self, parent, size=wx.Size(128,128), dpi=None, **kwargs):
        self.size = size
        self.dragging_curview_is_active = False
        wx.Panel.__init__(self, parent, wx.ID_ANY, wx.DefaultPosition, size, 0, **kwargs)
        self.ztv_frame = self.GetTopLevelParent()
        self.figure = Figure(None, dpi)
        self.axes = self.figure.add_axes([0., 0., 1., 1.])
        self.curview_rectangle = Rectangle((0, 0), 1, 1, color='orange', fill=False, zorder=100)
        self.axes.add_patch(self.curview_rectangle)
        self.canvas = FigureCanvasWxAgg(self, -1, self.figure)
        self.overview_zoom_factor = 1.
        self._SetSize()
        self.set_xy_limits()
        self.axes_widget = AxesWidget(self.figure.gca())
        self.axes_widget.connect_event('button_press_event', self.on_button_press)
        self.axes_widget.connect_event('button_release_event', self.on_button_release)
        self.axes_widget.connect_event('motion_notify_event', self.on_motion)
        pub.subscribe(self.redraw_overview_image, 'redraw-image')   
        pub.subscribe(self.redraw_box, 'primary-xy-limits-changed')
ztv.py 文件源码 项目:CAAPR 作者: Stargrazer82301 项目源码 文件源码 阅读 29 收藏 0 点赞 0 评论 0
def on_button_press(self, event):
        if event.button == 1:  # left button
            if self.cursor_mode == 'Zoom':
                if event.dblclick:
                    self.center = wx.RealPoint(event.xdata, event.ydata)
                    self.ztv_frame.zoom_factor /= 2.
                    self.set_and_get_xy_limits()
                else:
                    self.zoom_start_timestamp = time.time()
                    self.zoom_rect = Rectangle((event.xdata, event.ydata), 0, 0,
                                               color='orange', fill=False, zorder=100)
                    self.axes.add_patch(self.zoom_rect)
                    self.figure.canvas.draw()
            elif self.cursor_mode == 'Pan':
                self.center = wx.RealPoint(event.xdata, event.ydata)
                self.set_and_get_xy_limits()
            else:
                if (self.available_cursor_modes.has_key(self.cursor_mode) and
                    self.available_cursor_modes[self.cursor_mode].has_key('on_button_press')):
                    self.available_cursor_modes[self.cursor_mode]['on_button_press'](event)
cnn_olivettifaces.py 文件源码 项目:learning-tensorflow 作者: Salon-sai 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def plot(error_index, dataset_path):
    img = mpimg.imread(dataset_path)
    plt.imshow(img)
    currentAxis = plt.gca()
    for index in error_index:
        row = index // 2
        column = index % 2
        currentAxis.add_patch(
            patches.Rectangle(
                xy=(
                     47 * 9 if column == 0 else 47 * 19,
                     row * 57
                    ),
                width=47,
                height=57,
                linewidth=1,
                edgecolor='r',
                facecolor='none'
            )
    )
    fig = plt.gcf()
    fig.set_size_inches(11.40, 9.42)
    plt.savefig("fig_result.png", bbox_inches="tight", dpi=100)
    plt.show()
demo_detect.py 文件源码 项目:yolo-tf 作者: ruiminshen 项目源码 文件源码 阅读 25 收藏 0 点赞 0 评论 0
def onclick(self, event):
        for p in self.plots:
            p.remove()
        self.plots = []
        height, width, _ = self.image.shape
        ix = int(event.xdata * self.cell_width / width)
        iy = int(event.ydata * self.cell_height / height)
        self.plots.append(self.ax.add_patch(patches.Rectangle((ix * width / self.cell_width, iy * height / self.cell_height), width / self.cell_width, height / self.cell_height, linewidth=0, facecolor='black', alpha=.2)))
        index = iy * self.cell_width + ix
        prob, iou, xy_min, wh = self.sess.run([self.model.prob[0][index], self.model.iou[0][index], self.model.xy_min[0][index], self.model.wh[0][index]], feed_dict=self.feed_dict)
        xy_min = xy_min * self.scale
        wh = wh * self.scale
        for _prob, _iou, (x, y), (w, h), color in zip(prob, iou, xy_min, wh, self.colors):
            index = np.argmax(_prob)
            name = self.names[index]
            _prob = _prob[index]
            _conf = _prob * _iou
            linewidth = min(_conf * 10, 3)
            self.plots.append(self.ax.add_patch(patches.Rectangle((x, y), w, h, linewidth=linewidth, edgecolor=color, facecolor='none')))
            self.plots.append(self.ax.annotate(name + ' (%.1f%%, %.1f%%)' % (_iou * 100, _prob * 100), (x, y), color=color))
        self.fig.canvas.draw()
cute_plot.py 文件源码 项目:cellcomplex 作者: VirtualPlants 项目源码 文件源码 阅读 34 收藏 0 点赞 0 评论 0
def bar_plot(figure,X,Y,color1,color2,xlabel="",ylabel="",label=""):
    font = fm.FontProperties(family = 'Trebuchet', weight ='light')
    #font = fm.FontProperties(family = 'CenturyGothic',fname = '/Library/Fonts/Microsoft/Century Gothic', weight ='light')
    figure.patch.set_facecolor('white')
    axes = figure.add_subplot(111)
    width = X[1]-X[0]
    axes.plot(X,Y,linewidth=1,color=tuple(color2),alpha=0.0,label=label)
    for x in xrange(X.size):
        i = (Y[x]-Y.min())/(Y.max()-Y.min())
        color = tuple(color1*(1.0-i) + color2*(i))
        axes.add_patch(Rectangle((X[x] - width/2, 0), width, Y[x], facecolor=color, edgecolor=(0.8,0.8,0.8), alpha = 0.5))
    axes.set_xlim(X.min(),X.max())
    axes.set_xlabel(xlabel,fontproperties=font, size=10, style='italic')
    axes.set_xticklabels(axes.get_xticks(),fontproperties=font, size=12)
    if '%' in ylabel:
        axes.set_ylim(0,np.minimum(2*Y.max(),100))
    axes.set_ylabel(ylabel, fontproperties=font, size=10, style='italic')
    axes.set_yticklabels(axes.get_yticks(),fontproperties=font, size=12)
mplCanvas.py 文件源码 项目:Py2DSpectroscopy 作者: SvenBo90 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def create_area_map(self, x1, x2, y1, y2):

        # check boundaries for consistency
        if x2 < x1:
            tmp = x2
            x2 = x1
            x1 = tmp
        if y2 < y1:
            tmp = y2
            y2 = y1
            y1 = tmp

        # create rectangle patch
        self._area_rectangle = patches.Rectangle((x1-0.5, y1-0.5), x2-x1+1, y2-y1+1, linewidth=1.5,
                                                 facecolor=(1, 1, 1, 0.5), edgecolor=(0, 0, 0, 1))
        self._axes.add_patch(self._area_rectangle)

        # redraw
        self._fig.canvas.draw()
PlayCatchGame.py 文件源码 项目:CatchGame-QLearningExample-TensorFlow 作者: solaris33 项目源码 文件源码 阅读 28 收藏 0 点赞 0 评论 0
def drawState(fruitRow, fruitColumn, basket):
  global gridSize
  # column is the x axis
  fruitX = fruitColumn 
  # Invert matrix style points to coordinates
  fruitY = (gridSize - fruitRow + 1)
  statusTitle = "Wins: " + str(winCount) + "  Losses: " + str(loseCount) + "  TotalGame: " + str(numberOfGames)
  axis.set_title(statusTitle, fontsize=30)
  for p in [
    patches.Rectangle(
        ((ground - 1), (ground)), 11, 10,
        facecolor="#000000"      # Black
    ),
    patches.Rectangle(
        (basket - 1, ground), 2, 0.5,
        facecolor="#FF0000"     # No background
    ),
    patches.Rectangle(
        (fruitX - 0.5, fruitY - 0.5), 1, 1,
        facecolor="#FF0000"       # red 
    ),   
    ]:
      axis.add_patch(p)
  display.clear_output(wait=True)
  display.display(pl.gcf())
plot.py 文件源码 项目:adversarial-autoencoder 作者: musyoku 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def scatter_labeled_z(z_batch, label_batch, filename="labeled_z"):
    fig = pylab.gcf()
    fig.set_size_inches(20.0, 16.0)
    pylab.clf()
    colors = ["#2103c8", "#0e960e", "#e40402","#05aaa8","#ac02ab","#aba808","#151515","#94a169", "#bec9cd", "#6a6551"]
    for n in range(z_batch.shape[0]):
        result = pylab.scatter(z_batch[n, 0], z_batch[n, 1], c=colors[label_batch[n]], s=40, marker="o", edgecolors='none')

    classes = ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9"]
    recs = []
    for i in range(0, len(colors)):
        recs.append(mpatches.Rectangle((0, 0), 1, 1, fc=colors[i]))

    ax = pylab.subplot(111)
    box = ax.get_position()
    ax.set_position([box.x0, box.y0, box.width * 0.8, box.height])
    ax.legend(recs, classes, loc="center left", bbox_to_anchor=(1.1, 0.5))
    pylab.xticks(pylab.arange(-4, 5))
    pylab.yticks(pylab.arange(-4, 5))
    pylab.xlabel("z1")
    pylab.ylabel("z2")
    pylab.savefig(filename)
plot.py 文件源码 项目:ATLeS 作者: liffiton 项目源码 文件源码 阅读 27 收藏 0 点赞 0 评论 0
def draw_legend(self, legend_ax):
        # Make a legend with proxy artists
        xpos_artist = lines.Line2D([],[], color='orange')
        ypos_artist = lines.Line2D([],[], color='limegreen')
        numpts_artist = lines.Line2D([],[], color='purple', linewidth=1)
        frozen_artist = patches.Rectangle((0,0), 1, 1, fc='lightblue', ec='None')
        missing_artist = patches.Rectangle((0,0), 1, 1, fc='yellow', ec='None')
        lost_artist = patches.Rectangle((0,0), 1, 1, fc='red', ec='None')
        # Place it in center of top "subplot" area
        legend_ax.legend(
            [xpos_artist, ypos_artist, numpts_artist,
                frozen_artist, missing_artist, lost_artist],
            ['x-pos', 'y-pos', '# Detection pts',
                'Frozen', 'Missing', 'Lost'],
            loc='center',
            fontsize=12,
            ncol=4,
        )
        legend_ax.axis('off')
        format_axis(legend_ax)
PlayCatchGame.py 文件源码 项目:TensorFlow_Examples 作者: solaris33 项目源码 文件源码 阅读 26 收藏 0 点赞 0 评论 0
def drawState(fruitRow, fruitColumn, basket):
  global gridSize
  # column is the x axis
  fruitX = fruitColumn 
  # Invert matrix style points to coordinates
  fruitY = (gridSize - fruitRow + 1)
  statusTitle = "Wins: " + str(winCount) + "  Losses: " + str(loseCount) + "  TotalGame: " + str(numberOfGames)
  axis.set_title(statusTitle, fontsize=30)
  for p in [
    patches.Rectangle(
        ((ground - 1), (ground)), 11, 10,
        facecolor="#000000"      # Black
    ),
    patches.Rectangle(
        (basket - 1, ground), 2, 0.5,
        facecolor="#FF0000"     # No background
    ),
    patches.Rectangle(
        (fruitX - 0.5, fruitY - 0.5), 1, 1,
        facecolor="#FF0000"       # red 
    ),   
    ]:
      axis.add_patch(p)
  display.clear_output(wait=True)
  display.display(pl.gcf())
example.py 文件源码 项目:Learn-to-identify-similar-images 作者: MashiMaroLjc 项目源码 文件源码 阅读 31 收藏 0 点赞 0 评论 0
def picture(image,exampless,colors):
    """

    :param img:
    :param example:
    :return:
    """
    plt.imshow(image)
    ax = plt.gca()
    i = 0
    for examples in exampless:
        for exa in examples:
            rect = Rectangle((exa.left_top.x,exa.left_top.y), exa.right_bottom.x-exa.left_top.x,
                             exa.right_bottom.y - exa.left_top.y, fill=None, color=colors[i],linewidth=3)
            ax.add_patch(rect)
        i += 1
    plt.show()
    #plt.clf()


#example1
temperature.py 文件源码 项目:faampy 作者: ncasuk 项目源码 文件源码 阅读 32 收藏 0 点赞 0 评论 0
def plot_heater(ax, data):
    """
    plots deiced heater status i.e. ON/OFF

    """
    if not 'PRTAFT_deiced_temp_flag' in data:
        return
    ax.text(0.05, 0.98,'Heater', axes_title_style, transform=ax.transAxes)
    ax.grid(False)
    ax.set_ylim(0,1)
    ax.yaxis.set_major_locator(plt.NullLocator())
    plt.setp(ax.get_xticklabels(), visible=False)
    heater_status=np.array(data['PRTAFT_deiced_temp_flag'], dtype=np.int8)
    toggle=np.diff(heater_status.ravel())
    time_periods=zip(list(np.where(toggle == 1)[0]),
                     list(np.where(toggle == -1)[0]))
    for t in time_periods:
        #plt.barh(0, data['mpl_timestamp'][0,1], left=data['mpl_timestamp'][0,0])
        width=data['mpl_timestamp'][t[1],0]-data['mpl_timestamp'][t[0],0]
        ax.add_patch(patches.Rectangle((data['mpl_timestamp'][t[0],0], 0), width, 1, alpha=0.8, color='#ffaf4d'))
    return ax
MatplotlibWidgets.py 文件源码 项目:GRIPy 作者: giruenf 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def __init__(self, canvas, ax, onselect, rectprops):
        self.canvas = canvas
        self.ax = ax

        self.rect = None
        self.background = None
        self.pressv = None

        self.onselect = onselect

        self.buttonDown = False
        self.prev = 0

        self.canvas.mpl_connect('motion_notify_event', self.onmove)
        self.canvas.mpl_connect('button_press_event', self.press)
        self.canvas.mpl_connect('button_release_event', self.release)
        self.canvas.mpl_connect('draw_event', self.update_background)

        trans = blended_transform_factory(self.ax.transAxes,
                                          self.ax.transData)
        self.rect = Rectangle((0, 0), 1, 0, transform=trans, visible=False,
                              **rectprops)
util.py 文件源码 项目:variational-autoencoder 作者: musyoku 项目源码 文件源码 阅读 21 收藏 0 点赞 0 评论 0
def visualize_labeled_z(z_batch, label_batch, dir=None):
    fig = pylab.gcf()
    fig.set_size_inches(20.0, 16.0)
    pylab.clf()
    colors = ["#2103c8", "#0e960e", "#e40402","#05aaa8","#ac02ab","#aba808","#151515","#94a169", "#bec9cd", "#6a6551"]
    for n in xrange(z_batch.shape[0]):
        result = pylab.scatter(z_batch[n, 0], z_batch[n, 1], c=colors[label_batch[n]], s=40, marker="o", edgecolors='none')

    classes = ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9"]
    recs = []
    for i in range(0, len(colors)):
        recs.append(mpatches.Rectangle((0, 0), 1, 1, fc=colors[i]))

    ax = pylab.subplot(111)
    box = ax.get_position()
    ax.set_position([box.x0, box.y0, box.width * 0.8, box.height])
    ax.legend(recs, classes, loc="center left", bbox_to_anchor=(1.1, 0.5))
    pylab.xticks(pylab.arange(-4, 5))
    pylab.yticks(pylab.arange(-4, 5))
    pylab.xlabel("z1")
    pylab.ylabel("z2")
    pylab.savefig("%s/labeled_z.png" % dir)
evaluation.py 文件源码 项目:attend_infer_repeat 作者: akosiorek 项目源码 文件源码 阅读 30 收藏 0 点赞 0 评论 0
def rect(bbox, c=None, facecolor='none', label=None, ax=None, line_width=1):
    r = Rectangle((bbox[1], bbox[0]), bbox[3], bbox[2], linewidth=line_width,
                  edgecolor=c, facecolor=facecolor, label=label)

    if ax is not None:
        ax.add_patch(r)
    return r
draw2d.py 文件源码 项目:Feon 作者: YaoyaoBae 项目源码 文件源码 阅读 32 收藏 0 点赞 0 评论 0
def draw_fixed_sup(ax,node,factor = (1,1),**kwargs):
    width = 0.1*factor[0]
    height = 0.1*factor[1]
    patch = mpatches.Rectangle((node.x - width * 0.5, node.y - height * 0.5),
                                           width, height,**kwargs)
    ax.add_patch(patch)


问题


面经


文章

微信
公众号

扫码关注公众号