我想使用一个复选框组来表示线性加法源。这个想法是让用户能够打开或关闭多个不同种类的源,以显示带有附加值的图。
我实现了一个下拉版本,其中数据具有不同的组合作为数据框的列,因此代码的CustomJS部分如下:
callback = CustomJS(args={'source':source},code="""
// print the selectd value of the select widget -
// this is printed in the browser console.
// cb_obj is the callback object, in this case the select
// widget. cb_obj.value is the selected value.
console.log(' changed selected option', cb_obj.value);
// create a new variable for the data of the column data source
// this is linked to the plot
var data = source.data;
// allocate the selected column to the field for the y values
data['A1'] = data[cb_obj.value];
// register the change - this is required to process the change in
// the y values
source.change.emit();
""")
我不太了解Javascript。有没有一种方法可以仅给出如下数据框:
Wave A B C
340 77 70 15
341 80 73 15
342 83 76 16
343 86 78 17
并具有复选框组按钮,如果用户选择“ A”和“ C”,则图将更改为Wave vs. A + C的图,反之亦然,以删除选择。
我发现了一个类似的问题,但是它只是显示/隐藏绘图,并且不更改数据:https://stackoverflow.com/a/38706613/8565759
我在真实数据中有太多选择,无法手动分配组合。
答案 0 :(得分:1)
是的,您可以使用CheckboxGroup实现此目的-您可以使用CheckboxGroup的active
属性来选择要添加到组合图中的正确列。
这是您提供的数据的完整示例:
from bokeh.io import output_file, show
from bokeh.plotting import figure
from bokeh.layouts import layout, widgetbox
from bokeh.models import ColumnDataSource, CustomJS
from bokeh.models.widgets import CheckboxGroup
import pandas as pd
output_file('additive_checkbox.html')
names = ['Wave', 'A', 'B', 'C']
rows = [(340, 77, 70, 15),
(341, 80, 73, 15),
(342, 83, 76, 16),
(343, 86, 78, 17)]
data = pd.DataFrame(rows, columns=names)
data['combined'] = None
source = ColumnDataSource(data)
callback = CustomJS(args=dict(source=source), code="""
const labels = cb_obj.labels;
const active = cb_obj.active;
const data = source.data;
const sourceLen = data.combined.length;
const combined = Array(sourceLen).fill(undefined);
if (active.length > 0) {
const selectedColumns = labels.filter((val, ind) => active.includes(ind));
for(let i = 0; i < sourceLen; i++) {
let sum = 0;
for(col of selectedColumns){
sum += data[col][i];
}
combined[i] = sum;
}
}
data.combined=combined;
source.change.emit();
""")
checkbox_group = CheckboxGroup(labels=names[1:], active=[], callback=callback)
p = figure(width=400, height=400)
p.line(x='Wave', y='combined', source=source)
show(layout([[widgetbox(checkbox_group)], [p]]))