14

通过以下最小示例,我可以创建与 Jupyter 笔记本交互的按钮和显示在笔记本中的 HTML 表。

import ipywidgets
from IPython.display import display

from IPython.core.display import HTML

def func(btn):
    print('Hi!')

btn1 = ipywidgets.Button(description="Click me!")
btn1.on_click(func)
btn2 = ipywidgets.Button(description="Click me!")
btn2.on_click(func)
display(btn1)
display(btn2)

display(HTML(
        '<table>' +
        '<tr><td>Something here</td><td>Button 1 here</td></tr>' +
        '<tr><td>Something here</td><td>Button 2 here</td></tr>' +
        '</table>'
    ))

产生的结果是: 表格和按钮的屏幕截图

我现在想将按钮放在 html 表中。我尝试调查该方法Widget._ipython_display_(),但这不允许我使用我自己的 html 表中的按钮。

(请以小表为例。我想将按钮放在大表中,并使用按钮从数据库中删除行。)

这个问题中,想知道如何相对于彼此放置小部件。在这里,我想将小部件放在其他 HTML 代码中。

4

1 回答 1

6

似乎没有一种简单的方法可以实现这一目标。您要么必须构建一个自定义 ipywidget 来显示表格,要么手动编写一个您可以完全控制的 HTML 按钮的代码。

我能找到的最好的方法是使用 HBox 中的 VBox 数组来模拟表格:

import ipywidgets as widgets
from IPython.display import display

def func(btn):
    print('Hi!')

btn1 = widgets.Button(description="Click me!")
btn1.on_click(func)
btn2 = widgets.Button(description="Click me!")
btn2.on_click(func)

# This is where you fill your table
cols = [
    # Each tuple contains a column header and a list of items/widgets
    ('Col1', ['hello', 'goodbye']),
    ('Col2', ['world', 'universe']),
    ('Buttons', [btn1, btn2]),
]

vboxes = []
for header, data in cols:
    vboxes.append(widgets.VBox([widgets.HTML('<b>%s</b>' % header)] + [
        d if isinstance(d, widgets.Widget) else widgets.HTML(str(d)) for d in data],
    layout=widgets.Layout(border='1px solid')))

hbox = widgets.HBox(vboxes)

display(hbox)

结果:

在此处输入图像描述

于 2017-03-26T11:23:09.437 回答