Skip to content
Snippets Groups Projects
Commit bb772729 authored by Georges Racinet's avatar Georges Racinet
Browse files

First draft of WSGI application

This is based on hgwebdir_mod but doesn't need any scan of repositories.
Needs some cleaning and testing (notably for future Python3 versions)

Should eventually absorb the WSGI wrapper that's currently shipping
in config/mercurial within the Rails application.
parent cc98b24b
No related branches found
No related tags found
1 merge request!1Direct WSGI serving of Mercurial repositories
# heptapod/hgweb.py - Heptapod HTTP interface for a directory of repositories.
#
# derived under GPL2+ from Mercurial's hgwebdir_mod.py, whose
# copyright holders are
# Copyright 21 May 2005 - (c) 2005 Jake Edge <jake@edge2.net>
# Copyright 2005, 2006 Matt Mackall <mpm@selenic.com>
#
# This file Copyright 2019 Georges Racinet <georges.racinet@octobus.net>
#
# This software may be used and distributed according to the terms of the
# GNU General Public License version 2 or any later version.
from __future__ import absolute_import
import logging
import gc
import os
from mercurial.i18n import _
from mercurial.hgweb.common import (
ErrorResponse,
HTTP_SERVER_ERROR,
HTTP_NOT_FOUND,
cspvalues,
statusmessage,
)
from mercurial import (
encoding,
error,
extensions,
hg,
profiling,
pycompat,
ui as uimod,
)
from mercurial.hgweb import (
hgweb_mod,
request as requestmod,
)
logger = logging.getLogger(__name__)
# logging configuration will be initialized from the Mercurial global
# configuration, overriding this:
logging.basicConfig(level=logging.INFO)
class Application(object):
"""WSGI application serving repositories under a given root path
The repositories are expected in the `heptapod.repositories-root`
Mercurial configuration.
This works under full trust of the incoming request: callers are either
`gitlab-rails` or `gitlab-workhorse`.
"""
def __init__(self, conf, baseui=None):
self.conf = conf
self.baseui = baseui
if baseui:
self.ui = baseui.copy()
else:
self.ui = uimod.ui.load()
if not os.path.exists(self.conf):
raise error.Abort(_('config file %s not found!') % self.conf)
# TODO make this a proper registered parameter in the `heptapod`
# extension (that doesn't exist as of this writing)
self.motd = None
if not baseui:
# set up environment for new ui
extensions.loadall(self.ui)
extensions.populateui(self.ui)
logger.info("Loading configuration from %r", self.conf)
self.ui.readconfig(self.conf, trust=True)
root = self.ui.config('heptapod', 'repositories-root')
if root is None:
raise ValueError("heptapod.repositories-root is not configured.")
self.repos_root = root
def __call__(self, env, respond):
baseurl = self.ui.config('web', 'baseurl')
req = requestmod.parserequestfromenv(env, altbaseurl=baseurl)
res = requestmod.wsgiresponse(req, respond)
return self.run_wsgi(req, res)
def run_wsgi(self, req, res):
profile = self.ui.configbool('profiling', 'enabled')
with profiling.profile(self.ui, enabled=profile):
try:
for r in self._runwsgi(req, res):
yield r
finally:
# There are known cycles in localrepository that prevent
# those objects (and tons of held references) from being
# collected through normal refcounting. We mitigate those
# leaks by performing an explicit GC on every request.
# TODO remove this once leaks are fixed.
# TODO only run this on requests that create localrepository
# instances instead of every request.
gc.collect()
def _runwsgi(self, req, res):
try:
csp = cspvalues(self.ui)[0]
if csp:
res.headers['Content-Security-Policy'] = csp
uri_path = req.dispatchpath.strip('/')
repo_path = os.path.join(self.repos_root, uri_path)
if not os.path.isdir(os.path.join(repo_path, '.hg')):
# hg.repository() would raise a RepoError which is
# not qualified enough to distinguish it cleanly (just
# the message)
raise ErrorResponse(HTTP_NOT_FOUND, "Not Found")
# Re-parse the WSGI environment to take into account our
# repository path component.
uenv = req.rawenv
if pycompat.ispy3:
uenv = {k.decode('latin1'): v for k, v in
uenv.iteritems()}
req = requestmod.parserequestfromenv(
uenv, reponame=uri_path,
altbaseurl=self.ui.config('web', 'baseurl'),
# Reuse wrapped body file object otherwise state
# tracking can get confused.
bodyfh=req.bodyfh)
try:
logger.info("loading repo at %r", repo_path)
# ensure caller gets private copy of ui
repo = hg.repository(self.ui.copy(), repo_path)
return hgweb_mod.hgweb(repo).run_wsgi(req, res)
except IOError as inst:
msg = encoding.strtolocal(inst.strerror)
raise ErrorResponse(HTTP_SERVER_ERROR, msg)
except error.RepoError as inst:
raise ErrorResponse(HTTP_SERVER_ERROR, bytes(inst))
except ErrorResponse as e:
# To be carefully tested with Python3, but Heptapod is running py2
# for the time being (suitable py3 version not available yet)
# This is a dubious part from hgweb: the status message includes
# the error message, but that can get funky because of potential
# translation. Common practice would be just to repeat the
# generic meaning of the code, e.g, "NOT FOUND"
# and provide details in the reponse body
res.status = statusmessage(e.code, pycompat.bytestr(e))
res.headers['Content-Type'] = 'text/plain; encoding={}'.format(
pycompat.sysstr(encoding.encoding))
res.setbodygen((e.message or b'') + b"\n")
return res.sendresponse()
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment