Skip to content

Commit

Permalink
refactor: reuse voila to be a server extension + tree view + autoreload
Browse files Browse the repository at this point in the history
The voila handler can be used both in the standalone version, as well as
jupyter server extension. The three handler which is based on the notebook
code shows a list of directories and notebooks.
For development purposes the watchdog handler will send a reload message
over the websocket when either the javascript, templates, or the notebook
file is modified, or when the server autoreloads due to code changes.
(Use with `voila --autoreload=True`)
  • Loading branch information
maartenbreddels committed Sep 6, 2018
1 parent e32a1e2 commit 28faacc
Show file tree
Hide file tree
Showing 9 changed files with 435 additions and 66 deletions.
118 changes: 53 additions & 65 deletions voila/app.py
Expand Up @@ -7,57 +7,25 @@
import tempfile
import json
import logging
import gettext

import jinja2

import tornado.ioloop
import tornado.web

from pathlib import Path

from traitlets.config.application import Application
from traitlets import Unicode, Integer, Bool, default

from jupyter_server.utils import url_path_join, url_escape
from jupyter_server.base.handlers import JupyterHandler
from jupyter_server.services.kernels.kernelmanager import MappingKernelManager
from jupyter_server.services.kernels.handlers import KernelHandler, MainKernelHandler, ZMQChannelsHandler

from jupyter_client.jsonutil import date_default

import nbformat
from nbconvert.preprocessors.execute import executenb
from nbconvert import HTMLExporter

ROOT = Path(os.path.dirname(__file__))
DEFAULT_STATIC_ROOT = ROOT / 'static'
TEMPLATE_ROOT = ROOT / 'templates'

class VoilaHandler(JupyterHandler):

def initialize(self, notebook=None, strip_sources=False):
self.notebook = notebook
self.strip_sources = strip_sources

@tornado.web.authenticated
@tornado.gen.coroutine
def get(self):
from jupyter_server.services.kernels.handlers import KernelHandler, ZMQChannelsHandler
from jupyter_server.base.handlers import path_regex
from jupyter_server.services.contents.largefilemanager import LargeFileManager

# Ignore requested kernel name and make use of the one specified in the notebook.
kernel_name = self.notebook.metadata.get('kernelspec', {}).get('name', self.kernel_manager.default_kernel_name)

# Launch kernel and execute notebook.
kernel_id = yield tornado.gen.maybe_future(self.kernel_manager.start_kernel(kernel_name=kernel_name))
km = self.kernel_manager.get_kernel(kernel_id)
result = executenb(self.notebook, km=km)

# render notebook to html
resources = dict(kernel_id=kernel_id)
html, resources = HTMLExporter(template_file=str(TEMPLATE_ROOT / 'voila.tpl'), exclude_input=self.strip_sources,
exclude_output_prompt=self.strip_sources, exclude_input_prompt=self.strip_sources
).from_notebook_node(result, resources=resources)

# Compose reply
self.set_header('Content-Type', 'text/html')
self.write(html)
from .paths import ROOT, STATIC_ROOT, TEMPLATE_ROOT
from .handler import VoilaHandler
from .treehandler import VoilaTreeHandler
from .watchdog import WatchDogHandler

_kernel_id_regex = r"(?P<kernel_id>\w+-\w+-\w+-\w+-\w+)"

