我在一个函数中创建一个数字,例如
import numpy
from bokeh.plotting import figure, show, output_notebook
output_notebook()
def make_fig():
rows = cols = 16
img = numpy.ones((rows, cols), dtype=numpy.uint32)
view = img.view(dtype=numpy.uint8).reshape((rows, cols, 4))
view[:, :, 0] = numpy.arange(256)
view[:, :, 1] = 265 - numpy.arange(256)
fig = figure(x_range=[0, c], y_range=[0, rows])
fig.image_rgba(image=[img], x=[0], y=[0], dw=[cols], dh=[rows])
return fig
后来我想放大图:
fig = make_fig()
# <- zoom in on plot, like `set_xlim` from matplotlib
show(fig)
如何在散景中进行程序化缩放?
答案 0 :(得分:37)
一种方法是在创建图形时使用简单元组进行处理:
figure(..., x_range=(left, right), y_range=(bottom, top))
但您也可以直接设置已创建图形的x_range
和y_range
属性。 (我一直在寻找matplotlib中set_xlim
或set_ylim
之类的东西。)
from bokeh.models import Range1d
fig = make_fig()
left, right, bottom, top = 3, 9, 4, 10
fig.x_range=Range1d(left, right)
fig.y_range=Range1d(bottom, top)
show(fig)
答案 1 :(得分:5)
从Bokeh 2.X开始,似乎无法用figure.{x,y}_range
中的Range1d
的新实例替换DataRange1d
,反之亦然。
相反,必须为动态更新设置figure.x_range.start
和figure.x_range.end
。
有关此问题的更多详细信息,请参见https://github.com/bokeh/bokeh/issues/8421。
答案 2 :(得分:2)
也许是一个天真的解决方案,但为什么不将lim轴作为函数的参数传递?
import numpy
from bokeh.plotting import figure, show, output_notebook
output_notebook()
def make_fig(rows=16, cols=16,x_range=[0, 16], y_range=[0, 16], plot_width=500, plot_height=500):
img = numpy.ones((rows, cols), dtype=numpy.uint32)
view = img.view(dtype=numpy.uint8).reshape((rows, cols, 4))
view[:, :, 0] = numpy.arange(256)
view[:, :, 1] = 265 - numpy.arange(256)
fig = figure(x_range=x_range, y_range=y_range, plot_width=plot_width, plot_height=plot_height)
fig.image_rgba(image=[img], x=[0], y=[0], dw=[cols], dh=[rows])
return fig