有没有一种方法可以保存Bokeh数据表的内容?

11
我正在尝试使用bokeh数据表在网页中显示嵌入式数据。它的效果非常好。
有没有办法保存从数据表中显示的表格内容?其他Bokeh图绘制有各种功能的工具栏,包括保存,但数据表似乎没有这个功能。我对JavaScript或SlickGrid知之甚少,这是Bokeh数据表使用的。想知道是否可以做到。
谢谢!
编辑-原问题似乎不够清晰。希望以下图片可以帮助说明:
Bokeh图绘制有关联工具栏:

enter image description here

但数据表默认没有该功能,并且也不支持'tools'参数:

enter image description here

能否在数据表中添加“保存”按钮,以便查看该表格的人员可以将其下载为制表符分隔或csv文件?不一定需要外观相同,但需要具有相同的保存功能。

3个回答

6

2021更新:调整了代码,适用于Python 3.8和Bokeh 2.2.3

对于那些难以调整或在bokeh网站上找不到示例的人,或者只是非常懒惰的人,下面的代码可以完成最小的工作:

from bokeh.models import ColumnDataSource, CustomJS
from bokeh.models.widgets import Button
from bokeh.io import show
import os

source = ColumnDataSource({'list1':[0,1,2,3],'list2':[4,5,6,7]})
button = Button(label="Download", button_type="success")
button.js_on_click(CustomJS(args=dict(source=source),code=open(os.path.join(os.path.dirname(__file__),"download.js")).read()))
show(button)

文件下载.js:

function table_to_csv(source) {
    const columns = Object.keys(source.data)
    const nrows = source.get_length()
    const lines = [columns.join(',')]

    for (let i = 0; i < nrows; i++) {
        let row = [];
        for (let j = 0; j < columns.length; j++) {
            const column = columns[j]
            row.push(source.data[column][i].toString())
        }
        lines.push(row.join(','))
    }
    return lines.join('\n').concat('\n')
}


const filename = 'data_result.csv'
const filetext = table_to_csv(source)
const blob = new Blob([filetext], { type: 'text/csv;charset=utf-8;' })

//addresses IE
if (navigator.msSaveBlob) {
    navigator.msSaveBlob(blob, filename)
} else {
    const link = document.createElement('a')
    link.href = URL.createObjectURL(blob)
    link.download = filename
    link.target = '_blank'
    link.style.visibility = 'hidden'
    link.dispatchEvent(new MouseEvent('click'))
}

1
谢谢,这很有帮助。不知为何,我无法使Bokeh网站上的示例工作。 - rp1
这段代码的问题在于Object.keys检索到的列的顺序与表格中的顺序不同,而是按照字母顺序检索。当使用source.data时,Python不存在此问题。 - Pablo
@Pablo,问题不是关于列的顺序,而是关于创建下载按钮的。如果你认为按照数据框中的顺序排列列是必要的,请创建一个新问题。或者,如果你已经知道如何做到这一点,就自己添加吧。 - Joris

5
如果bokeh提供一个工具按钮来保存/导出数据表到csv/txt/excel文件将会很好。如果已经有了,我还没有在文档中找到。在此期间,一种可能的解决方案是使用原生javascript将js数组(位于bokeh数据表下方)导出为CSV。这已经在这里这里描述过。添加:bokeh有用于使用js的回调函数。简单的描述在这里。仍在阅读中...编辑:可能已经有一段时间了,但我刚刚注意到Bokeh网站上有一个示例用于从数据表中保存csv

1

与我对这个stackoverflow问题的回应相关。下面是复制的回应:

以下是Python 3.7.5和Bokeh 1.4.0的工作示例

此jupyter笔记本的公共github链接:
https://github.com/surfaceowl-ai/python_visualizations/blob/master/notebooks/bokeh_save_linked_plot_data.ipynb

环境报告:

虚拟环境python版本: Python 3.7.5
虚拟环境ipython版本: 7.9.0

watermark软件包报告:

bokeh 1.4.0
jupyter 1.0.0
numpy 1.17.4
pandas 0.25.3
rise 5.6.0
watermark 2.0.2

bokeh 1.4.0 jupyter 1.0.0 numpy 1.17.4 pandas 0.25.3 rise 5.6.0 watermark 2.0.2
# Generate linked plots + TABLE displaying data + save button to export cvs of selected data

from random import random

from bokeh.io import output_notebook  # prevent opening separate tab with graph
from bokeh.io import show