Expand All @@ -73,7 +41,7 @@ class Voila(Application):
)
option_description = Unicode(
"""
notebook_filename:
notebook_path:
File name of the Jupyter notebook to display.
"""
)
Expand All @@ -84,15 +52,21 @@ class Voila(Application):
config=True,
help='Port of the voila server. Default 8866.'
)
autoreload = Bool(
False,
config=True,
help='Will autoreload to server and the page when a template, js file or Python code changes'
)
static_root = Unicode(
str(DEFAULT_STATIC_ROOT),
str(STATIC_ROOT),
config=True,
help='Directory holding static assets (HTML, JS and CSS files).'
)
aliases = {
'port': 'Voila.port',
'static': 'Voila.static_root',
'strip_sources': 'Voila.strip_sources'
'strip_sources': 'Voila.strip_sources',
'autoreload': 'Voila.autoreload'
}
connection_dir_root = Unicode(
config=True,
Expand All @@ -116,14 +90,7 @@ def _default_log_level(self):

def parse_command_line(self, argv=None):
super(Voila, self).parse_command_line(argv)
try:
notebook_filename = self.extra_args[0]
except IndexError:
self.log.critical('Bad command line parameters.')
self.log.critical('Missing NOTEBOOK_FILENAME parameter.')
self.log.critical('Run `voila --help` for help on command line parameters.')
exit(1)
self.notebook_filename = notebook_filename
self.notebook_path = self.extra_args[0] if len(self.extra_args) == 1 else None

def start(self):
connection_dir = tempfile.mkdtemp(
Expand All @@ -143,21 +110,11 @@ def start(self):
]
)

notebook = nbformat.read(self.notebook_filename, as_version=4)

