import os.path import tornado from tornado import template from tornado.web import HTTPError, Finish from tornado.web import StaticFileHandler from .httpbased import HttpHandler from .tornado import webio_handler, set_ioloop from .tornado_http import TornadoHttpContext from .utils import cdn_validation, make_applications from ..session import register_session_implement, CoroutineBasedSession, ThreadBasedSession from ..utils import get_free_port, STATIC_PATH, parse_file_size from functools import partial def filename_ok(f): return not f.startswith(('.', '_')) def valid_and_norm_path(base, subpath): """ :param str base: MUST a absolute path :param str subpath: :return: Normalize path. None returned if the sub path is not valid """ subpath = subpath.lstrip('/') full_path = os.path.normpath(os.path.join(base, subpath)) if not full_path.startswith(base): return None parts = subpath.split('/') for i in parts: if not filename_ok(i): return None return full_path _cached_modules = {} def _get_module(path, reload=False): # Credit: https://stackoverflow.com/questions/67631/how-to-import-a-module-given-the-full-path global _cached_modules import importlib.util if not reload and path in _cached_modules: return _cached_modules[path] # import_name will be the `__name__` of the imported module import_name = "__pywebio__" spec = importlib.util.spec_from_file_location(import_name, path) module = importlib.util.module_from_spec(spec) spec.loader.exec_module(module) _cached_modules[path] = module return module _app_list_tpl = template.Template(""" {{ title }}

{{ title }}


{% for f in files %} {{ f }}
{% end %}

