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 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122
|
"""
Built-in block-level token classes.
"""
import re
from itertools import zip_longest
from typing import Iterable, Union
import mistletoe.block_tokenizer as tokenizer
from mistletoe import token, span_token
from mistletoe.core_tokens import (
follows,
shift_whitespace,
whitespace,
is_control_char,
normalize_label,
)
"""
Tokens to be included in the parsing process, in the order specified.
"""
__all__ = ['BlockCode', 'Heading', 'Quote', 'CodeFence', 'ThematicBreak',
'List', 'Table', 'Footnote', 'Paragraph']
def tokenize(lines):
"""
A wrapper around block_tokenizer.tokenize. Pass in all block-level
token constructors as arguments to block_tokenizer.tokenize.
Doing so (instead of importing block_token module in block_tokenizer)
avoids cyclic dependency issues, and allows for future injections of
custom token classes.
_token_types variable is at the bottom of this module.
See also: block_tokenizer.tokenize, span_token.tokenize_inner.
"""
return tokenizer.tokenize(lines, _token_types)
def add_token(token_cls, position=0):
"""
Allows external manipulation of the parsing process.
This function is usually called in BaseRenderer.__enter__.
Arguments:
token_cls (SpanToken): token to be included in the parsing process.
position (int): the position for the token class to be inserted into.
"""
_token_types.insert(position, token_cls)
def remove_token(token_cls):
"""
Allows external manipulation of the parsing process.
This function is usually called in BaseRenderer.__exit__.
Arguments:
token_cls (BlockToken): token to be removed from the parsing process.
"""
_token_types.remove(token_cls)
def reset_tokens():
"""
Resets global _token_types to all token classes in __all__.
"""
global _token_types
_token_types = [globals()[cls_name] for cls_name in __all__]
class BlockToken(token.Token):
"""
Base class for block-level tokens. Recursively parse inner tokens.
Naming conventions:
* lines denotes a list of (possibly unparsed) input lines, and is
commonly used as the argument name for constructors.
* BlockToken.children is a list with all the inner tokens (thus if
a token has children attribute, it is not a leaf node; if a token
calls span_token.tokenize_inner, it is the boundary between
span-level tokens and block-level tokens);
* BlockToken.start takes a line from the document as argument, and
returns a boolean representing whether that line marks the start
of the current token. Every subclass of BlockToken must define a
start function (see block_tokenizer.tokenize).
* BlockToken.read takes the rest of the lines in the document as an
iterator (including the start line), and consumes all the lines
that should be read into this token.
Default to stop at an empty line.
Note that BlockToken.read does not have to return a list of lines.
Because the return value of this function will be directly
passed into the token constructor, we can return any relevant
parsing information, sometimes even ready-made tokens,
into the constructor. See block_tokenizer.tokenize.
If BlockToken.read returns None, the read result is ignored,
but the token class is responsible for resetting the iterator
to a previous state. See block_tokenizer.FileWrapper.get_pos,
block_tokenizer.FileWrapper.set_pos.
Attributes:
children (list): inner tokens.
line_number (int): starting line (1-based).
"""
repr_attributes = ("line_number",)
def __init__(self, lines, tokenize_func):
self.children = tokenize_func(lines)
def __contains__(self, text):
return any(text in child for child in self.children)
@staticmethod
def read(lines):
line_buffer = [next(lines)]
for line in lines:
if line == '\n':
break
line_buffer.append(line)
return line_buffer
class Document(BlockToken):
"""
Document token.
This is a container block token. Its children are block tokens - container or leaf ones.
Attributes:
footnotes (dictionary): link reference definitions.
"""
def __init__(self, lines: Union[str, Iterable[str]]):
"""
Instantiates this token and its content by parsing the input lines.
Args:
lines: input markdown to be tokenized. If a string is provided,
it will be split into lines.
CAUTION: If the input lines end with Windows line endings (``\\r\\n``),
the parsing process will not work correctly. For performance reasons,
clients need to normalize such line endings themselves, before passing
them to this function, e.g. by calling ``lines.replace('\\r', '')``.
"""
if isinstance(lines, str):
lines = lines.splitlines(keepends=True)
lines = [line if line.endswith('\n') else '{}\n'.format(line) for line in lines]
self.footnotes = {}
self.line_number = 1
token._root_node = self
self.children = tokenize(lines)
token._root_node = None
class Heading(BlockToken):
"""
ATX heading token. (["### some heading ###\\n"])
This is a leaf block token. Its children are inline (span) tokens.
Attributes:
level (int): heading level.
"""
repr_attributes = BlockToken.repr_attributes + ("level",)
pattern = re.compile(r' {0,3}(#{1,6})(?:\n|\s+?(.*?)(\n|\s+?#+\s*?$))')
level = 0
content = ''
def __init__(self, match):
self.level, content, self.closing_sequence = match
super().__init__(content, span_token.tokenize_inner)
@classmethod
def start(cls, line):
match_obj = cls.pattern.match(line)
if match_obj is None:
return False
cls.level = len(match_obj.group(1))
cls.content = (match_obj.group(2) or '').strip()
if set(cls.content) == {'#'}:
cls.content = ''
cls.closing_sequence = (match_obj.group(3) or '').strip()
return True
@classmethod
def check_interrupts_paragraph(cls, lines):
return cls.start(lines.peek())
@classmethod
def read(cls, lines):
next(lines)
return cls.level, cls.content, cls.closing_sequence
class SetextHeading(BlockToken):
"""
Setext heading token.
This is a leaf block token. Its children are inline (span) tokens.
Not included in the parsing process, but called by Paragraph.__new__.
Attributes:
level (int): heading level.
"""
repr_attributes = BlockToken.repr_attributes + ("level",)
def __init__(self, lines):
self.underline = lines.pop().rstrip()
self.level = 1 if self.underline.endswith('=') else 2
content = '\n'.join([line.strip() for line in lines])
super().__init__(content, span_token.tokenize_inner)
@classmethod
def start(cls, line):
raise NotImplementedError()
@classmethod
def read(cls, lines):
raise NotImplementedError()
class Quote(BlockToken):
"""
Block quote token. (["> # heading\\n", "> paragraph\\n"])
This is a container block token. Its children are block tokens - container or leaf ones.
"""
def __init__(self, parse_buffer):
# span-level tokenizing happens here.
self.children = tokenizer.make_tokens(parse_buffer)
@staticmethod
def start(line):
stripped = line.lstrip(' ')
if len(line) - len(stripped) > 3:
return False
return stripped.startswith('>')
@classmethod
def check_interrupts_paragraph(cls, lines):
return cls.start(lines.peek())
@classmethod
def read(cls, lines):
# first line
line = cls.convert_leading_tabs(next(lines).lstrip()).split('>', 1)[1]
if len(line) > 0 and line[0] == ' ':
line = line[1:]
line_buffer = [line]
start_line = lines.line_number()
# set booleans
in_code_fence = CodeFence.start(line)
in_block_code = BlockCode.start(line)
blank_line = line.strip() == ''
# following lines
next_line = lines.peek()
breaking_tokens = [t for t in _token_types if hasattr(t, 'check_interrupts_paragraph') and not t == Quote]
while (next_line is not None
and next_line.strip() != ''
and not any(token_type.check_interrupts_paragraph(lines) for token_type in breaking_tokens)):
stripped = cls.convert_leading_tabs(next_line.lstrip())
prepend = 0
if stripped[0] == '>':
# has leader, not lazy continuation
prepend += 1
if stripped[1] == ' ':
prepend += 1
stripped = stripped[prepend:]
in_code_fence = CodeFence.start(stripped)
in_block_code = BlockCode.start(stripped)
blank_line = stripped.strip() == ''
line_buffer.append(stripped)
elif in_code_fence or in_block_code or blank_line:
# not paragraph continuation text
break
else:
# lazy continuation, preserve whitespace
line_buffer.append(next_line)
next(lines)
next_line = lines.peek()
# parse child block tokens
Paragraph.parse_setext = False
parse_buffer = tokenizer.tokenize_block(line_buffer, _token_types, start_line=start_line)
Paragraph.parse_setext = True
return parse_buffer
@staticmethod
def convert_leading_tabs(string):
string = string.replace('>\t', ' ', 1)
count = 0
for i, c in enumerate(string):
if c == '\t':
count += 4
elif c == ' ':
count += 1
else:
break
if i == 0:
return string
return '>' + ' ' * count + string[i:]
class Paragraph(BlockToken):
"""
Paragraph token. (["some\\n", "continuous\\n", "lines\\n"])
This is a leaf block token. Its children are inline (span) tokens.
"""
setext_pattern = re.compile(r' {0,3}(=|-)+ *$')
parse_setext = True # can be disabled by Quote
def __new__(cls, lines):
if not isinstance(lines, list):
# setext heading token, return directly
return lines
return super().__new__(cls)
def __init__(self, lines):
content = ''.join([line.lstrip() for line in lines]).strip()
super().__init__(content, span_token.tokenize_inner)
@staticmethod
def start(line):
return line.strip() != ''
@classmethod
def read(cls, lines):
line_buffer = [next(lines)]
next_line = lines.peek()
breaking_tokens = [t for t in _token_types if hasattr(t, 'check_interrupts_paragraph') and not t == ThematicBreak]
while (next_line is not None and next_line.strip() != ''):
# check if a paragraph-breaking token starts on the next line.
# (except ThematicBreak, because these can be confused with Setext underlines.)
if any(token_type.check_interrupts_paragraph(lines) for token_type in breaking_tokens):
break
# check if the paragraph being parsed is in fact a Setext heading
if cls.parse_setext and cls.is_setext_heading(next_line):
line_buffer.append(next(lines))
return SetextHeading(line_buffer)
# finish the check for paragraph-breaking tokens with the special case: ThematicBreak
if ThematicBreak.check_interrupts_paragraph(lines):
break
line_buffer.append(next(lines))
next_line = lines.peek()
return line_buffer
@classmethod
def is_setext_heading(cls, line):
return cls.setext_pattern.match(line)
class BlockCode(BlockToken):
"""
Indented code block token.
This is a leaf block token with a single child of type span_token.RawText.
Attributes:
language (str): always the empty string.
"""
repr_attributes = BlockToken.repr_attributes + ("language",)
def __init__(self, lines):
self.language = ''
self.children = (span_token.RawText(''.join(lines).strip('\n') + '\n'),)
@property
def content(self):
"""Returns the code block content."""
return self.children[0].content
@staticmethod
def start(line):
return line.replace('\t', ' ', 1).startswith(' ')
@classmethod
def read(cls, lines):
line_buffer = []
trailing_blanks = 0
for line in lines:
if line.strip() == '':
line_buffer.append(line.lstrip(' ') if len(line) < 5 else line[4:])
trailing_blanks = trailing_blanks + 1 if line == '\n' else 0
continue
if not line.replace('\t', ' ', 1).startswith(' '):
lines.backstep()
break
line_buffer.append(cls.strip(line))
trailing_blanks = 0
for _ in range(trailing_blanks):
line_buffer.pop()
lines.backstep()
return line_buffer
@staticmethod
def strip(string):
count = 0
for i, c in enumerate(string):
if c == '\t':
return string[i + 1:]
elif c == ' ':
count += 1
else:
break
if count == 4:
return string[i + 1:]
return string
class CodeFence(BlockToken):
"""
Fenced code block token. (["```sh\\n", "rm -rf /", ..., "```"])
This is a leaf block token with a single child of type span_token.RawText.
Attributes:
language (str): language of code block (default to empty).
"""
repr_attributes = BlockToken.repr_attributes + ("language",)
pattern = re.compile(r'( {0,3})(`{3,}|~{3,})( *(\S*)[^\n]*)')
_open_info = None
def __init__(self, match):
lines, open_info = match
self.indentation = open_info[0]
self.delimiter = open_info[1]
self.info_string = open_info[2]
self.language = span_token.EscapeSequence.strip(open_info[3])
self.children = (span_token.RawText(''.join(lines)),)
@property
def content(self):
"""Returns the code block content."""
return self.children[0].content
@classmethod
def start(cls, line):
match_obj = cls.pattern.match(line)
if not match_obj:
return False
prepend, leader, info_string, lang = match_obj.groups()
# info strings for backtick code blocks may not contain backticks,
# but info strings for tilde code blocks may contain both tildes and backticks.
if leader[0] == '`' and '`' in info_string:
return False
cls._open_info = len(prepend), leader, info_string, lang
return True
@classmethod
def check_interrupts_paragraph(cls, lines):
return cls.start(lines.peek())
@classmethod
def read(cls, lines):
next(lines)
line_buffer = []
for line in lines:
stripped_line = line.lstrip(' ')
diff = len(line) - len(stripped_line)
if (stripped_line.startswith(cls._open_info[1])
and len(stripped_line.split(maxsplit=1)) == 1
and diff < 4):
break
if diff > cls._open_info[0]:
stripped_line = ' ' * (diff - cls._open_info[0]) + stripped_line
line_buffer.append(stripped_line)
return line_buffer, cls._open_info
class List(BlockToken):
"""
List token.
This is a container block token. Its children are ListItem tokens.
Attributes:
loose (bool): whether the list is loose.
start (NoneType or int): None if unordered, starting number if ordered.
"""
repr_attributes = BlockToken.repr_attributes + ("loose", "start")
pattern = re.compile(r' {0,3}(?:\d{0,9}[.)]|[+\-*])(?:[ \t]*$|[ \t]+)')
def __init__(self, matches):
self.children = [ListItem(*match) for match in matches]
self.loose = any(item.loose for item in self.children)
leader = self.children[0].leader
self.start = None
if len(leader) != 1:
self.start = int(leader[:-1])
@classmethod
def start(cls, line):
return cls.pattern.match(line)
@classmethod
def check_interrupts_paragraph(cls, lines):
# to break a paragraph, the first line may not be empty (beyond the list marker),
# and the list must either be unordered or start from 1.
marker_tuple = ListItem.parse_marker(lines.peek())
if (marker_tuple is not None):
_, _, leader, content = marker_tuple
if not content.strip() == '':
return not leader[0].isdigit() or leader in ['1.', '1)']
return False
@classmethod
def read(cls, lines):
leader = None
next_marker = None
matches = []
while True:
anchor = lines.get_pos()
output, next_marker = ListItem.read(lines, next_marker)
item_leader = output[3]
if leader is None:
leader = item_leader
elif not cls.same_marker_type(leader, item_leader):
lines.set_pos(anchor)
break
matches.append(output)
if next_marker is None:
break
if matches:
# Only consider the last list item loose if there's more than one element
last_parse_buffer = matches[-1][0]
last_parse_buffer.loose = len(last_parse_buffer) > 1 and last_parse_buffer.loose
return matches
@staticmethod
def same_marker_type(leader, other):
if len(leader) == 1:
return leader == other
return leader[:-1].isdigit() and other[:-1].isdigit() and leader[-1] == other[-1]
class ListItem(BlockToken):
"""
List item token.
This is a container block token. Its children are block tokens - container or leaf ones.
Not included in the parsing process, but called by List.
Attributes:
leader (string): a bullet list marker or an ordered list marker.
indentation (int): spaces before the leader.
prepend (int): the start position of the content, i.e., the indentation required
for continuation lines.
loose (bool): whether the list is loose.
"""
repr_attributes = BlockToken.repr_attributes + ("leader", "indentation", "prepend", "loose")
pattern = re.compile(r'( {0,3})(\d{0,9}[.)]|[+\-*])($|\s+)')
continuation_pattern = re.compile(r'([ \t]*)(\S.*\n|\n)')
def __init__(self, parse_buffer, indentation, prepend, leader, line_number=None):
self.line_number = line_number
self.leader = leader
self.indentation = indentation
self.prepend = prepend
self.children = tokenizer.make_tokens(parse_buffer)
self.loose = parse_buffer.loose
@classmethod
def parse_continuation(cls, line, prepend):
"""
Returns content (i.e. the line with the prepend stripped off) iff the line
is a valid continuation line for a list item with the given prepend length,
otherwise None.
Note that the list item may still continue even if this test doesn't pass
due to lazy continuation.
"""
match_obj = cls.continuation_pattern.match(line)
if match_obj is None:
return None
if match_obj.group(2) == '\n':
return '\n'
expanded_spaces = match_obj.group(1).expandtabs(4)
return expanded_spaces[prepend:] + match_obj.group(2) if len(expanded_spaces) >= prepend else None
@classmethod
def parse_marker(cls, line):
"""
Returns a tuple (prepend, leader, content) iff the line has a valid leader and at
least one space separating leader and content, or if the content is empty, in which
case there need not be any spaces.
The return value is None if the line doesn't have a valid marker.
The leader is a bullet list marker, or an ordered list marker.
The indentation is spaces before the leader.
The prepend is the start position of the content, i.e., the indentation required
for continuation lines.
"""
match_obj = cls.pattern.match(line)
if match_obj is None:
return None
indentation = len(match_obj.group(1))
prepend = len(match_obj.group(0).expandtabs(4))
leader = match_obj.group(2)
content = line[match_obj.end(0):]
n_spaces = prepend - match_obj.end(2)
if n_spaces > 4:
# if there are more than 4 spaces after the leader, we treat them as part of the content
# with the exception of the first (marker separator) space.
prepend -= n_spaces - 1
content = ' ' * (n_spaces - 1) + content
return indentation, prepend, leader, content
@classmethod
def read(cls, lines, prev_marker=None):
next_marker = None
line_buffer = []
# first line
line = next(lines)
start_line = lines.line_number()
next_line = lines.peek()
indentation, prepend, leader, content = prev_marker if prev_marker else cls.parse_marker(line)
if content.strip() == '':
# item starting with a blank line: look for the next non-blank line
prepend = indentation + len(leader) + 1
blanks = 1
while next_line is not None and next_line.strip() == '':
blanks += 1
next(lines)
next_line = lines.peek()
# if the line following the list marker is also empty, then this is an empty
# list item.
if blanks > 1:
parse_buffer = tokenizer.ParseBuffer()
parse_buffer.loose = True
next_marker = cls.parse_marker(next_line) if next_line is not None else None
return (parse_buffer, indentation, prepend, leader, start_line), next_marker
else:
line_buffer.append(content)
# loop over the following lines, looking for the end of the list item
breaking_tokens = [t for t in _token_types if hasattr(t, 'check_interrupts_paragraph') and not t == List]
newline_count = 0
while True:
if next_line is None:
# list item ends here because we have reached the end of content
if newline_count:
lines.backstep()
del line_buffer[-newline_count:]
break
continuation = cls.parse_continuation(next_line, prepend)
if not continuation:
# the line doesn't have the indentation to show that it belongs to
# the list item, but it should be included anyway by lazy continuation...
# ...unless it's the start of another token
if any(token_type.check_interrupts_paragraph(lines) for token_type in breaking_tokens):
if newline_count:
lines.backstep()
del line_buffer[-newline_count:]
break
# ...or it's a new list item
marker_info = cls.parse_marker(next_line)
if marker_info is not None:
next_marker = marker_info
break
# ...or the line above it was blank
if newline_count:
lines.backstep()
del line_buffer[-newline_count:]
break
continuation = next_line
line_buffer.append(continuation)
newline_count = newline_count + 1 if continuation == '\n' else 0
next(lines)
next_line = lines.peek()
# block-level tokens are parsed here, so that footnotes can be
# recognized before span-level parsing.
parse_buffer = tokenizer.tokenize_block(line_buffer, _token_types, start_line=start_line)
return (parse_buffer, indentation, prepend, leader, start_line), next_marker
class Table(BlockToken):
"""
Table token. See its GFM definition at <https://github.github.com/gfm/#tables-extension->.
This is a container block token. Its children are TableRow tokens.
Class attributes:
interrupt_paragraph: indicates whether tables should interrupt paragraphs
during parsing. The default is true.
Attributes:
header: header row (TableRow).
column_align (list): align options for each column (default to [None]).
"""
repr_attributes = BlockToken.repr_attributes + ("column_align",)
interrupt_paragraph = True
_column_align = r':?-+:?'
column_align_pattern = re.compile(_column_align)
delimiter_row_pattern = re.compile(r'\s*\|?\s*' + _column_align + r'\s*(\|\s*' + _column_align + r'\s*)*\|?\s*')
def __init__(self, match):
lines, start_line = match
# note: the following condition is currently always true, because read() guarantees the presence of the delimiter row
if '-' in lines[1]:
self.column_align = [self.parse_align(column)
for column in self.split_delimiter(lines[1])]
self.header = TableRow(lines[0], self.column_align, start_line)
self.children = [TableRow(line, self.column_align, start_line + offset) for offset, line in enumerate(lines[2:], start=2)]
else:
self.column_align = [None]
self.children = [TableRow(line, line_number=start_line + offset) for offset, line in enumerate(lines)]
@classmethod
def split_delimiter(cls, delimiter_row):
"""
Helper function; returns a list of align options.
Args:
delimiter (str): e.g.: "| :--- | :---: | ---: |\n"
Returns:
a list of align options (None, 0 or 1).
"""
return cls.column_align_pattern.findall(delimiter_row)
@staticmethod
def parse_align(column):
"""
Helper function; returns align option from cell content.
Returns:
None if align = left;
0 if align = center;
1 if align = right.
"""
return (0 if column[0] == ':' else 1) if column[-1] == ':' else None
@staticmethod
def start(line):
return '|' in line
@classmethod
def check_interrupts_paragraph(cls, lines):
if not cls.interrupt_paragraph:
return False
anchor = lines.get_pos()
result = cls.read(lines)
lines.set_pos(anchor)
return result
@classmethod
def read(cls, lines):
anchor = lines.get_pos()
line_buffer = [next(lines)]
start_line = lines.line_number()
while lines.peek() is not None and '|' in lines.peek():
line_buffer.append(next(lines))
if len(line_buffer) < 2 or not cls.delimiter_row_pattern.fullmatch(line_buffer[1]):
lines.set_pos(anchor)
return None
return line_buffer, start_line
class TableRow(BlockToken):
"""
Table row token. Supports escaped pipes in table cells (for primary use within code spans).
This is a container block token. Its children are TableCell tokens.
Should only be called by Table.__init__().
Attributes:
row_align (list): align options for each column (default to [None]).
"""
repr_attributes = BlockToken.repr_attributes + ("row_align",)
# Note: Python regex requires fixed-length look-behind,
# so we cannot use a more precise alternative: r"(?<!\\(?:\\\\)*)(\|)"
split_pattern = re.compile(r"(?<!\\)\|")
escaped_pipe_pattern = re.compile(r"(?<!\\)(\\\\)*\\\|")
def __init__(self, line, row_align=None, line_number=None):
self.row_align = row_align or [None]
self.line_number = line_number
cells = filter(None, self.split_pattern.split(line.strip()))
self.children = [TableCell(self.escaped_pipe_pattern.sub('\\1|', cell.strip()) if cell else '', align, line_number)
for cell, align in zip_longest(cells, self.row_align)]
class TableCell(BlockToken):
"""
Table cell token.
This is a leaf block token. Its children are inline (span) tokens.
Should only be called by TableRow.__init__().
Attributes:
align (bool): align option for current cell (default to None).
"""
repr_attributes = BlockToken.repr_attributes + ("align",)
def __init__(self, content, align=None, line_number=None):
self.align = align
self.line_number = line_number
super().__init__(content, span_token.tokenize_inner)
class Footnote(BlockToken):
"""
Footnote token. One or more "link reference definitions" according to the CommonMark spec.
This is a leaf block token without children.
The constructor returns None, because available footnote definitions are parsed
and stored into the root node within `Footnote.read()`. We don't put instances of
this class into the resulting AST.
"""
def __new__(cls, _):
return None
@classmethod
def start(cls, line):
return line.lstrip().startswith('[')
@classmethod
def read(cls, lines):
line_buffer = []
next_line = lines.peek()
while next_line is not None and next_line.strip() != '':
line_buffer.append(next(lines))
next_line = lines.peek()
string = ''.join(line_buffer)
offset = 0
matches = []
while offset < len(string) - 1:
match_info = cls.match_reference(string, offset)
if match_info is None:
# backtrack the lines that have not been consumed
lines._index -= string[offset:].count('\n')
break
offset, match = match_info
matches.append(match)
cls.append_footnotes(matches, token._root_node)
return matches or None
@classmethod
def match_reference(cls, string, offset):
# up to three spaces, "[", label, "]"
match_info = cls.match_link_label(string, offset)
if not match_info:
return None
_, label_end, label = match_info
# ":"
if not follows(string, label_end - 1, ':'):
return None
# optional spaces or tabs (including up to one line ending)
dest_start = shift_whitespace(string, label_end + 1)
if dest_start == len(string):
return None
# link destination
match_info = cls.match_link_dest(string, dest_start)
if not match_info:
return None
_, dest_end, dest = match_info
dest_type = "angle_uri" if string[dest_start] == "<" else "uri"
# either of:
# 1) optional spaces or tabs and then a line break to finish the link reference definition.
# 2) optional spaces or tabs (including up to one line ending) followed by a title.
# in any case, if the destination is followed directly by non-whitespace, then it's not
# a valid link reference definition.
title_start = shift_whitespace(string, dest_end)
if title_start == dest_end and title_start < len(string):
return None
# link title
match_info = cls.match_link_title(string, title_start)
if not match_info:
# no valid title found. if there was a line break following the destination,
# we still have a valid link reference definition. otherwise not.
eol_pos = string[dest_end:title_start].find("\n")
if eol_pos >= 0:
return dest_end + eol_pos + 1, (label, dest, "", dest_type, None)
else:
return None
_, title_end, title = match_info
# optional spaces or tabs. final line ending.
line_end = title_end
while line_end < len(string):
if string[line_end] == '\n':
title_delimiter = string[title_start] if title_start < title_end else None
return line_end + 1, (label, dest, title, dest_type, title_delimiter)
elif string[line_end] in whitespace:
line_end += 1
else:
break
# non-whitespace found on the same line as the title, making it invalid.
# if there was a line break following the destination,
# we still have a valid link reference definition. otherwise not.
eol_pos = string[dest_end:title_start].find("\n")
if eol_pos >= 0:
return dest_end + eol_pos + 1, (label, dest, "", dest_type, None)
else:
return None
@classmethod
def match_link_label(cls, string, offset):
"""
Matches: up to three spaces, "[", label, "]".
"""
start = -1
escaped = False
for i, c in enumerate(string[offset:], start=offset):
if escaped:
escaped = False
elif c == '\\':
escaped = True
elif c == '[':
if start == -1:
start = i
else:
return None
elif c == ']':
label = string[start + 1:i]
if label.strip() != '':
return start, i + 1, label
return None
# only spaces allowed before the opening bracket
if start == -1 and not (c == " " and i - offset < 3):
return None
return None
@classmethod
def match_link_dest(cls, string, offset):
if string[offset] == '<':
escaped = False
for i, c in enumerate(string[offset + 1:], start=offset + 1):
if c == '\\' and not escaped:
escaped = True
elif c == '\n' or (c == '<' and not escaped):
return None
elif c == '>' and not escaped:
return offset, i + 1, string[offset + 1:i]
elif escaped:
escaped = False
return None
else:
escaped = False
count = 0
for i, c in enumerate(string[offset:], start=offset):
if c == '\\' and not escaped:
escaped = True
elif c in whitespace:
break
elif not escaped:
if c == '(':
count += 1
elif c == ')':
count -= 1
elif is_control_char(c):
return None
elif escaped:
escaped = False
if count != 0:
return None
return offset, i, string[offset:i]
@classmethod
def match_link_title(cls, string, offset):
if offset == len(string):
return None
if string[offset] == '"':
closing = '"'
elif string[offset] == "'":
closing = "'"
elif string[offset] == '(':
closing = ')'
else:
return None
escaped = False
for i, c in enumerate(string[offset + 1:], start=offset + 1):
if c == '\\' and not escaped:
escaped = True
elif c == closing and not escaped:
return offset, i + 1, string[offset + 1:i]
elif escaped:
escaped = False
return None
@staticmethod
def append_footnotes(matches, root):
for key, dest, title, *_ in matches:
key = normalize_label(key)
dest = span_token.EscapeSequence.strip(dest.strip())
title = span_token.EscapeSequence.strip(title)
if key not in root.footnotes:
root.footnotes[key] = dest, title
class ThematicBreak(BlockToken):
"""
Thematic break token (a.k.a. horizontal rule.)
This is a leaf block token without children.
"""
pattern = re.compile(r' {0,3}(?:([-_*])\s*?)(?:\1\s*?){2,}$')
def __init__(self, lines):
self.line = lines[0].strip('\n')
@classmethod
def start(cls, line):
return cls.pattern.match(line)
@classmethod
def check_interrupts_paragraph(cls, lines):
return cls.start(lines.peek())
@staticmethod
def read(lines):
return [next(lines)]
class HtmlBlock(BlockToken):
"""
Block-level HTML token.
This is a leaf block token with a single child of type span_token.RawText,
which holds the raw HTML content.
"""
_end_cond = None
multiblock = re.compile(r'<(pre|script|style|textarea)[ >\n]')
predefined = re.compile(r'<\/?(.+?)(?:\/?>|[ \n])')
custom_tag = re.compile(r'(?:' + '|'.join((span_token._open_tag,
span_token._closing_tag)) + r')\s*$')
def __init__(self, lines):
self.children = (span_token.RawText(''.join(lines).rstrip('\n')),)
@property
def content(self):
"""Returns the raw HTML content."""
return self.children[0].content
@classmethod
def start(cls, line):
stripped = line.lstrip()
if len(line) - len(stripped) >= 4:
return False
# rule 1: HTML tags designed to contain literal content, allow newlines in block
match_obj = cls.multiblock.match(stripped)
if match_obj is not None:
cls._end_cond = '</{}>'.format(match_obj.group(1).casefold())
return 1
# rule 2: html comment tags, allow newlines in block
if stripped.startswith('<!--'):
cls._end_cond = '-->'
return 2
# rule 3: tags that starts with <?, allow newlines in block
if stripped.startswith('<?'):
cls._end_cond = '?>'
return 3
# rule 4: tags that starts with <!, allow newlines in block
if stripped.startswith('<!') and stripped[2].isupper():
cls._end_cond = '>'
return 4
# rule 5: CDATA declaration, allow newlines in block
if stripped.startswith('<![CDATA['):
cls._end_cond = ']]>'
return 5
# rule 6: predefined tags (see html_token._tags), read until newline
match_obj = cls.predefined.match(stripped)
if match_obj is not None and match_obj.group(1).casefold() in span_token._tags:
cls._end_cond = None
return 6
# rule 7: custom tags, read until newline
match_obj = cls.custom_tag.match(stripped)
if match_obj is not None:
cls._end_cond = None
return 7
return False
@classmethod
def check_interrupts_paragraph(cls, lines):
html_block = cls.start(lines.peek())
return html_block and html_block != 7
@classmethod
def read(cls, lines):
# note: stop condition can trigger on the starting line
line_buffer = []
for line in lines:
line_buffer.append(line)
if cls._end_cond is not None:
if cls._end_cond in line.casefold():
break
elif line.strip() == '':
line_buffer.pop()
lines.backstep()
break
return line_buffer
HTMLBlock = HtmlBlock
"""
Deprecated name of the `HtmlBlock` class.
"""
_token_types = []
reset_tokens()
|