我有这些python代码
from bokeh.embed import components
from bokeh.plotting import figure
from bokeh.models import layouts, CustomJS, Select
bokeh_tools = "pan,wheel_zoom"
plot_1 = figure(x_axis_type="datetime", plot_width=800, tools=bokeh_tools, title="plot_1")
plot_1.line(x_values, y_values)
plot_2 = figure(x_axis_type="datetime", plot_width=800, tools=bokeh_tools, title="plot_2")
plot_2.line(x_values_other, y_values_other)
plot_3 = figure(x_axis_type="datetime", plot_width=800, tools=bokeh_tools, title="plot_3")
plot_3.line(x_values, y_values)
select = Select(title="SELECT", options=["val1", "val2"])
column = layouts.Column(plot_1, select, plot_2)
select.callback = CustomJS(args={"column": column,
"plot_1": plot_1,
"plot_2": plot_2,
"plot_3": plot_3}, code="""
if(cb_obj.value === "val1"){
Bokeh.index[column.id].child_views[plot_2.id].remove(); // remove plot_2 from html
//what i must to do to add generated on python side plot_3 and show it
}else if(cb_obj.value === "val2"){
// some code here
}""")
script, div = components(column)
然后这个div和脚本我插入html并显示在某个页面上。 在页面上可以看到' plot_1',' plot_2'和'选择'下拉列表。 这些图具有许多行的不同值。 我想点击选定的下拉菜单,然后在plot_3上更改plot_2。
我必须通过点击下拉列表在html文档中渲染plot_3吗? 或者通过点击客户端HTML来改变重新渲染图的任何其他方式?
答案 0 :(得分:1)
您不需要创建第三个图,特别是因为plot_2
和plot_3
似乎都是x轴上的日期时间的线图。您可以根据下拉菜单中的选择继续更改plot_2
中的数据。
执行此操作的一种方法是使用Bokeh ColumnDataSource
(另请参阅https://bokeh.pydata.org/en/latest/docs/reference/models/sources.html和https://bokeh.pydata.org/en/latest/docs/user_guide/interaction/callbacks.html)。您可以创建其中两个:一个包含plot_2
的数据,另一个包含当前应该显示在plot_3
中的数据。然后,在回调中,只需更改行的来源,这是第三个类容器ColumnDataSource。确保所有ColumnDataSource的列共享相同的名称。
以下是一个示例,基于您的代码:
plot_2s = ColumnDataSource(data=dict(x=[1, 2, 3], y=[1, 2, 3]))
plot_3s = ColumnDataSource(data=dict(x=[3, 4, 5], y=[1, 2, 3]))
line_source = ColumnDataSource(data=dict(x=[1, 2, 3], y=[1, 2, 3]))
plot_1 = figure(x_axis_type="datetime", plot_width=800, tools=bokeh_tools, title="plot_1")
plot_1.line(x_values, y_values)
plot_2 = figure(x_axis_type="datetime", plot_width=800, tools=bokeh_tools, title="plot_2")
plot_2.line(x='x', y='y', source=line_source)
select = Select(title="SELECT", options=["val1", "val2"])
column = layouts.Column(plot_1, select, plot_2)
select.callback = CustomJS(args={"cds2": plot_2s, "cds3": plot_3s, "ls": line_source}, code="""
if(cb_obj.value === "val1"){
ls.data = cds2.data;
}else if(cb_obj.value === "val2"){
ls.data = cds3.data;
}
ls.change.emit();
""")