""".strip()) def default_index_page(path, base): urlpath = path[len(base):] or '/' title = "Index of %s" % urlpath dirs = [] if path == base else ['../'] files = [] for f in os.listdir(path): if not filename_ok(f): continue if os.path.isfile(os.path.join(path, f)): if f.endswith('.py'): files.append(f[:-3]) else: dirs.append(f + '/') return _app_list_tpl.generate(files=dirs + files, title=title) def get_app_from_path(request_path, base, index, reload=False): """Get PyWebIO app :param str request_path: request path :param str base: dir base path, MUST a absolute path :param callable index: :return: ('error', http error code in int) / ('app', pywebio task function) / ('html', Html content in bytes) """ path = valid_and_norm_path(base, request_path) if path is None: return 'error', 403 if os.path.isdir(path): if not request_path.endswith('/'): return 'error', 404 if os.path.isfile(os.path.join(path, 'index.py')): path = os.path.join(path, 'index.py') elif index: content = index(path) return 'html', content else: return 'error', 404 else: path += '.py' if not os.path.isfile(path): return 'error', 404 module = _get_module(path, reload=reload) if hasattr(module, 'main'): return 'app', make_applications(module.main) return 'error', 404 def _path_deploy(base, port=0, host='', static_dir=None, cdn=True, **tornado_app_settings): if not host: host = '0.0.0.0' if port == 0: port = get_free_port() for k in list(tornado_app_settings.keys()): if tornado_app_settings[k] is None: del tornado_app_settings[k] abs_base = os.path.normpath(os.path.abspath(base)) cdn = cdn_validation(cdn, 'warn', stacklevel=4) # if CDN is not available, warn user and disable CDN cdn_url = '/_pywebio_static/' if not cdn else cdn register_session_implement(CoroutineBasedSession) register_session_implement(ThreadBasedSession) RequestHandler = yield cdn_url, abs_base handlers = [] if static_dir is not None: handlers.append((r"/static/(.*)", StaticFileHandler, {"path": static_dir})) if not cdn: handlers.append((r"/_pywebio_static/(.*)", StaticFileHandler, {"path": STATIC_PATH})) handlers.append((r"/.*", RequestHandler)) print('Listen on %s:%s' % (host or '0.0.0.0', port)) set_ioloop(tornado.ioloop.IOLoop.current()) # to enable bokeh app app = tornado.web.Application(handlers=handlers, **tornado_app_settings) app.listen(port, address=host) tornado.ioloop.IOLoop.current().start() def path_deploy(base, port=0, host='', index=True, static_dir=None, cdn=True, debug=True, allowed_origins=None, check_origin=None, websocket_max_message_size=None, websocket_ping_interval=None, websocket_ping_timeout=None, **tornado_app_settings): """Deploy the PyWebIO applications from a directory. The server communicates with the browser using WebSocket protocol. :param str base: Base directory to load PyWebIO application. :param int port: The port the server listens on. :param str host: The host the server listens on. :param bool/callable index: Whether to provide a default index page when request a directory, default is ``True``. ``index`` also accepts a function to custom index page, which receives the requested directory path as parameter and return HTML content in string. You can override the index page by add a `index.py` PyWebIO app file to the directory. :param str static_dir: Directory to store the application static files. The files in this directory can be accessed via ``http://:/static/files``. For example, if there is a ``A/B.jpg`` file in ``http_static_dir`` path, it can be accessed via ``http://:/static/A/B.jpg``. The rest arguments of ``path_deploy()`` have the same meaning as for :func:`pywebio.platform.tornado.start_server` """ gen = _path_deploy(base, port=port, host=host, static_dir=static_dir, cdn=cdn, debug=debug, websocket_max_message_size=websocket_max_message_size, websocket_ping_interval=websocket_ping_interval, websocket_ping_timeout=parse_file_size(websocket_ping_timeout or '10M'), **tornado_app_settings) cdn_url, abs_base = next(gen) index_func = {True: partial(default_index_page, base=abs_base), False: lambda p: '403 Forbidden'}.get(index, index) Handler = webio_handler(lambda: None, cdn_url, allowed_origins=allowed_origins, check_origin=check_origin) class WSHandler(Handler): def get_app(self): reload = self.get_query_argument('reload', None) is not None type, res = get_app_from_path(self.request.path, abs_base, index=index_func, reload=reload) if type == 'error': raise HTTPError(status_code=res) elif type == 'html': raise Finish(res) app_name = self.get_query_argument('app', 'index') app = res.get(app_name) or res['index'] return app gen.send(WSHandler) gen.close() def path_deploy_http(base, port=0, host='', index=True, static_dir=None, cdn=True, debug=True, allowed_origins=None, check_origin=None, session_expire_seconds=None, session_cleanup_interval=None, **tornado_app_settings): """Deploy the PyWebIO applications from a directory. The server communicates with the browser using HTTP protocol. The ``base``, ``port``, ``host``, ``index``, ``static_dir`` arguments of ``path_deploy_http()`` have the same meaning as for :func:`pywebio.platform.path_deploy.path_deploy` The rest arguments of ``path_deploy_http()`` have the same meaning as for :func:`pywebio.platform.tornado_http.start_server` """ gen = _path_deploy(base, port=port, host=host, static_dir=static_dir, cdn=cdn, debug=debug, **tornado_app_settings) cdn_url, abs_base = next(gen) index_func = {True: partial(default_index_page, base=abs_base), False: lambda p: '403 Forbidden'}.get(index, index) def get_app(context: TornadoHttpContext): reload = context.request_url_parameter('reload', None) is not None type, res = get_app_from_path(context.get_path(), abs_base, index=index_func, reload=reload) if type == 'error': raise HTTPError(status_code=res) elif type == 'html': raise Finish(res) app_name = context.request_url_parameter('app', 'index') return res.get(app_name) or res['index'] handler = HttpHandler(app_loader=get_app, cdn=cdn_url, session_expire_seconds=session_expire_seconds, session_cleanup_interval=session_cleanup_interval, allowed_origins=allowed_origins, check_origin=check_origin) class ReqHandler(tornado.web.RequestHandler): def options(self): return self.get() def post(self): return self.get() def get(self): context = TornadoHttpContext(self) self.write(handler.handle_request(context)) gen.send(ReqHandler) gen.close()