我想使用ipywidgets
在jupyter笔记本中创建选项卡式布局。我只想单击特定选项卡的输出。换句话说,将输出延迟化。
from ipywidgets import widgets
out1 = widgets.Output()
with out1:
get_output_1()
out2 = widgets.Output()
with out2:
get_output_2()
out = widgets.Tab([out1, out2])
out.set_title(0, 'out1')
out.set_title(1, 'out2')
display(out)
我希望仅在单击相应的选项卡时调用功能get_output_1()
和get_output_2()
。
请帮帮我。
答案 0 :(得分:1)
您可以使用observe
函数来检测选择了哪个选项卡,然后从词典中选择正确的Output小部件,运行您的函数,然后显示返回值。
您可能希望长时间运行的函数具有@lru_cache
装饰器,以便在标签之间来回滑动时,等待时间较短。
from IPython.display import clear_output, display
import time
import ipywidgets as widgets
from functools import lru_cache
# set up a dictionary of Output widgets
outputs = {i: widgets.Output() for i in range(0,3)}
# add the Output widgets as tab childen
tab = widgets.Tab()
tab.children = list(outputs.values())
for i, title in outputs.items():
tab.set_title(i, 'Tab '+str(i))
def print_on_select(widget):
# get the correct Output widget based on the index of the chosen tab
tab_idx = widget['new']
output_widget = outputs[tab_idx]
with output_widget:
clear_output()
print('running long function')
value = long_running_function(tab_idx)
clear_output()
print(value)
@lru_cache(32)
def long_running_function(tab_idx):
time.sleep(2)
return 'this is tab number ' + str(tab_idx)
tab.observe(print_on_select, names='selected_index')
display(tab)