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 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359
|
"""
autoprogramm
~~~~~~~~~~~~
``autoprogram-modified`` (hence the two "m"s at the end of the name.)
Documenting CLI programs.
Adapted & simplified from https://github.com/sphinx-contrib/autoprogram
Besides the name change, here is a summary of the changes:
* Remove six; this is now Python>=3.6 only
* Remove unit testing
* Remove .lower() when processing metavar/desc
* Add setup() return dict
* Add :notitle:
* Add :nodesc:
* Add :options_title:
* Add :options_adornment:
* black-ification
**WARNING:** This is custom-stripped for aiosmtpd; using this custom extension
outside of aiosmtpd might not work. Check the code! The aiosmtpd Developers will
NOT provide ANY kind of support with this custom extension; it is just hacked
together in a half-day by pepoluan <== all blame goes to him!
:copyright: Copyright 2014 by Hong Minhee
:license: BSD
"""
import argparse
import builtins
import collections
import os
import sphinx
from docutils import nodes
from docutils.parsers.rst import Directive
from docutils.parsers.rst.directives import unchanged
from docutils.statemachine import StringList
from functools import reduce
from sphinx.util.nodes import nested_parse_with_titles
from typing import Any, Dict, List, Optional, Tuple
__all__ = ("AutoprogrammDirective", "import_object", "scan_programs", "setup")
def get_subparser_action(parser: argparse.ArgumentParser) -> argparse._SubParsersAction:
neg1_action = parser._actions[-1]
if isinstance(neg1_action, argparse._SubParsersAction):
return neg1_action
for a in parser._actions:
if isinstance(a, argparse._SubParsersAction):
return a
def scan_programs(
parser: argparse.ArgumentParser,
command: List[str] = None,
maxdepth: int = 0,
depth: int = 0,
groups: bool = False,
):
if command is None:
command = []
if maxdepth and depth >= maxdepth:
return
if groups:
yield command, [], parser
for group in parser._action_groups:
options = list(scan_options(group._group_actions))
if options:
yield command, options, group
else:
options = list(scan_options(parser._actions))
yield command, options, parser
if parser._subparsers:
choices = ()
subp_action = get_subparser_action(parser)
if subp_action:
# noinspection PyUnresolvedReferences
choices = subp_action.choices.items()
if not (
hasattr(collections, "OrderedDict")
and isinstance(choices, collections.OrderedDict)
):
choices = sorted(choices, key=lambda pair: pair[0])
for cmd, sub in choices:
if isinstance(sub, argparse.ArgumentParser):
yield from scan_programs(sub, command + [cmd], maxdepth, depth + 1)
def scan_options(actions: list):
for arg in actions:
if not (arg.option_strings or isinstance(arg, argparse._SubParsersAction)):
yield format_positional_argument(arg)
for arg in actions:
if arg.option_strings and arg.help is not argparse.SUPPRESS:
yield format_option(arg)
def format_positional_argument(arg: argparse.Action) -> Tuple[List[str], str]:
desc = (arg.help or "") % {"default": arg.default}
name = arg.metavar or arg.dest
return [name], desc
def format_option(arg: argparse.Action) -> Tuple[List[str], str]:
desc = (arg.help or "") % {"default": arg.default}
if not isinstance(arg, (argparse._StoreAction, argparse._AppendAction)):
names = list(arg.option_strings)
return names, desc
if arg.choices is not None:
value = "{{{0}}}".format(",".join(str(c) for c in arg.choices))
else:
metavar = arg.metavar or arg.dest
if not isinstance(metavar, tuple):
metavar = (metavar,)
value = "<{0}>".format("> <".join(metavar))
names = [
"{0} {1}".format(option_string, value) for option_string in arg.option_strings
]
return names, desc
def import_object(import_name: str) -> Any:
module_name, expr = import_name.split(":", 1)
try:
mod = __import__(module_name)
except ImportError:
# This happens if the file is a script with no .py extension. Here we
# trick autoprogram to load a module in memory with the contents of
# the script, if there is a script named module_name. Otherwise, raise
# an ImportError as it did before.
import glob
import sys
import os
import imp
for p in sys.path:
f = glob.glob(os.path.join(p, module_name))
if len(f) > 0:
with open(f[0]) as fobj:
codestring = fobj.read()
foo = imp.new_module("foo")
# noinspection BuiltinExec
exec(codestring, foo.__dict__) # noqa: DUO105 # nosec
sys.modules["foo"] = foo
mod = __import__("foo")
break
else:
raise ImportError("No module named {}".format(module_name))
mod = reduce(getattr, module_name.split(".")[1:], mod)
globals_ = builtins
if not isinstance(globals_, dict):
globals_ = globals_.__dict__
return eval(expr, globals_, mod.__dict__) # noqa: DUO104 # nosec
class AutoprogrammDirective(Directive):
has_content = False
required_arguments = 1
option_spec = {
"prog": unchanged,
"maxdepth": unchanged,
"start_command": unchanged,
"strip_usage": unchanged,
"no_usage_codeblock": unchanged,
"groups": unchanged,
"notitle": unchanged,
"nodesc": unchanged,
"options_title": unchanged,
"options_adornment": unchanged,
}
def make_rst(self):
(import_name,) = self.arguments
parser = import_object(import_name or "__undefined__")
prog = self.options.get("prog")
original_prog = None
if prog:
original_prog = parser.prog
parser.prog = prog
start_command = self.options.get("start_command", "").split(" ")
strip_usage = "strip_usage" in self.options
usage_codeblock = "no_usage_codeblock" not in self.options
maxdepth = int(self.options.get("maxdepth", 0))
groups = "groups" in self.options
options_title = self.options.get("options_title")
options_adornment = self.options.get("options_adornment", "~")
if start_command[0] == "":
start_command.pop(0)
if start_command:
def get_start_cmd_parser(
p: argparse.ArgumentParser,
) -> argparse.ArgumentParser:
looking_for = start_command.pop(0)
action = get_subparser_action(p)
if not action:
raise ValueError("No actions for command " + looking_for)
# noinspection PyUnresolvedReferences
subp = action.choices[looking_for]
if start_command:
return get_start_cmd_parser(subp)
return subp
parser = get_start_cmd_parser(parser)
if prog and parser.prog.startswith(original_prog):
parser.prog = parser.prog.replace(original_prog, prog, 1)
for commands, options, group_or_parser in scan_programs(
parser, maxdepth=maxdepth, groups=groups
):
if isinstance(group_or_parser, argparse._ArgumentGroup):
title = group_or_parser.title
description = group_or_parser.description
usage = None
epilog = None
is_subgroup = True
is_program = False
else:
cmd_parser = group_or_parser
if prog and cmd_parser.prog.startswith(original_prog):
cmd_parser.prog = cmd_parser.prog.replace(original_prog, prog, 1)
title = cmd_parser.prog.rstrip()
description = cmd_parser.description
usage = cmd_parser.format_usage()
epilog = cmd_parser.epilog
is_subgroup = bool(commands)
is_program = True
if "notitle" in self.options:
title = None
if "nodesc" in self.options:
description = None
yield from render_rst(
title,
options,
is_program=is_program,
is_subgroup=is_subgroup,
description=description,
usage=usage,
usage_strip=strip_usage,
usage_codeblock=usage_codeblock,
epilog=epilog,
options_title=options_title,
options_adornment=options_adornment,
)
def run(self) -> list:
node = nodes.section()
node.document = self.state.document
result = StringList()
for line in self.make_rst():
result.append(line, "<autoprogram>")
nested_parse_with_titles(self.state, result, node)
return node.children
def render_rst(
title: str,
options: List[Tuple[List[str], str]],
is_program: bool,
is_subgroup: bool,
description: str,
usage: Optional[str],
usage_strip: bool,
usage_codeblock: bool,
epilog: str,
options_title: str,
options_adornment: str,
):
if usage_strip:
to_strip = title.rsplit(" ", 1)[0]
len_to_strip = len(to_strip) - 4
usage_lines: List[str] = usage.splitlines()
usage = os.linesep.join(
[
usage_lines[0].replace(to_strip, "..."),
]
+ [line[len_to_strip:] for line in usage_lines[1:]]
)
yield ""
if title is not None:
if is_program:
yield ".. program:: " + title
yield ""
yield title
yield ("!" if is_subgroup else "?") * len(title)
yield ""
yield from (description or "").splitlines()
yield ""
if usage is None:
pass
elif usage_codeblock:
yield ".. code-block:: console"
yield ""
for usage_line in usage.splitlines():
yield " " + usage_line
else:
yield usage
yield ""
if options_title:
yield options_title
yield options_adornment * len(options_title)
for option_strings, help_ in options:
yield ".. option:: {0}".format(", ".join(option_strings))
yield ""
yield " " + help_.replace("\n", " \n")
yield ""
for line in (epilog or "").splitlines():
yield line or ""
def setup(app: sphinx.application.Sphinx) -> Dict[str, Any]:
app.add_directive("autoprogramm", AutoprogrammDirective)
return {
"version": "0.2a0",
"parallel_read_safe": True,
"parallel_write_safe": True,
}
|