from bokeh.layouts import row
from bokeh.layouts import grid
from bokeh.models import CustomJS, ColumnDataSource
from bokeh.models import Button  # for saving data
from bokeh.models.widgets import DataTable, DateFormatter, TableColumn
from bokeh.models import HoverTool
from bokeh.plotting import figure


# create data
x = [random() for x in range(500)]
y = [random() for y in range(500)]

# create first subplot
plot_width = 400
plot_height = 400

s1 = ColumnDataSource(data=dict(x=x, y=y))
fig01 = figure(
    plot_width=plot_width,
    plot_height=plot_height,
    tools=["lasso_select", "reset", "save"],
    title="Select Here",
)
fig01.circle("x", "y", source=s1, alpha=0.6)

# create second subplot
s2 = ColumnDataSource(data=dict(x=[], y=[]))

# demo smart error msg:  `box_zoom`, vs `BoxZoomTool`
fig02 = figure(
    plot_width=400,
    plot_height=400,
    x_range=(0, 1),
    y_range=(0, 1),
    tools=["box_zoom", "wheel_zoom", "reset", "save"],
    title="Watch Here",
)

fig02.circle("x", "y", source=s2, alpha=0.6, color="firebrick")

# create dynamic table of selected points
columns = [
    TableColumn(field="x", title="X axis"),
    TableColumn(field="y", title="Y axis"),
]

table = DataTable(
    source=s2,
    columns=columns,
    width=400,
    height=600,
    sortable=True,
    selectable=True,
    editable=True,
)

# fancy javascript to link subplots
# js pushes selected points into ColumnDataSource of 2nd plot
# inspiration for this from a few sources:
# credit: https://stackoverflow.com/users/1097752/iolsmit via: https://stackoverflow.com/questions/48982260/bokeh-lasso-select-to-table-update
# credit: https://stackoverflow.com/users/8412027/joris via: https://dev59.com/SFsX5IYBdhLWcg3wJcyW

s1.selected.js_on_change(
    "indices",
    CustomJS(
        args=dict(s1=s1, s2=s2, table=table),
        code="""
        var inds = cb_obj.indices;
        var d1 = s1.data;
        var d2 = s2.data;
        d2['x'] = []
        d2['y'] = []
        for (var i = 0; i < inds.length; i++) {
            d2['x'].push(d1['x'][inds[i]])
            d2['y'].push(d1['y'][inds[i]])
        }
        s2.change.emit();
        table.change.emit();

        var inds = source_data.selected.indices;
        var data = source_data.data;
        var out = "x, y\\n";
        for (i = 0; i < inds.length; i++) {
            out += data['x'][inds[i]] + "," + data['y'][inds[i]] + "\\n";
        }
        var file = new Blob([out], {type: 'text/plain'});

    """,
    ),
)

# create save button - saves selected datapoints to text file onbutton
# inspriation for this code:
# credit:  https://dev59.com/QVwZ5IYBdhLWcg3wINPQ
# note: savebutton line `var out = "x, y\\n";` defines the header of the exported file, helpful to have a header for downstream processing

savebutton = Button(label="Save", button_type="success")
savebutton.callback = CustomJS(
    args=dict(source_data=s1),
    code="""
        var inds = source_data.selected.indices;
        var data = source_data.data;
        var out = "x, y\\n";
        for (i = 0; i < inds.length; i++) {
            out += data['x'][inds[i]] + "," + data['y'][inds[i]] + "\\n";
        }
        var file = new Blob([out], {type: 'text/plain'});
        var elem = window.document.createElement('a');
        elem.href = window.URL.createObjectURL(file);
        elem.download = 'selected-data.txt';
        document.body.appendChild(elem);
        elem.click();
        document.body.removeChild(elem);
        """,
)

# add Hover tool
# define what is displayed in the tooltip
tooltips = [
    ("X:", "@x"),
    ("Y:", "@y"),
    ("static text", "static text"),
]

fig02.add_tools(HoverTool(tooltips=tooltips))

# display results
# demo linked plots
# demo zooms and reset
# demo hover tool
# demo table
# demo save selected results to file

layout = grid([fig01, fig02, table, savebutton], ncols=3)

output_notebook()
show(layout)

# things to try:
# select random shape of blue dots with lasso tool in 'Select Here' graph
# only selected points appear as red dots in 'Watch Here' graph -- try zooming, saving that graph separately
# selected points also appear in the table, which is sortable
# click the 'Save' button to export a csv

# TODO:  export from Bokeh to pandas dataframe

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接