-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathplugin.py
188 lines (138 loc) · 6.34 KB
/
plugin.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
from __future__ import annotations
import argparse
import re
from textwrap import indent
from typing import Set
from markdown_it import MarkdownIt
import mdformat.plugins
from mdformat.renderer import RenderContext, RenderTreeNode
from mdit_py_plugins.dollarmath import dollarmath_plugin
from mdit_py_plugins.footnote import footnote_plugin
from mdit_py_plugins.myst_blocks import myst_block_plugin
from mdit_py_plugins.myst_role import myst_role_plugin
from mdformat_myst._directives import fence, render_fence_html
_TARGET_PATTERN = re.compile(r"^\s*\(([a-zA-Z0-9|@<>*./_\-+:]{1,100})\)=\s*$")
_ROLE_NAME_PATTERN = re.compile(r"({[a-zA-Z0-9_\-+:]{1,36}})")
# TODO eventually support all in:
# https://myst-parser.readthedocs.io/en/latest/syntax/optional.html
SUPPORTED_EXTENSIONS = {"dollarmath"}
def _extension_arg_type(arg: str) -> Set[str]:
"""Convert extension list to set and validate."""
extensions = set(arg.split(","))
unallowed_extensions = extensions.difference(SUPPORTED_EXTENSIONS)
if unallowed_extensions:
raise ValueError(f"Unsupported myst extensions: {unallowed_extensions!r}")
return extensions
def add_cli_options(parser: argparse.ArgumentParser) -> None:
"""Add options to the mdformat CLI, to be stored in
``mdit.options["mdformat"]``"""
parser.add_argument(
"--myst-extensions",
dest="myst_extensions",
type=_extension_arg_type,
default="dollarmath",
help="Comma-delimited list of MyST syntax extensions",
metavar="|".join(SUPPORTED_EXTENSIONS),
)
def update_mdit(mdit: MarkdownIt) -> None:
myst_extensions = mdit.options.get("mdformat", {}).get("myst_extensions", set())
# Enable mdformat-tables plugin
tables_plugin = mdformat.plugins.PARSER_EXTENSIONS["tables"]
if tables_plugin not in mdit.options["parser_extension"]:
mdit.options["parser_extension"].append(tables_plugin)
tables_plugin.update_mdit(mdit)
# Enable mdformat-frontmatter plugin
frontmatter_plugin = mdformat.plugins.PARSER_EXTENSIONS["frontmatter"]
if frontmatter_plugin not in mdit.options["parser_extension"]:
mdit.options["parser_extension"].append(frontmatter_plugin)
frontmatter_plugin.update_mdit(mdit)
# Enable MyST role markdown-it extension
mdit.use(myst_role_plugin)
# Enable MyST block markdown-it extension (including "LineComment",
# "BlockBreak" and "Target" syntaxes)
mdit.use(myst_block_plugin)
# Enable dollarmath markdown-it extension
if "dollarmath" in myst_extensions:
mdit.use(dollarmath_plugin)
# Enable footnote markdown-it extension
mdit.use(footnote_plugin)
# MyST has inline footnotes disabled
mdit.disable("footnote_inline")
# Trick `mdformat`s AST validation by removing HTML rendering of code
# blocks and fences. Directives are parsed as code fences and we
# modify them in ways that don't break MyST AST but do break
# CommonMark AST, so we need to do this to make validation pass.
mdit.add_render_rule("fence", render_fence_html)
mdit.add_render_rule("code_block", render_fence_html)
def _role_renderer(node: RenderTreeNode, context: RenderContext) -> str:
role_name = "{" + node.meta["name"] + "}"
role_content = f"`{node.content}`"
return role_name + role_content
def _comment_renderer(node: RenderTreeNode, context: RenderContext) -> str:
return "%" + node.content.replace("\n", "\n%")
def _blockbreak_renderer(node: RenderTreeNode, context: RenderContext) -> str:
text = "+++"
if node.content:
text += f" {node.content}"
return text
def _target_renderer(node: RenderTreeNode, context: RenderContext) -> str:
return f"({node.content})="
def _math_inline_renderer(node: RenderTreeNode, context: RenderContext) -> str:
return f"${node.content}$"
def _math_block_renderer(node: RenderTreeNode, context: RenderContext) -> str:
return f"$${node.content}$$"
def _math_block_eqno_renderer(node: RenderTreeNode, context: RenderContext) -> str:
return f"$${node.content}$$ ({node.info})"
def _footnote_ref_renderer(node: RenderTreeNode, context: RenderContext) -> str:
return f"[^{node.meta['label']}]"
def _footnote_renderer(node: RenderTreeNode, context: RenderContext) -> str:
first_line = f"[^{node.meta['label']}]:"
elements = []
for child in node.children:
if child.type == "footnote_anchor":
continue
elements.append(child.render(context))
body = indent("\n\n".join(elements), " " * 4)
# if the first body element is a paragraph, we can start on the first line,
# otherwise we start on the second line
if body and node.children and node.children[0].type != "paragraph":
body = "\n" + body
else:
body = " " + body.lstrip()
return first_line + body
def _render_children(node: RenderTreeNode, context: RenderContext) -> str:
return "\n\n".join(child.render(context) for child in node.children)
def _escape_paragraph(text: str, node: RenderTreeNode, context: RenderContext) -> str:
lines = text.split("\n")
for i in range(len(lines)):
# Three or more "+" chars are interpreted as a block break. Escape them.
space_removed = lines[i].replace(" ", "")
if space_removed.startswith("+++"):
lines[i] = lines[i].replace("+", "\\+", 1)
# A line starting with "%" is a comment. Escape.
if lines[i].startswith("%"):
lines[i] = f"\\{lines[i]}"
# Escape lines that look like targets
if _TARGET_PATTERN.search(lines[i]):
lines[i] = lines[i].replace("(", "\\(", 1)
return "\n".join(lines)
def _escape_text(text: str, node: RenderTreeNode, context: RenderContext) -> str:
# Escape MyST role names
text = _ROLE_NAME_PATTERN.sub(r"\\\1", text)
# Escape inline and block dollarmath
text = text.replace("$", "\\$")
return text
RENDERERS = {
"myst_role": _role_renderer,
"myst_line_comment": _comment_renderer,
"myst_block_break": _blockbreak_renderer,
"myst_target": _target_renderer,
"math_inline": _math_inline_renderer,
"math_block_eqno": _math_block_eqno_renderer,
"math_block": _math_block_renderer,
"footnote": _footnote_renderer,
"footnote_ref": _footnote_ref_renderer,
"footnote_block": _render_children,
"fence": fence,
}
POSTPROCESSORS = {"paragraph": _escape_paragraph, "text": _escape_text}