1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259
|
"""
Utility functions, such as helpers for standalone changelog parsing.
"""
import logging
import os
from pathlib import Path
from tempfile import mkdtemp
from docutils.nodes import bullet_list
from sphinx.application import Sphinx # not exposed at top level
from . import construct_releases, setup
def parse_changelog(path, **kwargs):
"""
Load and parse changelog file from ``path``, returning data structures.
This function does not alter any files on disk; it is solely for
introspecting a Releases ``changelog.rst`` and programmatically answering
questions like "are there any unreleased bugfixes for the 2.3 line?" or
"what was included in release 1.2.1?".
For example, answering the above questions is as simple as::
changelog = parse_changelog("/path/to/changelog")
print("Unreleased issues for 2.3.x: {}".format(changelog['2.3']))
print("Contents of v1.2.1: {}".format(changelog['1.2.1']))
Aside from the documented arguments, any additional keyword arguments are
passed unmodified into an internal `get_doctree` call (which then passes
them to `make_app`).
:param str path: A relative or absolute file path string.
:returns:
A dict whose keys map to lists of ``releases.models.Issue`` objects, as
follows:
- Actual releases are full version number keys, such as ``"1.2.1"`` or
``"2.0.0"``.
- Unreleased bugs (or bug-like issues; see the Releases docs) are
stored in minor-release buckets, e.g. ``"1.2"`` or ``"2.0"``.
- Unreleased features (or feature-like issues) are found in
``"unreleased_N_feature"``, where ``N`` is one of the major release
families (so, a changelog spanning only 1.x will only have
``unreleased_1_feature``, whereas one with 1.x and 2.x releases will
have ``unreleased_1_feature`` and ``unreleased_2_feature``, etc).
.. versionchanged:: 1.6
Added support for passing kwargs to `get_doctree`/`make_app`.
"""
app, doctree = get_doctree(path, **kwargs)
# Have to semi-reproduce the 'find first bullet list' bit from main code,
# which is unfortunately side-effect-heavy (thanks to Sphinx plugin
# design).
first_list = None
for node in doctree[0]:
if isinstance(node, bullet_list):
first_list = node
break
# Initial parse into the structures Releases finds useful internally
releases, manager = construct_releases(first_list.children, app)
ret = changelog2dict(releases)
# Stitch them together into something an end-user would find better:
# - nuke unreleased_N.N_Y as their contents will be represented in the
# per-line buckets
for key in ret.copy():
if key.startswith("unreleased"):
del ret[key]
for family in manager:
# - remove unreleased_bugfix, as they are accounted for in the per-line
# buckets too. No need to store anywhere.
manager[family].pop("unreleased_bugfix", None)
# - bring over each major family's unreleased_feature as
# unreleased_N_feature
unreleased = manager[family].pop("unreleased_feature", None)
if unreleased is not None:
ret["unreleased_{}_feature".format(family)] = unreleased
# - bring over all per-line buckets from manager (flattening)
# Here, all that's left in the per-family bucket should be lines, not
# unreleased_*
ret.update(manager[family])
return ret
def _faux_write_doctree(self, docname, doctree, *args, **kwargs):
self._read_doctree = doctree
def get_doctree(path, **kwargs):
"""
Obtain a mostly-rendered Sphinx doctree from the RST file at ``path``.
The returned doctree is parsed to the point where Releases' own objects
(such as Release and Issue nodes) have been injected, but not yet turned
into their final representation (such as HTML tags).
.. note::
This is primarily useful for the use case of `parse_changelog` in this
module and is not intended as a generic-use in-memory Sphinx build
function!
Any additional kwargs are passed unmodified into an internal `make_app`
call.
:param str path: A relative or absolute Sphinx sourcedir path.
:returns:
A two-tuple of the generated ``sphinx.application.Sphinx`` app and the
doctree (a ``docutils.document`` object).
.. versionchanged:: 1.6
Added support for passing kwargs to `make_app`.
"""
path = Path(path)
# TODO: this only works for top level changelog files (i.e. ones where
# their dirname is the project/doc root)
# NOTE: using absolute to avoid docutils bugs
app = make_app(srcdir=path.parent.absolute(), **kwargs)
app.env.temp_data["docname"] = path.stem
# NOTE: prior to v7, sphinx.io.read_doc was used and just returned the
# generated document. its alternative tries literally writing to disk, so
# we neuter that part via a nasty monkeypatch in order to obtain the value
app.builder.__class__.write_doctree = _faux_write_doctree
app.builder.read_doc(str(path.absolute().with_suffix("")))
return app, app.builder._read_doctree
def load_conf(srcdir):
"""
Load ``conf.py`` from given ``srcdir``.
:returns: Dictionary derived from the conf module.
"""
path = os.path.join(srcdir, "conf.py")
mylocals = {"__file__": path}
with open(path) as fd:
exec(fd.read(), mylocals)
return mylocals
def make_app(**kwargs):
"""
Create a dummy Sphinx app, filling in various hardcoded assumptions.
For example, Sphinx assumes the existence of various source/dest
directories, even if you're only calling internals that never generate (or
sometimes, even read!) on-disk files. This function creates safe temp
directories for these instances.
It also neuters Sphinx's internal logging, which otherwise causes verbosity
in one's own test output and/or debug logs.
Finally, it does load the given srcdir's ``conf.py``, but only to read
specific bits like ``extensions`` (if requested); most of it is ignored.
All args are stored in a single ``**kwargs``. Aside from the params listed
below (all of which are optional), all kwargs given are turned into
'releases_xxx' config settings; e.g. ``make_app(foo='bar')`` is like
setting ``releases_foo = 'bar'`` in ``conf.py``.
:param str docname:
Override the document name used (mostly for internal testing).
:param str srcdir:
Sphinx source directory path.
:param str dstdir:
Sphinx dest directory path.
:param str doctreedir:
Sphinx doctree directory path.
:param bool load_extensions:
Whether to load the real ``conf.py`` and setup any extensions it
configures. Default: ``False``.
:returns: A Sphinx ``Application`` instance.
.. versionchanged:: 1.6
Added the ``load_extensions`` kwarg.
"""
srcdir = kwargs.pop("srcdir", None)
if srcdir is None:
srcdir = mkdtemp()
dstdir = kwargs.pop("dstdir", None)
if dstdir is None:
dstdir = mkdtemp()
doctreedir = kwargs.pop("doctreedir", None)
if doctreedir is None:
doctreedir = mkdtemp()
load_extensions = kwargs.pop("load_extensions", False)
real_conf = None
try:
# Turn off most logging, which is rarely useful and usually just gums
# up the output of whatever tool is calling us.
# NOTE: used to just do 'sphinx' but that stopped working. Unsure why
# hierarchy not functioning.
for name in ("sphinx", "sphinx.sphinx.application"):
logging.getLogger(name).setLevel(logging.ERROR)
# App API seems to work on all versions so far.
app = Sphinx(
srcdir=srcdir,
confdir=None,
outdir=dstdir,
doctreedir=doctreedir,
buildername="html",
)
# Might as well load the conf file here too.
if load_extensions:
real_conf = load_conf(srcdir)
finally:
for d in (srcdir, dstdir, doctreedir):
# Only remove empty dirs; non-empty dirs are implicitly something
# that existed before we ran, and should not be touched.
try:
os.rmdir(d)
except OSError:
pass
setup(app)
# Mock out the config within. More assumptions by Sphinx :(
# TODO: just use real config and overlay what truly needs changing? is that
# feasible given the rest of the weird ordering we have to do? If it is,
# maybe just literally slap this over the return value of load_conf()...
config = {
"releases_release_uri": "foo_%s",
"releases_issue_uri": "bar_%s",
"releases_debug": False,
"master_doc": "index",
}
# Allow tinkering with document filename
if "docname" in kwargs:
app.env.temp_data["docname"] = kwargs.pop("docname")
# Allow config overrides via kwargs
for name in kwargs:
config["releases_{}".format(name)] = kwargs[name]
# Stitch together as the sphinx app init() usually does w/ real conf files
app.config._raw_config = config
app.config.init_values()
# Initialize extensions (the internal call to this happens at init time,
# which of course had no valid config yet here...)
if load_extensions:
for extension in real_conf.get("extensions", []):
# But don't set up ourselves again, that causes errors
if extension == "releases":
continue
app.setup_extension(extension)
return app
def changelog2dict(changelog):
"""
Helper turning internal list-o-releases structure into a dict.
See `parse_changelog` docstring for return value details.
"""
return {r["obj"].number: r["entries"] for r in changelog}
|