handlers = [
(
r'/',
VoilaHandler,
{
'notebook': notebook,
'strip_sources': self.strip_sources
}
),
(r'/api/kernels/%s' % _kernel_id_regex, KernelHandler),
(r'/api/kernels/%s/channels' % _kernel_id_regex, ZMQChannelsHandler),
(
r"/static/(.*)",
r"/voila/static/(.*)",
tornado.web.StaticFileHandler,
{
'path': self.static_root,
Expand All @@ -166,10 +123,41 @@ def start(self):
)
]

if self.notebook_path:
handlers.append((
r'/',
VoilaHandler,
{
'notebook_path': self.notebook_path,
'strip_sources': self.strip_sources
}
))
else:
handlers.extend([
('/', VoilaTreeHandler),
('/voila/tree' + path_regex, VoilaTreeHandler),
('/voila/render' + path_regex, VoilaHandler, {'strip_sources': self.strip_sources}),
])
if self.autoreload:
handlers.append(('/voila/watchdog' + path_regex, WatchDogHandler))

jenv_opt = {"autoescape": True} # we might want extra options via cmd line like notebook server
env = jinja2.Environment(loader=jinja2.FileSystemLoader(str(TEMPLATE_ROOT)), extensions=['jinja2.ext.i18n'], **jenv_opt)
nbui = gettext.translation('nbui', localedir=str(ROOT / 'i18n'), fallback=True)
env.install_gettext_translations(nbui, newstyle=False)

contents_manager = LargeFileManager() # TODO: make this configurable like notebook


app = tornado.web.Application(
handlers,
kernel_manager=kernel_manager,
allow_remote_access=True
allow_remote_access=True,
autoreload=self.autoreload,
voila_jinja2_env=env,
static_path='/',
server_root_dir='/',
contents_manager=contents_manager
)

app.listen(self.port)
Expand Down
45 changes: 45 additions & 0 deletions voila/handler.py
@@ -0,0 +1,45 @@
import tornado.web

from jupyter_server.base.handlers import JupyterHandler

import nbformat
from nbconvert.preprocessors.execute import executenb
from nbconvert import HTMLExporter

from .paths import TEMPLATE_ROOT


class VoilaHandler(JupyterHandler):
def initialize(self, notebook_path=None, strip_sources=True):
self.notebook_path = notebook_path
self.strip_sources = strip_sources

@tornado.web.authenticated
@tornado.gen.coroutine
def get(self, path=None):
if path:
path = path.strip('/') # remove leading /
path += '.ipynb' # when used as a jupyter server extension, we don't use the extension
# if the handler got a notebook_path argument, always serve that
notebook_path = self.notebook_path or path

notebook = nbformat.read(notebook_path, as_version=4)

# Ignore requested kernel name and make use of the one specified in the notebook.
kernel_name = notebook.metadata.get('kernelspec', {}).get('name', self.kernel_manager.default_kernel_name)

# Launch kernel and execute notebook.
kernel_id = yield tornado.gen.maybe_future(self.kernel_manager.start_kernel(kernel_name=kernel_name))
km = self.kernel_manager.get_kernel(kernel_id)
result = executenb(notebook, km=km)

# render notebook to html
resources = dict(kernel_id=kernel_id)
html, resources = HTMLExporter(template_file=str(TEMPLATE_ROOT / 'voila.tpl'), exclude_input=self.strip_sources,
exclude_output_prompt=self.strip_sources, exclude_input_prompt=self.strip_sources
).from_notebook_node(result, resources=resources)

# Compose reply
self.set_header('Content-Type', 'text/html')
self.write(html)

7 changes: 7 additions & 0 deletions voila/paths.py
@@ -0,0 +1,7 @@
import os
from pathlib import Path

ROOT = Path(os.path.dirname(__file__))
STATIC_ROOT = ROOT / 'static'
TEMPLATE_ROOT = ROOT / 'templates'

37 changes: 37 additions & 0 deletions voila/server_extension.py
@@ -0,0 +1,37 @@
import os
import gettext
from pathlib import Path

from jinja2 import Environment, FileSystemLoader

import tornado.web

from jupyter_server.utils import url_path_join
from jupyter_server.base.handlers import path_regex

from .paths import ROOT, TEMPLATE_ROOT, STATIC_ROOT
from .handler import VoilaHandler
from .treehandler import VoilaTreeHandler
from .watchdog import WatchDogHandler


def load_jupyter_server_extension(server_app):
web_app = server_app.web_app

jenv_opt = {"autoescape": True}
env = Environment(loader=FileSystemLoader(str(TEMPLATE_ROOT)), extensions=['jinja2.ext.i18n'], **jenv_opt)
web_app.settings['voila_jinja2_env'] = env

nbui = gettext.translation('nbui', localedir=str(ROOT / 'i18n'), fallback=True)
env.install_gettext_translations(nbui, newstyle=False)

host_pattern = '.*$'
web_app.add_handlers(host_pattern, [
(url_path_join(web_app.settings['base_url'], '/voila/render' + path_regex), VoilaHandler),
(url_path_join(web_app.settings['base_url'], '/voila/watchdog' + path_regex), WatchDogHandler),
(url_path_join(web_app.settings['base_url'], '/voila'), VoilaTreeHandler),
(url_path_join(web_app.settings['base_url'], '/voila/tree' + path_regex), VoilaTreeHandler),
(url_path_join(web_app.settings['base_url'], '/voila/static/(.*)'), tornado.web.StaticFileHandler,
{'path': str(STATIC_ROOT)})

])
17 changes: 16 additions & 1 deletion voila/static/main.js
Expand Up @@ -9,7 +9,7 @@ Array.prototype.forEach.call(scripts, (script) => {
})

requirejs.config({
baseUrl: 'static/dist'
baseUrl: '/voila/static/dist'
})

require(['libwidgets'], function(lib) {
Expand All @@ -25,6 +25,21 @@ require(['libwidgets'], function(lib) {

var widgetApp = new lib.WidgetApplication(BASEURL, WSURL, lib.requireLoader, kernel_id);

var path = window.location.pathname.substr(14);
var wsWatchdog = new WebSocket(WSURL + '/voila/watchdog/' + path);
wsWatchdog.onmessage = (evt) => {
var msg = JSON.parse(evt.data)
console.log('msg', msg)
if(msg.type == 'reload') {
var timeout = 0;
if(msg.delay == 'long')
timeout = 1000;
setTimeout(() => {
location.href = location.href;
}, timeout)
}
}

window.addEventListener("beforeunload", function (e) {
widgetApp.cleanWidgets();
});
Expand Down

0 comments on commit 28faacc

Please sign in to comment.