-
Notifications
You must be signed in to change notification settings - Fork 42
/
doc.py
executable file
·547 lines (462 loc) · 21.7 KB
/
doc.py
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
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
#!/usr/bin/env python3
from __future__ import annotations
import argparse
import operator
import os
import re
import sys
import textwrap
from collections import defaultdict
from functools import reduce
from pathlib import Path
from typing import Dict
from typing import Iterable
from typing import List
from typing import NamedTuple
from typing import Optional
from typing import Sequence
from mdutils.mdutils import MdUtils
from mdutils.tools.Table import Table
sys.path.insert(0, os.path.abspath("./src"))
from codemagic import cli
from codemagic import tools
from codemagic.cli import MutuallyExclusiveGroup
class SerializedArgument(NamedTuple):
key: str
description: str
flags: str
name: str
required: bool
argument_group_name: Optional[str]
default: str
nargs: bool
choices: str
store_boolean: bool
mutually_exclusive_group: Optional[MutuallyExclusiveGroup] = None
class Action(NamedTuple):
action_name: str
name: str
description: str
required_args: List[SerializedArgument]
optional_args: List[SerializedArgument]
custom_args: Dict[str, List[SerializedArgument]]
mutually_exclusive_args: List[SerializedArgument] = None
class ActionGroup(NamedTuple):
name: str
description: str
actions: List[Action]
class ArgumentKwargs(NamedTuple):
nargs: bool
required: bool
default: str
choices: str
store_boolean: bool
class ArgumentsSerializer:
def __init__(self, raw_arguments: Sequence[cli.Argument]):
self.raw_arguments = raw_arguments
self.required_args: List[SerializedArgument] = []
self.optional_args: List[SerializedArgument] = []
self.custom_args: Dict[str, List[SerializedArgument]] = defaultdict(list)
self.mutually_exclusive_group_args: List[SerializedArgument] = []
@classmethod
def _replace_quotes(cls, description: str) -> str:
json_array = re.compile(r'"(\[[^\]]+\])"')
json_object = re.compile(r'"(\{[^\}]+\})"')
# Dummy handling for description containing JSON arrays and objects as an example
for patt in (json_object, json_array):
if not patt.search(description):
continue
before, obj, after = patt.split(description)
before = before.replace('"', "`")
after = after.replace('"', "`")
return f"{before}`{obj}`{after}"
return description.replace('"', "`")
def _serialize_argument(self, arg) -> SerializedArgument:
description = str_plain(arg._value_.description)
arg_type = getattr(arg._value_, "type")
if isinstance(arg_type, type) and issubclass(arg_type, cli.argument.TypedCliArgument):
description = str_plain(arg.get_description())
env_var = arg_type.__dict__.get("environment_variable_key")
to_match = f"{env_var}|{arg._name_}" if env_var else arg._name_
description = re.sub(f"(\\s?)({to_match})(\\s?)", r"\1`\2`\3", description)
description = self._replace_quotes(description)
kwargs = self._proccess_kwargs(getattr(arg._value_, "argparse_kwargs"))
mutually_exclusive_group = arg._value_.mutually_exclusive_group
required = mutually_exclusive_group.required if mutually_exclusive_group else kwargs.required
return SerializedArgument(
key=arg._value_.key,
description=description,
flags=", ".join(getattr(arg._value_, "flags", "")),
name="" if arg_type and arg_type.__name__ == "bool" else arg._name_,
required=required,
argument_group_name=arg._value_.argument_group_name,
default=kwargs.default,
nargs=kwargs.nargs,
choices=kwargs.choices,
store_boolean=kwargs.store_boolean,
mutually_exclusive_group=mutually_exclusive_group,
)
def serialize(self) -> ArgumentsSerializer:
for argument in map(self._serialize_argument, self.raw_arguments):
if argument.mutually_exclusive_group:
self.mutually_exclusive_group_args.append(argument)
elif argument.required:
self.required_args.append(argument)
elif argument.argument_group_name:
self.custom_args[argument.argument_group_name].append(argument)
else:
self.optional_args.append(argument)
return self
@classmethod
def _proccess_kwargs(cls, kwargs):
def _process_choice(choices):
return " | ".join([str(c) for c in choices] if choices else "")
def _process_default(default):
if not default:
return ""
if isinstance(default, tuple) and len(default) > 1 and isinstance(default[0], Path):
default = ", ".join(str(p).replace(str(Path.home()), "$HOME") for p in default)
if isinstance(default, tuple) and isinstance(default[0], Path):
default = default[0]
if isinstance(default, Path):
default = str(default).replace(str(Path.home()), "$HOME")
return str(default)
kwargs = kwargs or {}
return ArgumentKwargs(
nargs=kwargs.get("nargs", "") == "+",
required=kwargs.get("required", True),
default=_process_default(kwargs.get("default", "")),
choices=_process_choice(kwargs.get("choices")),
store_boolean=kwargs.get("action") in ("store_true", "store_false"),
)
# docs/README.md
class MainPageDocumentationGenerator:
def __init__(self, title: str, main_dir: str):
self.title = title
self.main_dir = main_dir
def generate(self, tools: List[cli.CliApp]):
os.makedirs(self.main_dir, exist_ok=True)
md = MdUtils(file_name=f"{self.main_dir}/README", title=self.title)
Writer(md).write_tools_table(tools)
md.create_md_file()
class ToolDocumentationGenerator:
def __init__(self, tool, main_dir: str):
class_args_serializer = ArgumentsSerializer(tool.CLASS_ARGUMENTS).serialize()
self.tool = tool
self.tool_command = tool.get_executable_name()
self.tool_prefix = f"{main_dir}/{self.tool_command}"
self.tool_optional_args = class_args_serializer.optional_args
self.tool_required_args = class_args_serializer.required_args
self.tool_options = self._serialize_default_options(self.tool)
self.tool_mutually_exclusive_group_args = class_args_serializer.mutually_exclusive_group_args
self.tool_serialized_actions = self._serialize_actions(self.tool)
self.tool_serialized_action_groups = self._serialize_action_groups(self.tool)
def generate(self):
self._write_tool_page()
for action in self.tool_serialized_actions:
self._write_action_page(action)
for group in self.tool_serialized_action_groups:
self._write_action_group_page(group)
def _write_tool_command_arguments_and_options(self, writer):
writer.write_arguments(
f"command `{self.tool_command}`",
self.tool_optional_args,
self.tool_required_args,
{},
self.tool_mutually_exclusive_group_args,
)
writer.write_options(self.tool_options)
def _write_tool_page(self):
os.makedirs(self.tool_prefix, exist_ok=True)
md = MdUtils(file_name=f"{self.tool_prefix}/README", title=self.tool_command)
writer = Writer(md)
writer.write_description(self.tool.__doc__)
writer.write_command_usage(self)
self._write_tool_command_arguments_and_options(writer)
writer.write_actions_table(self.tool_serialized_actions)
writer.write_action_groups_table(self.tool_serialized_action_groups)
writer.ensure_empty_line_at_end()
md.create_md_file()
def _write_action_group_page(self, action_group: ActionGroup):
group_path = f"{self.tool_prefix}/{action_group.name}"
md = MdUtils(file_name=group_path, title=action_group.name)
writer = Writer(md)
writer.write_description(action_group.description)
writer.write_command_usage(self, action_group=action_group)
self._write_tool_command_arguments_and_options(writer)
writer.write_actions_table(action_group.actions, action_group=action_group)
writer.ensure_empty_line_at_end()
md.create_md_file()
os.makedirs(group_path, exist_ok=True)
for action in action_group.actions:
self._write_action_page(action, action_group=action_group)
def _write_action_page(self, action: Action, action_group: Optional[ActionGroup] = None):
group_str = f"{action_group.name}/" if action_group else ""
md = MdUtils(file_name=f"{self.tool_prefix}/{group_str}{action.action_name}", title=action.action_name)
writer = Writer(md)
writer.write_description(action.description)
writer.write_command_usage(self, action_group=action_group, action=action)
writer.write_arguments(
f"action `{action.action_name}`",
action.optional_args,
action.required_args,
action.custom_args,
action.mutually_exclusive_args,
)
self._write_tool_command_arguments_and_options(writer)
writer.ensure_empty_line_at_end()
md.create_md_file()
@classmethod
def _serialize_action_groups(cls, tool: cli.CliApp) -> List[ActionGroup]:
def _serialize_action_group(group) -> ActionGroup:
return ActionGroup(
name=group.name,
description=group.description,
actions=cls._serialize_actions(tool, action_group=group),
)
return list(map(_serialize_action_group, tool.list_class_action_groups()))
@classmethod
def _serialize_mutually_exclusive_groups(
cls,
mutually_exclusive_group_args: List[SerializedArgument],
) -> Dict[str, list[SerializedArgument]]:
serialized_mutually_exclusive_groups = defaultdict(list)
for arg in mutually_exclusive_group_args:
if arg.mutually_exclusive_group:
serialized_mutually_exclusive_groups[arg.mutually_exclusive_group.name].append(arg)
return serialized_mutually_exclusive_groups
@classmethod
def _serialize_actions(cls, tool: cli.CliApp, action_group=None) -> List[Action]:
def _serialize_action(action: cli.argument.ActionCallable) -> Action:
assert isinstance(action.__doc__, str)
action_args_serializer = ArgumentsSerializer(action.arguments).serialize()
return Action(
action_name=action.action_name,
name=action.__name__,
description=action.__doc__,
required_args=action_args_serializer.required_args,
optional_args=action_args_serializer.optional_args,
custom_args=action_args_serializer.custom_args,
mutually_exclusive_args=action_args_serializer.mutually_exclusive_group_args,
)
return list(map(_serialize_action, tool.iter_class_cli_actions(action_group=action_group)))
@classmethod
def _serialize_default_options(cls, tool: cli.CliApp) -> List[SerializedArgument]:
def _serialize_option(option) -> SerializedArgument:
return SerializedArgument(
key="",
description=str_plain(str(option.help)).replace("[", "").replace(": ", " `").replace("]", "`"),
flags=", ".join(option.option_strings),
name="",
required=False,
argument_group_name=None,
default="",
nargs=False,
choices=" | ".join(option.choices) if option.choices else "",
store_boolean=str(type(option)) in ("_StoreTrueAction", "_StoreFalseAction"),
)
parser = argparse.ArgumentParser(
description=tool.__doc__,
formatter_class=cli.cli_help_formatter.CliHelpFormatter,
)
cli.argument.ArgumentParserBuilder.set_default_cli_options(parser)
return list(map(_serialize_option, parser._actions))
class CommandUsageGenerator:
def __init__(self, doc_generator: ToolDocumentationGenerator):
self.doc_generator = doc_generator
def get_command_usage(
self,
action_group: Optional[ActionGroup] = None,
action: Optional[Action] = None,
) -> List[str]:
action_group_str = f" {action_group.name}" if action_group else ""
action_str = f" {action.action_name}" if action else ""
action_args = (
[
*map(self._get_formatted_flag, action.optional_args),
self._get_mutually_exclusive_group_formatted_flag(action.mutually_exclusive_args, False),
*map(self._get_formatted_flag, action.required_args),
self._get_mutually_exclusive_group_formatted_flag(action.mutually_exclusive_args, True),
*map(self._get_formatted_flag, reduce(operator.add, action.custom_args.values(), [])),
]
if action
else ["ACTION"]
)
return [
f"{self.doc_generator.tool_command}{action_group_str}{action_str} {self._get_opt_common_flags()}",
*self._get_tool_arguments_and_flags(),
*action_args,
]
def _get_opt_common_flags(self) -> str:
return " ".join(map(self._get_formatted_flag, self.doc_generator.tool_options))
def _get_tool_arguments_and_flags(self) -> Iterable[str]:
return [
*map(self._get_formatted_flag, self.doc_generator.tool_required_args),
self._get_mutually_exclusive_group_formatted_flag(
self.doc_generator.tool_mutually_exclusive_group_args,
True,
),
*map(self._get_formatted_flag, self.doc_generator.tool_optional_args),
self._get_mutually_exclusive_group_formatted_flag(
self.doc_generator.tool_mutually_exclusive_group_args,
False,
),
]
def _get_mutually_exclusive_group_formatted_flag(
self,
mutually_exclusive_args: List[SerializedArgument],
required: bool,
):
serialized_mutually_exclusive_groups = defaultdict(list)
for arg in mutually_exclusive_args:
if arg.mutually_exclusive_group and arg.required == required:
serialized_mutually_exclusive_groups[arg.mutually_exclusive_group.name].append(arg)
flags = ""
for group_name, args in serialized_mutually_exclusive_groups.items():
group_flags_list = [self._get_formatted_flag_text(arg) for arg in args]
group_flags_str = " | ".join(group_flags_list)
if required:
flags += f"({group_flags_str}) "
else:
flags += f"[{group_flags_str}] "
return flags
def _get_formatted_flag(self, arg: SerializedArgument) -> str:
flag = self._get_formatted_flag_text(arg)
return flag if arg.required else f"[{flag}]"
@classmethod
def _get_formatted_flag_text(cls, arg: SerializedArgument) -> str:
flag = f'{arg.flags.split(",")[0]}'
if arg.store_boolean:
pass
elif not arg.flags and arg.name:
flag = arg.name
elif arg.choices and not arg.name:
flag = f"{flag} STREAM"
elif arg.name:
flag = f"{flag} {arg.name}"
return flag
class Writer:
def __init__(self, file: MdUtils):
self.file = file
def ensure_empty_line_at_end(self):
if self.file.file_data_text.endswith("\n"):
return
self.file.write("\n")
def write_description(self, content: str):
content = str_plain(content)
self.file.new_paragraph(f"**{content}**", wrap_width=0)
def write_command_usage(
self,
generator: ToolDocumentationGenerator,
action_group: Optional[ActionGroup] = None,
action: Optional[Action] = None,
):
lines = CommandUsageGenerator(generator).get_command_usage(action_group=action_group, action=action)
self._write_command_usage(self.file, lines)
def write_table(self, content: List[List[str]], header: List[str]):
flat_content: List[str] = sum(content, [])
table = Table().create_table(
columns=len(header),
rows=len(content) + 1,
text=header + flat_content,
text_align="left",
)
self.file.write(table, wrap_width=0)
def write_tools_table(self, tools: List[cli.CliApp]):
def _get_tool_link(tool: cli.CliApp) -> str:
return f"[`{tool.get_executable_name()}`]({tool.get_executable_name()}/README.md)"
def _get_tool_doc(tool: cli.CliApp) -> List[str]:
assert isinstance(tool.__doc__, str)
return [_get_tool_link(tool), str_plain(tool.__doc__)]
self.write_table(list(map(_get_tool_doc, tools)), ["Tool name", "Description"])
def write_actions_table(self, actions: List[Action], action_group: Optional[ActionGroup] = None):
if not actions:
return
def _get_action_doc(action: Action) -> List[str]:
action_group_str = f"{action_group.name}/" if action_group else ""
action_link = f"{action_group_str}{action.action_name}.md"
return [f"[`{action.action_name}`]({action_link})", str_plain(action.description)]
self.file.new_header(level=3, title="Actions", add_table_of_contents="n")
self.write_table(list(map(_get_action_doc, actions)), ["Action", "Description"])
def write_action_groups_table(self, groups: List[ActionGroup]):
if not groups:
return
def _get_group_doc(group: ActionGroup) -> List[str]:
return [f"[`{group.name}`]({group.name}.md)", str_plain(group.description)]
self.file.new_header(level=3, title="Action groups", add_table_of_contents="n")
self.write_table(list(map(_get_group_doc, groups)), ["Action group", "Description"])
def write_arguments(
self,
obj: str,
optional: List[SerializedArgument],
required: List[SerializedArgument],
custom: Dict[str, List[SerializedArgument]],
mutually_exclusive_groups: List[SerializedArgument],
):
self._write_arguments(self.file, f"Required arguments for {obj}", required)
mutually_exclusive_required_args = [arg for arg in mutually_exclusive_groups if arg.required]
self._write_arguments(
self.file,
f"Required mutually exclusive arguments for {obj}",
mutually_exclusive_required_args,
)
self._write_arguments(self.file, f"Optional arguments for {obj}", optional)
for group_name, custom_arguments in custom.items():
self._write_arguments(self.file, f"Optional arguments to {group_name}", custom_arguments)
mutually_exclusive_optional_args = [arg for arg in mutually_exclusive_groups if not arg.required]
self._write_arguments(
self.file,
f"Optional mutually exclusive arguments for {obj}",
mutually_exclusive_optional_args,
)
def write_options(self, options: List[SerializedArgument]):
self._write_arguments(self.file, "Common options", options)
@classmethod
def _write_command_usage(cls, file: MdUtils, lines: List[str]):
file.new_header(level=3, title="Usage", add_table_of_contents="n")
main_lines = "".join([f" {line}\n" for line in lines[1:] if line])
file.write(f"```bash\n{lines[0]}\n{main_lines}```", wrap_width=0)
@classmethod
def _write_arguments(cls, file: MdUtils, title: str, args: List[SerializedArgument]):
def _process_flag(arg: SerializedArgument) -> str:
flag = arg.flags
if arg.store_boolean:
return flag
if flag and arg.choices:
return f"{flag}={arg.choices}"
if flag and arg.name:
return f"{flag}={arg.name}"
return arg.name if arg.name else flag
def _process_description(argument: SerializedArgument) -> str:
_description = argument.description.replace("*", r"\*").replace(r"\*\*", "**")
_description += ". Multiple arguments" if argument.nargs else ""
if argument.default and "[Default:" not in _description:
return f"{_description}. Default: `{argument.default}`"
else:
return _description
if not args:
return
file.new_header(level=3, title=title, add_table_of_contents="n")
for arg in args:
description = _process_description(arg).replace("..", ".")
file.new_header(level=5, title=f"`{_process_flag(arg)}`", add_table_of_contents="n")
file.new_paragraph(description, wrap_width=0)
def str_plain(string: str) -> str:
string = textwrap.dedent(string)
bold = re.escape(cli.Colors.BOLD.value)
blue = re.escape(cli.Colors.BRIGHT_BLUE.value)
reset = re.escape(cli.Colors.RESET.value)
string = re.sub(f"{bold}([^\x1b]+){reset}", r"**\1**", string) # Convert ANSI bold to markdown bold
string = re.sub(f"([^`]){blue}([^\x1b]+){reset}([^`])", r"\1`\2`\3", string) # Convert ANSI blue to backticks
string = re.sub(r"\x1b\[\d*m", "", string) # Remove all other ANSI formatting
return re.sub(r"\n|\t", " ", string).strip() # Remove newlines and tabs
def main():
print(f"Generate documentation for module {tools.__name__} from {tools.__file__}")
main_dir = "docs"
tool_classes = cli.CliApp.__subclasses__()
MainPageDocumentationGenerator("CLI tools", main_dir).generate(tool_classes)
for tool_class in tool_classes:
print(f"Generate documentation for tool {tool_class.get_executable_name()}")
ToolDocumentationGenerator(tool_class, main_dir).generate()
if __name__ == "__main__":
main()