forked from revolunet/sublimetext-markdown-preview
-
-
Notifications
You must be signed in to change notification settings - Fork 53
/
markdown_preview.py
1256 lines (1037 loc) · 46.1 KB
/
markdown_preview.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
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
# -*- encoding: UTF-8 -*-
"""Markdown Preview main."""
import sublime
import sublime_plugin
import os
import sys
import subprocess
import traceback
import tempfile
import re
import json
import time
import codecs
import html
import yaml
import textwrap
from collections import OrderedDict
from urllib.request import urlopen
from urllib.error import HTTPError, URLError
from pygments.formatters import get_formatter_by_name
from .browser import open_in_browser
from .markdown_settings import Settings
from .markdown_wrapper import StMarkdown as Markdown
_CANNOT_CONVERT = 'cannot convert markdown'
PYGMENTS_LOCAL = {
'github': 'css/pygments/github.css',
'github2014': 'css/pygments/github2014.css'
}
RELOAD_JS = """<script async>
document.write(
'<script src="http://' +
(location.host || 'localhost').split(':')[0] +
':%d/livereload.js?snipver=1" async></' +
'script>')
</script>
"""
def log(msg):
"""Print the MarkdownPreview log message in console."""
print("MarkdownPreview: %s" % msg)
def yaml_load(stream, loader=yaml.Loader, object_pairs_hook=OrderedDict):
"""
Custom yaml loader.
Make all YAML dictionaries load as ordered dictionary.
http://stackoverflow.com/a/21912744/3609487
Load all strings as Unicode.
http://stackoverflow.com/a/2967461/3609487
"""
def construct_mapping(loader, node):
"""Convert to ordered dictionary."""
loader.flatten_mapping(node)
return object_pairs_hook(loader.construct_pairs(node))
def construct_yaml_str(self, node):
"""Override the default string handling function to always return Unicode objects."""
return self.construct_scalar(node)
class Loader(loader):
"""Custom Loader."""
Loader.add_constructor(
yaml.resolver.BaseResolver.DEFAULT_MAPPING_TAG,
construct_mapping
)
Loader.add_constructor(
'tag:yaml.org,2002:str',
construct_yaml_str
)
return yaml.load(stream, Loader)
def request_url(url, data, headers):
"""Request URL."""
import urllib.request
return urllib.request.Request(url, data=data, headers=headers, method='POST')
def get_temp_preview_path(view):
"""Return a permanent full path of the temp markdown preview file."""
tmp_dir = get_temp_preview_dir(view)
if not os.path.isdir(tmp_dir): # create directory if not exists
os.makedirs(tmp_dir)
tmp_filename = '%s.html' % view.id()
tmp_fullpath = os.path.join(tmp_dir, tmp_filename)
return tmp_fullpath
def get_temp_preview_dir(view):
"""Return a permanent full directory of the temp markdown preview file."""
settings = sublime.load_settings('MarkdownPreview.sublime-settings')
path_tempfile = settings.get('path_tempfile')
if path_tempfile:
path_tempfile = filter_path(path_tempfile)
if os.path.isabs(path_tempfile): # absolute path or not
tmp_dir = path_tempfile
else:
tmp_dir = os.path.join(os.path.dirname(view.file_name()), path_tempfile)
else:
tmp_dir = tempfile.gettempdir()
return tmp_dir
def filter_path(path):
"""Return a path with user and variables expanded."""
path = os.path.expanduser(path)
path = os.path.expandvars(path)
return path
def save_utf8(filename, text):
"""Save to UTF8 file."""
with codecs.open(filename, 'w', encoding='utf-8')as f:
f.write(text)
def load_utf8(filename):
"""Load UTF8 file."""
with codecs.open(filename, 'r', encoding='utf-8') as f:
return f.read()
def load_resource(name):
"""Return file contents for files within the package root folder."""
try:
return sublime.load_resource('Packages/{}/{}'.format(__package__, name))
except Exception:
log("Error while load_resource('%s')" % name)
traceback.print_exc()
return ''
def exists_resource(resource_file_path):
"""Check if resource exists."""
filename = os.path.join(os.path.dirname(sublime.packages_path()), resource_file_path)
return os.path.isfile(filename)
def new_view(window, text, scratch=False):
"""
Create a new view and paste text content.
Return the new view that can optionally can be set as scratch.
"""
new_view = window.new_file()
if scratch:
new_view.set_scratch(True)
new_view.run_command('append', {
'characters': text,
})
return new_view
def get_references(file_name, encoding="utf-8"):
"""Get footnote and general references from outside source."""
text = ''
if file_name is not None:
if os.path.exists(file_name):
try:
with codecs.open(file_name, "r", encoding=encoding) as f:
text = f.read()
except Exception:
log(traceback.format_exc())
else:
log("Could not find reference file %s!", file_name)
return text
class MarkdownPreviewListener(sublime_plugin.EventListener):
"""Auto update the output HTML if markdown file has already been converted once."""
def on_post_save(self, view):
"""Handle auto-reload on save."""
settings = sublime.load_settings('MarkdownPreview.sublime-settings')
filetypes = settings.get('markdown_filetypes')
file_name = view.file_name()
if filetypes and file_name is not None and file_name.endswith(tuple(filetypes)):
parser = view.settings().get('parser')
external_parser_classes = [GithubCompiler, GitlabCompiler]
external_parser_used = parser in external_parser_classes
if external_parser_used:
auth_provided = settings.get(external_parser_classes[
[parser_class.compiler_name for parser_class in external_parser_classes].index(parser)
].authentication_settings_key) is not None
if settings.get('enable_autoreload', True) and (not external_parser_used or auth_provided):
temp_file = get_temp_preview_path(view)
if os.path.isfile(temp_file):
# re-execute markdown conversion
# TODO: check if browser still opened and reopen it if needed
view.run_command('markdown_preview', {
'target': 'disk',
'parser': parser
})
sublime.status_message('Markdown preview file updated')
class MarkdownCheatsheetCommand(sublime_plugin.TextCommand):
"""Open our markdown cheat sheet."""
def run(self, edit):
"""Execute command."""
lines = '\n'.join(load_resource('samples/sample.md').splitlines())
view = new_view(self.view.window(), lines, scratch=True)
view.set_name("Markdown Cheatsheet")
# Set syntax file
syntax_files = [
"Packages/Markdown Extended/Syntaxes/Markdown Extended.tmLanguage",
"Packages/Markdown/Markdown.tmLanguage"
]
for file in syntax_files:
if exists_resource(file):
view.set_syntax_file(file)
break # Done if any syntax is set.
sublime.status_message('Markdown cheat sheet opened')
class Compiler(object):
"""Base compiler that does the markdown converting."""
compiler_name = ""
default_css = []
default_js = []
def isurl(self, css_name):
"""Check if URL."""
match = re.match(r'https?://', css_name)
if match:
return True
return False
def get_default_css(self):
"""Locate the correct CSS with the `css` setting."""
css_files = self.settings.get('css', {})
if isinstance(css_files, list):
log(
"Warning: The list format for CSS is deprecated, please use the dictionary format.\n"
"List support will be removed in the future."
)
if isinstance(css_files, str):
log(
"Warning: The string format for CSS is deprecated, please use the dictionary format.\n"
"String support will be removed in the future."
)
css_files = [css_files]
if isinstance(css_files, dict):
css_files = css_files.get(self.compiler_name, ["default"])
if 'default' in css_files:
i = css_files.index('default')
css_files[i:i + 1] = self.default_css
css_text = []
for css_name in css_files:
if css_name.startswith('res://'):
internal_file = os.path.join(sublime.packages_path(), os.path.normpath(css_name[6:]))
if os.path.exists(internal_file):
css_text.append("<style>%s</style>" % load_utf8(internal_file))
else:
css_text.append("<style>%s</style>" % sublime.load_resource('Packages/' + css_name[6:]))
elif self.isurl(css_name):
# link to remote URL
css_text.append("<link href='%s' rel='stylesheet' type='text/css'>" % css_name)
elif os.path.isfile(os.path.expanduser(css_name)):
# use custom CSS file
css_text.append("<style>%s</style>" % load_utf8(os.path.expanduser(css_name)))
return '\n'.join(css_text)
def get_override_css(self):
"""Handles `allow_css_overrides` setting."""
if self.settings.get('allow_css_overrides'):
filename = self.view.file_name()
filetypes = self.settings.get('markdown_filetypes')
if filename and filetypes:
for filetype in filetypes:
if filename.endswith(filetype):
css_filename = filename.rpartition(filetype)[0] + '.css'
if (os.path.isfile(css_filename)):
return "<style>%s</style>" % load_utf8(css_filename)
return ''
def get_stylesheet(self):
"""Return the correct CSS file based on parser and settings."""
return self.get_default_css() + self.get_override_css()
def get_javascript(self):
"""Return JavaScript."""
js_files = self.settings.get('js', {})
if isinstance(js_files, list):
log(
"Warning: The list format for JS is deprecated, please use the dictionary format.\n"
"List support will be removed in the future."
)
if isinstance(js_files, str):
log(
"Warning: The string format for JS is deprecated, please use the dictionary format.\n"
"String support will be removed in the future."
)
js_files = [js_files]
if isinstance(js_files, dict):
js_files = js_files.get(self.compiler_name, ["default"])
if 'default' in js_files:
i = js_files.index('default')
js_files[i:i + 1] = self.default_js
scripts = ''
if js_files is not None:
# Ensure string values become a list.
if isinstance(js_files, str) or isinstance(js_files, str):
js_files = [js_files]
# Only load scripts if we have a list.
if isinstance(js_files, list):
for js_file in js_files:
if js_file.startswith('res://'):
internal_file = os.path.join(sublime.packages_path(), os.path.normpath(js_file[6:]))
if os.path.exists(internal_file):
scripts += "<script>%s</script>" % load_utf8(internal_file)
else:
scripts += "<script>%s</script>" % sublime.load_resource('Packages/' + js_file[6:])
elif os.path.isabs(js_file):
# Load the script inline to avoid cross-origin.
scripts += "<script>%s</script>" % load_utf8(js_file)
else:
scripts += "<script type='text/javascript' src='%s'></script>" % js_file
return scripts
def get_highlight(self):
"""Base highlight method."""
return ''
def get_contents(self, wholefile=False):
"""Get contents or selection from view and optionally strip the YAML front matter."""
region = sublime.Region(0, self.view.size())
contents = self.view.substr(region)
if not wholefile:
# use selection if any
selection = self.view.substr(self.view.sel()[0])
if selection.strip() != '':
contents = selection
# Remove yaml front matter
if self.settings.get('strip_yaml_front_matter'):
frontmatter, contents = self.preprocessor_yaml_frontmatter(contents)
self.settings.apply_frontmatter(frontmatter)
references = self.settings.get('builtin').get('references', [])
for ref in references:
contents += get_references(ref)
# Strip CriticMarkup
if self.settings.get("strip_critic_marks", "accept") in ("accept", "reject"):
contents = self.preprocessor_criticmarkup(
contents, self.settings.get("strip_critic_marks", "accept") == "accept"
)
contents = self.parser_specific_preprocess(contents)
return contents
def parser_specific_preprocess(self, text):
"""Base parser specific preprocess method."""
return text
def preprocessor_yaml_frontmatter(self, text):
"""Get frontmatter from string."""
frontmatter = OrderedDict()
if text.startswith("---"):
m = re.search(r'^(-{3}\r?\n(?!\r?\n)(.*?)(?<=\n)(?:-{3}|\.{3})\r?\n)', text, re.DOTALL)
if m:
yaml_okay = True
try:
frontmatter = yaml_load(m.group(2))
if frontmatter is None:
frontmatter = OrderedDict()
# If we didn't get a dictionary, we don't want this as it isn't frontmatter.
assert isinstance(frontmatter, (dict, OrderedDict)), TypeError
except Exception:
# We had a parsing error. This is not the YAML we are looking for.
yaml_okay = False
frontmatter = OrderedDict()
traceback.format_exc()
if yaml_okay:
text = text[m.end(1):]
return frontmatter, text
def parser_specific_postprocess(self, text):
"""
Parser specific post process.
Override this to add parser specific post processing.
"""
return text
def postprocessor_pathconverter(self, source, image_convert, file_convert, absolute=False):
"""Convert paths to absolute or relative paths."""
from pymdownx.pathconverter import PathConverterPostprocessor
relative_path = ''
if not absolute:
if self.preview:
relative_path = get_temp_preview_path(self.view)
else:
relative_path = self.settings.get('builtin').get("destination")
if not relative_path:
mdfile = self.view.file_name()
if mdfile is not None and os.path.exists(mdfile):
relative_path = os.path.splitext(mdfile)[0] + '.html'
if relative_path:
relative_path = os.path.dirname(relative_path)
tags = []
if file_convert:
tags.extend(["script", "a", "link"])
if image_convert:
tags.append('img')
pathconv = PathConverterPostprocessor()
pathconv.config = {
"base_path": self.settings.get('builtin').get("basepath"),
"relative_path": relative_path,
"absolute": absolute,
"tags": ' '.join(tags)
}
return pathconv.run(source)
def postprocessor_base64(self, source):
"""Convert resources (currently images only) to base64."""
from pymdownx.b64 import B64Postprocessor
b64proc = B64Postprocessor()
b64proc.config = {'base_path': self.settings.get('builtin').get("basepath")}
return b64proc.run(source)
def postprocessor_simple(self, source):
"""Strip out ids and classes for a simplified HTML output."""
from pymdownx.striphtml import StripHtmlPostprocessor
strip_comments = True,
strip_js_on_attributes = True
strip_attributes = ["id", "class", "style"]
striphtml = StripHtmlPostprocessor(strip_comments, strip_js_on_attributes, strip_attributes, None)
return striphtml.run(source)
def preprocessor_criticmarkup(self, source, accept):
"""Strip out multi-markdown critic marks. Accept changes by default."""
from pymdownx.critic import CriticViewPreprocessor, CriticStash, CRITIC_KEY
text = ''
mode = 'accept' if accept else 'reject'
critic_stash = CriticStash(CRITIC_KEY)
critic = CriticViewPreprocessor(critic_stash)
critic.config = {'mode': mode}
text = '\n'.join(critic.run(source.split('\n')))
return text
def convert_markdown(self, markdown_text):
"""Convert input markdown to HTML, with GitHub, GitLab or builtin parser."""
markdown_html = self.parser_specific_convert(markdown_text)
image_convert = self.settings.get("image_path_conversion", "absolute")
file_convert = self.settings.get("file_path_conversions", "absolute")
markdown_html = self.parser_specific_postprocess(markdown_html)
if "absolute" in (image_convert, file_convert):
markdown_html = self.postprocessor_pathconverter(
markdown_html,
image_convert == 'absolute',
file_convert == 'absolute',
True
)
if "relative" in (image_convert, file_convert):
markdown_html = self.postprocessor_pathconverter(
markdown_html,
image_convert == 'relative',
file_convert == 'relative',
False
)
if image_convert == "base64":
markdown_html = self.postprocessor_base64(markdown_html)
if self.settings.get("html_simple", False):
markdown_html = self.postprocessor_simple(markdown_html)
return markdown_html
def get_title(self):
"""Get HTML title."""
if self.meta_title is not None:
title = self.meta_title
else:
title = self.view.name()
if not title:
fn = self.view.file_name()
title = 'untitled' if not fn else os.path.splitext(os.path.basename(fn))[0]
return '<title>%s</title>' % html.escape(title)
def get_meta(self):
"""Get meta data."""
self.meta_title = None
meta = []
for k, v in self.settings.get("meta", {}).items():
if k.lower() == "title":
if isinstance(v, list):
if len(v) == 0:
v = ""
else:
v = v[0]
self.meta_title = str(v)
continue
if isinstance(v, list):
v = ','.join(v)
if v is not None:
meta.append(
'<meta name="%s" content="%s">' % (html.escape(k, True), html.escape(v, True))
)
return '\n'.join(meta)
def run(self, view, wholefile=False, preview=False):
"""Return full HTML and body HTML for view."""
self.settings = Settings('MarkdownPreview.sublime-settings', view.file_name())
self.preview = preview
self.view = view
contents = self.get_contents(wholefile)
body = self.convert_markdown(contents)
html_template = self.settings.get('html_template')
if html_template:
html_template = os.path.abspath(os.path.expanduser(html_template))
# use customized HTML template if given
if self.settings.get('html_simple', False):
html = body
elif html_template and os.path.exists(html_template):
head = ''
head += self.get_meta()
head += self.get_stylesheet()
head += self.get_javascript()
head += self.get_highlight()
head += self.get_title()
html = load_utf8(html_template)
html = html.replace('{{ HEAD }}', head, 1)
html = html.replace('{{ BODY }}', body, 1)
else:
html = '<!DOCTYPE html>'
html += '<html><head><meta charset="utf-8">'
html += '<meta name="viewport" content="width=device-width, initial-scale=1">'
html += self.get_meta()
html += self.get_stylesheet()
html += self.get_javascript()
html += self.get_highlight()
html += self.get_title()
html += '</head><body>'
html += '<article class="markdown-body">'
html += body
html += '</article>'
html += '</body>'
html += '</html>'
return html, body
class OnlineCompiler(Compiler):
"""Online compiler."""
content_type = "application/json"
url = ""
authentication_settings_key = ""
authentication_api_key = "Authorization"
authentication_api_type = "token"
def curl_convert(self, data):
"""Use curl to send Markdown content through API."""
try:
# It looks like the text does NOT need to be escaped and
# surrounded with double quotes.
# Tested in Ubuntu 13.10, python 2.7.5+
shell_safe_json = data.decode('utf-8')
curl_args = [
'curl',
'-H',
'Content-Type: %s' % self.content_type,
'-d',
shell_safe_json,
self.url
]
# Join together token type and value
# If no type is provided, we will have just the value
token = []
if self.authentication_api_type:
token.append(self.authentication_api_type)
token_value = self.settings.get(self.authentication_settings_key)
token.append(token_value)
if token_value:
curl_args[1:1] = [
'-H',
'%s: %s' % (self.authentication_api_key, ' '.join(token))
]
markdown_html = self.unpack_data(subprocess.Popen(curl_args, stdout=subprocess.PIPE).communicate()[0])
return markdown_html
except subprocess.CalledProcessError:
sublime.error_message(
textwrap.dedent(
"""\
Cannot use %s API to convert markdown. SSL is not included in your Python installation. \
And using curl didn't work either
""" % self.compiler_name
)
)
return None
def get_server_exception_message(self, body):
"""Extract server exception message from body of API response."""
return body['message']
def get_response_from_exception(self, e):
"""Convert Online Compiler Response."""
body = json.loads(e.read().decode('utf-8'))
return '%s\'s original response: (HTTP Status Code %s) "%s"' % (
self.compiler_name, e.code, self.get_server_exception_message(body))
def pack_data(self, markdown_text, mode):
"""Prepare data to send to API."""
return {
"text": markdown_text,
"mode": mode
}
def unpack_data(self, raw_data):
"""Get HTML from API response."""
return raw_data.decode('utf-8')
def parser_specific_convert(self, markdown_text):
"""Convert input markdown to HTML with online compiler parser."""
markdown_html = _CANNOT_CONVERT
token = self.settings.get(self.authentication_settings_key)
# use the online compiler API
sublime.status_message('converting markdown with %s API...' % self.compiler_name)
mode = self.settings.get('%s_mode' % self.compiler_name, 'gfm')
data = self.pack_data(markdown_text, mode)
data = json.dumps(data).encode('utf-8')
try:
headers = {
'Content-Type': self.content_type
}
if token:
headers[self.authentication_api_key] = "%s %s" % (self.authentication_api_type, token)
request = request_url(self.url, data, headers)
markdown_html = self.unpack_data(urlopen(request).read())
except HTTPError as e:
if e.code == 401:
sublime.error_message(
("%s API authentication failed. Please check your %s's token.\n\n" % (
self.compiler_name, self.compiler_name
)) + self.get_response_from_exception(e)
)
elif e.code == 403: # Forbidden
sublime.error_message(
textwrap.dedent(
"""\
It seems like you have exceeded %s's API rate limit.
To continue using %s's markdown format with this package, log in to \
%s, then generate a new token, \
copy the token's value, and paste it in this package's user settings under the key \
'%s'. Example:
{
"%s": "xxxx...."
}
""" % tuple(self.authentication_settings_key for i in range(5))
) + self.get_response_from_exception(e)
)
else:
sublime.error_message(
"%s API responded in an unfriendly way!\n\n" % self.compiler_name +
self.get_response_from_exception(e)
)
except URLError:
# Maybe this is a Linux-install of ST which doesn't bundle with SSL support
# So let's try wrapping curl instead
markdown_html = self.curl_convert(data)
except Exception:
e = sys.exc_info()[1]
log(e)
traceback.print_exc()
sublime.error_message(
"Cannot use %s's API to convert Markdown. Please check your settings.\n\n" % self.compiler_name +
self.get_response_from_exception(e)
)
else:
sublime.status_message('converted markdown with github API successfully')
return markdown_html
class GithubCompiler(OnlineCompiler):
"""GitHub compiler."""
default_css = ["res://MarkdownPreview/css/github.css"]
compiler_name = "github"
content_type = "application/json"
url = "https://api.github.com/markdown"
authentication_settings_key = "github_oauth_token"
authentication_api_key = "Authorization"
authentication_api_type = "token"
def get_server_exception_message(self, body):
"""Extract server exception message from body of API response."""
return body['message']
def pack_data(self, markdown_text, mode):
"""Prepare data to send to API."""
return {
"text": markdown_text,
"mode": mode
}
def unpack_data(self, raw_data):
"""Get HTML from API response."""
return raw_data.decode('utf-8')
def parser_specific_postprocess(self, html):
"""Run GitHub specific postprocesses."""
if self.settings.get("github_inject_header_ids", False):
html = self.postprocess_inject_header_id(html)
return html
def postprocess_inject_header_id(self, html):
"""Insert header ids when no anchors are present."""
from pymdownx.slugs import uslugify
unique = {}
re_header = re.compile(r'(?P<open><h([1-6])>)(?P<text>.*?)(?P<close></h\2>)', re.DOTALL)
def inject_id(m):
header_id = uslugify(m.group('text'), '-')
if header_id == '':
return m.group(0)
# Append a dash and number for uniqueness if needed
value = unique.get(header_id, None)
if value is None:
unique[header_id] = 1
else:
unique[header_id] += 1
header_id += "-%d" % value
return m.group('open')[:-1] + (' id="%s">' % header_id) + m.group('text') + m.group('close')
return re_header.sub(inject_id, html)
class GitlabCompiler(OnlineCompiler):
"""GitLab compiler."""
default_css = [
"res://MarkdownPreview/css/gitlab.css",
"https://cdn.jsdelivr.net/npm/katex@0.10.0-alpha/dist/katex.min.css"
]
default_js = [
"https://cdn.jsdelivr.net/npm/katex@0.10.0-alpha/dist/katex.min.js",
"https://unpkg.com/mermaid@8.0.0-rc.8/dist/mermaid.min.js",
# Calling `mermaid.initialize` at the first lines of `gitlab_config.js`
# should come immediately after `mermaid.js.`
"res://MarkdownPreview/js/gitlab_config.js"
]
compiler_name = "gitlab"
content_type = "application/json"
url = "https://gitlab.com/api/v4/markdown"
authentication_settings_key = "gitlab_personal_token"
authentication_api_key = "Private-Token"
authentication_api_type = ""
def get_server_exception_message(self, body):
"""Extract server exception message from body of API response."""
return body.get('message', '') + body.get('error', '')
def pack_data(self, markdown_text, mode):
"""Prepare data to send to API."""
return {
"text": markdown_text,
"gfm": mode == 'gfm'
}
def unpack_data(self, raw_data):
"""Get HTML from API response."""
return json.loads(raw_data.decode('utf-8'))['html']
def parser_specific_postprocess(self, html):
"""Run GitLab specific postprocesses."""
if self.settings.get('%s_mode' % self.compiler_name, 'gfm') == 'gfm':
html = self.fix_ids(html)
if not self.settings.get('html_simple', False):
html += '<script>const HIGHLIGHT_THEME = "%s";</script>' % (
self.settings.get('gitlab_highlight_theme', 'white'))
html = self.fix_images_src(html)
return html
def fix_ids(self, html):
"""Fix id of head tags to be compatible with `href` of links."""
re_header = re.compile(r'(?P<open><a)(?P<text1>.*?)(?P<id>id="user-content-)(?P<text2>.*?)(?P<close>>)',
re.DOTALL)
return re_header.sub(
lambda m: m.group('open') + m.group('text1') + 'id="' + m.group('text2') + m.group('close'), html)
def fix_images_src(self, html):
"""Fix `src` of images tag which is replaced with a placeholder for lazy loading."""
re_image = re.compile(r'(?P<open><img)(?P<text1>[^>]*?)(?P<src>src="[^>]*")(?P<text2>[^>]*?)' +
r'(?P<data_src>data-src="[^>]*")(?P<text3>[^>]*?)(?P<close>>)', re.DOTALL)
return re_image.sub(
lambda m: m.group('open') + m.group('text1') + m.group('data_src')[5:] + m.group('text2') +
m.group('text3') + m.group('close'), html)
class ExternalMarkdownCompiler(Compiler):
"""Compiler for other, external Markdown parsers."""
default_css = ["res://MarkdownPreview/css/markdown.css"]
def __init__(self, parser):
"""Initialize."""
self.compiler_name = parser
super(ExternalMarkdownCompiler, self).__init__()
def parser_specific_convert(self, markdown_text):
"""Convert Markdown with external parser."""
settings = sublime.load_settings("MarkdownPreview.sublime-settings")
binary = settings.get('markdown_binary_map', {})[self.compiler_name]
if len(binary) and os.path.exists(binary[0]):
cmd = binary
sublime.status_message('converting markdown with %s...' % self.compiler_name)
if sublime.platform() == "windows":
startupinfo = subprocess.STARTUPINFO()
startupinfo.dwFlags |= subprocess.STARTF_USESHOWWINDOW
p = subprocess.Popen(
cmd, startupinfo=startupinfo,
stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE
)
else:
p = subprocess.Popen(
cmd,
stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE
)
for line in markdown_text.split('\n'):
p.stdin.write((line + '\n').encode('utf-8'))
markdown_html = p.communicate()[0].decode("utf-8")
if p.returncode:
# Log info to console
sublime.error_message("Could not convert file! See console for more info.")
log(markdown_html)
markdown_html = _CANNOT_CONVERT
else:
sublime.error_message("Cannot find %s binary!" % binary)
markdown_html = _CANNOT_CONVERT
return markdown_html
class MarkdownCompiler(Compiler):
"""Python Markdown compiler."""
compiler_name = "markdown"
default_css = ["res://MarkdownPreview/css/markdown.css"]
def set_highlight(self, pygments_style, css_class):
"""Set the Pygments CSS."""
if pygments_style:
style = None
if pygments_style not in PYGMENTS_LOCAL:
try:
style = get_formatter_by_name('html', style=pygments_style).get_style_defs(
''.join(['.' + x for x in css_class.split(' ') if x])
)
except Exception:
log("Error")
traceback.print_exc()
pygments_style = 'github'
if style is None:
style = load_resource(PYGMENTS_LOCAL[pygments_style]) % {
'css_class': ''.join(['.' + x for x in css_class.split(' ') if x])
}
self.pygments_style = '<style>%s</style>' % style
return pygments_style
def get_highlight(self):
"""Return the Pygments CSS if enabled."""
return self.pygments_style if self.pygments_style else ''
def preprocessor_critic(self, source):
"""
Strip out multi-markdown critic marks.
Accept changes by default.
"""
from pymdownx.critic import CriticViewPreprocessor, CriticStash, CRITIC_KEY
text = ''
mode = 'accept' if self.settings.get("strip_critic_marks", "accept") == "accept" else 'reject'
critic_stash = CriticStash(CRITIC_KEY)
critic = CriticViewPreprocessor(critic_stash)
critic.config = {'mode': mode}
text = '\n'.join(critic.run(source.split('\n')))
return text
def process_extensions(self, extensions):
"""Process extensions and related settings."""
# See if we need to inject CSS for Pygments.
self.pygments_style = None
style = self.settings.get('pygments_style', 'github')
if self.settings.get('pygments_inject_css', True):
# Check if the desired style exists internally
self.set_highlight(style, self.settings.get('pygments_css_class', 'codehilite'))
# Get the base path of source file if available
base_path = self.settings.get('builtin').get("basepath")
if base_path is None:
base_path = ""
names = []
settings = {}
for e in extensions:
# Ensure extension is in correct format and separate config from extension
if isinstance(e, str):
ext = e
config = OrderedDict()
elif isinstance(e, (dict, OrderedDict)):
ext = list(e.keys())[0]
config = list(e.values())[0]
if config is None:
config = OrderedDict()
else:
continue
names.append(ext)
settings[ext] = config
for k, v in config.items():
if isinstance(v, str):
config[k] = v.replace("${BASE_PATH}", base_path)
return names, settings
def get_config_extensions(self):
"""Get the extensions to include from the settings."""
ext_config = self.settings.get('markdown_extensions')
return self.process_extensions(ext_config)
def parser_specific_convert(self, markdown_text):
"""Parse Markdown with Python Markdown."""
sublime.status_message('converting markdown with Python markdown...')
extensions, extension_configs = self.get_config_extensions()
md = Markdown(extensions=extensions, extension_configs=extension_configs)
html_text = md.convert(markdown_text)
# Retrieve the meta data returned from the "meta" extension