-
Notifications
You must be signed in to change notification settings - Fork 83
/
kramdown-rfc2629.rb
1437 lines (1305 loc) · 51.7 KB
/
kramdown-rfc2629.rb
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
# -*- coding: utf-8 -*-
#
#--
# Copyright (C) 2009-2010 Thomas Leitner <[email protected]>
# Copyright (C) 2010-2014 Carsten Bormann <[email protected]>
#
# This file was derived from a part of the kramdown gem which is licensed under the MIT license.
# This derived work is also licensed under the MIT license, see LICENSE.
#++
#
require 'shellwords'
raise "sorry, 1.8 was last decade" unless RUBY_VERSION >= '1.9'
gem 'kramdown', '~> 2.4.0'
require 'kramdown'
my_span_elements = %w{list xref eref iref cref spanx vspace}
Kramdown::Parser::Html::Constants::HTML_SPAN_ELEMENTS.concat my_span_elements
require 'rexml/parsers/baseparser'
require 'open3' # for math
require 'json' # for math
require 'rexml/document' # for SVG and bibxml acrobatics
require 'kramdown-rfc/doi' # for fetching information for a DOI
class Object
def deep_clone
Marshal.load(Marshal.dump(self))
end
end
module Kramdown
module Parser
class RFC2629Kramdown < Kramdown
def replace_abbreviations(el, regexps = nil)
unless regexps # DUPLICATED AND MODIFIED CODE FROM UPSTREAM, CHECK ON UPSTREAM UPGRADE
sorted_abbrevs = @root.options[:abbrev_defs].keys.sort {|a, b| b.length <=> a.length }
regexps = [Regexp.union(*sorted_abbrevs.map {|k|
/#{Regexp.escape(k).gsub(/\\\s/, "[\\s\\p{Z}]+").force_encoding(Encoding::UTF_8)}/})]
# warn regexps.inspect
regexps << /(?=(?:\W|^)#{regexps.first}(?!\w))/ # regexp should only match on word boundaries
end
super(el, regexps)
end
def initialize(*doc)
super
@span_parsers.unshift(:xref)
@span_parsers.unshift(:iref)
@span_parsers.unshift(:span_pi)
@block_parsers.unshift(:block_pi)
end
XREF_BASE = /#{REXML::XMLTokens::NAME_CHAR}+/ # a token for a reference
XREF_TXT = /(?:[^\(]|\([^\)]*\))+/ # parenthesized text
XREF_RE = /#{XREF_BASE}(?: \(#{XREF_TXT}\))?/
XREF_RE_M = /\A(#{XREF_BASE})(?: \((#{XREF_TXT})\))?/ # matching version of XREF_RE
XREF_SINGLE = /(?:Section|Appendix) #{XREF_RE}/
XREF_MULTI = /(?:Sections|Appendices) (?:#{XREF_RE}, )*#{XREF_RE},? and #{XREF_RE}/
XREF_ANY = /(?:#{XREF_SINGLE}|#{XREF_MULTI})/
SECTIONS_RE = /(?:#{XREF_ANY} and )?#{XREF_ANY}/
def self.idref_cleanup(href)
# can't start an IDREF with a number or reserved start
if href =~ / /
if $options.v3
warn "** space(s) in cross-reference '#{href}' -- are you trying to use section references?"
else
warn "** space(s) in cross-reference '#{href}' -- note that section references are supported in v3 mode only."
end
end
href.gsub(/\A(?:[0-9]|section-|u-|figure-|table-|iref-)/) { "_#{$&}" }
end
def handle_bares(s, attr, format, href, last_join = nil)
if s.match(/\A(#{XREF_ANY}) and (#{XREF_ANY})\z/)
handle_bares($1, {}, nil, href, " and ")
handle_bares($2, {}, nil, href, " of ")
return
end
href = href.split(' ')[0] # Remove any trailing (...)
multi = last_join != nil
(sn, s) = s.split(' ', 2)
loop do
m = s.match(/\A#{XREF_RE_M}(, (?:and )?| and )?/)
break if not m
if not multi and not m[2] and not m[3]
# Modify |attr| if there is a single reference. This can only be
# used if there is only one section reference and the section part
# has no title.
attr['section'] = m[1]
attr['sectionFormat'] = format
attr['text'] = m[2]
return
end
if sn
@tree.children << Element.new(:text, "#{sn} ", {})
sn = nil
end
multi = true
s[m[0]] = ''
attr1 = { 'target' => href, 'section' => m[1], 'sectionFormat' => 'bare', 'text' => m[2] }
@tree.children << Element.new(:xref, nil, attr1)
@tree.children << Element.new(:text, m[3] || last_join || " of ", {})
end
end
XREF_START = /\{\{(?:(?:\{(.*?\n??.*?)\}(?:\{(.*?\n??.*?)\})?)|(\X*?))((?:\}\})|\})/u
# Introduce new {{target}} syntax for empty xrefs, which would
# otherwise be an ugly ![!](target) or ![ ](target)
# (I'd rather use [[target]], but that somehow clashes with links.)
def parse_xref
@src.pos += @src.matched_size
unless @src[4] == "}}"
warn "*** #{@src[0]}: unmatched braces #{@src[4].inspect}"
end
if contact_name = @src[1]
attr = {'fullname' => contact_name.gsub("\n", " ")}
if ascii_name = @src[2]
attr["asciiFullname"] = ascii_name.gsub("\n", " ")
end
el = Element.new(:contact, nil, attr)
else
href = @src[3]
attr = {}
if $options.v3
# match Section ... of ...; set section, sectionFormat
case href.gsub(/[\u00A0\s]+/, ' ') # may need nbsp and/or newlines
when /\A(#{SECTIONS_RE}) of (.*)\z/
href = $2
handle_bares($1, attr, "of", href)
when /\A(.*), (#{SECTIONS_RE})\z/
href = $1
handle_bares($2, attr, "comma", href)
when /\A(.*) \((#{SECTIONS_RE})\)\z/
href = $1
handle_bares($2, attr, "parens", href)
when /#{XREF_RE_M}<(.+)\z/
href = $3
if $2
attr['section'] = $2
attr['relative'] = "#" << $1
else
attr['section'] = $1
end
attr['sectionFormat'] = 'bare'
when /\A<<(.+)\z/
href = $1
attr['format'] = 'title'
when /\A<(.+)\z/
href = $1
attr['format'] = 'counter'
end
end
if href.match(/#{XREF_RE_M}\z/)
href = $1
attr['text'] = $2
end
href = self.class.idref_cleanup(href)
attr['target'] = href
el = Element.new(:xref, nil, attr)
end
@tree.children << el
end
define_parser(:xref, XREF_START, '\{\{')
IREF_START = /\(\(\((.*?)\)\)\)/u
# Introduce new (((target))) syntax for irefs
def parse_iref
@src.pos += @src.matched_size
href = @src[1]
el = Element.new(:iref, nil, {'target' => href}) # XXX
@tree.children << el
end
define_parser(:iref, IREF_START, '\(\(\(')
# HTML_INSTRUCTION_RE = /<\?(.*?)\?>/m # still defined!
# warn [:OPT_SPACE, OPT_SPACE, HTML_INSTRUCTION_RE].inspect
PI_BLOCK_START = /^#{OPT_SPACE}<\?/u
def parse_block_pi
# warn [:BLOCK].inspect
line = @src.current_line_number
if (result = @src.scan(HTML_INSTRUCTION_RE))
@tree.children << Element.new(:xml_pi, result, nil, category: :block, location: line)
@src.scan(TRAILING_WHITESPACE)
true
else
false
end
end
define_parser(:block_pi, PI_BLOCK_START)
PI_SPAN_START = /<\?/u
def parse_span_pi
# warn [:SPAN].inspect
line = @src.current_line_number
if (result = @src.scan(HTML_INSTRUCTION_RE))
@tree.children << Element.new(:xml_pi, result, nil, category: :span, location: line)
else
add_text(@src.getch)
end
end
define_parser(:span_pi, PI_SPAN_START, '<\?')
# warn [:HERE, @@parsers.keys].inspect
end
end
class Element
# Not fixing studly element names postalLine and seriesInfo yet
# occasionally regenerate the studly attribute name list via
# script in data/studly.rb
STUDLY_ATTR = %w(
asciiAbbrev asciiFullname asciiInitials asciiName asciiSurname
asciiValue blankLines derivedAnchor derivedContent derivedCounter
derivedLink displayFormat docName expiresDate hangIndent hangText
indexInclude iprExtract keepWithNext keepWithPrevious originalSrc
prepTime quoteTitle quotedFrom removeInRFC sectionFormat seriesNo
showOnFrontPage slugifiedName sortRefs submissionType symRefs tocDepth
tocInclude
)
STUDLY_ATTR_MAP = Hash[STUDLY_ATTR.map {|s| [s.downcase, s]}]
TRUTHY = Hash.new {|h, k| k}
TRUTHY["false"] = false
TRUTHY["no"] = false
# explicit or automatic studlification
# note that explicit (including trailing "_") opts out of automatic
def self.attrmangle(k)
if (d = k.gsub(/_(.|$)/) { $1.upcase }) != k or d = STUDLY_ATTR_MAP[k]
d
end
end
def rfc2629_fix(opts)
if a = attr
if anchor = a.delete('id')
a['anchor'] = ::Kramdown::Parser::RFC2629Kramdown.idref_cleanup(anchor)
end
if anchor = a.delete('href')
a['target'] = ::Kramdown::Parser::RFC2629Kramdown.idref_cleanup(anchor)
end
if av = a.delete('noabbrev') # pseudo attribute -> opts
opts = opts.merge(noabbrev: TRUTHY[av]) # updated copy
end
attr.keys.each do |k|
if d = self.class.attrmangle(k)
a[d] = a.delete(k)
end
end
end
opts
end
end
module Converter
# Converts a Kramdown::Document to HTML.
class Rfc2629 < Base
# we use these to do XML stuff, too
include ::Kramdown::Utils::Html
def el_html_attributes(el)
html_attributes(el.attr)
end
def el_html_attributes_with(el, defattr)
html_attributes(defattr.merge(el.attr))
end
# :stopdoc:
KRAMDOWN_PERSISTENT = ENV["KRAMDOWN_PERSISTENT"]
KRAMDOWN_PERSISTENT_VERBOSE = /v/ === KRAMDOWN_PERSISTENT
if KRAMDOWN_PERSISTENT
begin
require 'net/http/persistent'
$http = Net::HTTP::Persistent.new name: 'kramdown-rfc'
rescue Exception => e
warn "** Not using persistent HTTP -- #{e}"
warn "** To silence this message and get full speed, try:"
warn "** gem install net-http-persistent"
warn "** If this doesn't work, you can ignore this warning."
end
end
# Defines the amount of indentation used when nesting XML tags.
INDENTATION = 2
# Initialize the XML converter with the given Kramdown document +doc+.
def initialize(*doc)
super
@sec_level = 1
@in_dt = 0
@footnote_names_in_use = {}
end
def convert(el, indent = -INDENTATION, opts = {})
if el.children[-1].type == :raw
raw = convert1(el.children.pop, indent, opts)
end
"#{convert1(el, indent, opts)}#{end_sections(1, indent)}#{raw}"
end
def convert1(el, indent, opts = {})
nopts = el.rfc2629_fix(opts)
send("convert_#{el.type}", el, indent, nopts)
end
def inner_a(el, indent, opts)
indent += INDENTATION
el.children.map do |inner_el|
nopts = inner_el.rfc2629_fix(opts)
send("convert_#{inner_el.type}", inner_el, indent, nopts)
end
end
def inner(el, indent, opts)
inner_a(el, indent, opts).join('')
end
def convert_blank(el, indent, opts)
"\n"
end
def convert_text(el, indent, opts)
escape_html(el.value, :text)
end
def convert_p(el, indent, opts)
if (el.children.size == 1 && el.children[0].type == :img) || opts[:unpacked]
inner(el, indent, opts) # Part of the bad reference hack
else
"#{' '*indent}<t#{el_html_attributes(el)}>#{inner(el, indent, opts)}</t>\n"
end
end
def saner_generate_id(value)
generate_id(value).gsub(/-+/, '-')
end
def self.process_markdown(v) # Uuh. Heavy coupling.
doc = ::Kramdown::Document.new(v, $global_markdown_options)
$stderr.puts doc.warnings.to_yaml unless doc.warnings.empty?
doc.to_rfc2629[3..-6] # skip <t>...</t>\n
end
SVG_COLORS = Hash.new {|h, k| k}
<<COLORS.each_line {|l| k, v = l.chomp.split; SVG_COLORS[k] = v}
black #000000
silver #C0C0C0
gray #808080
white #FFFFFF
maroon #800000
red #FF0000
purple #800080
fuchsia #FF00FF
green #008000
lime #00FF00
olive #808000
yellow #FFFF00
navy #000080
blue #0000FF
teal #008080
aqua #00FFFF
COLORS
def svg_munch_id(id)
id.gsub(/[^-._A-Za-z0-9]/) {|x| "_%02X" % x.ord}
end
def self.hex_to_lin(h)
h.to_i(16)**2.22 # approximating sRGB gamma
end
define_method :hex_to_lin, &method(:hex_to_lin)
B_W_THRESHOLD = hex_to_lin("a4") # a little brighter than 1/2 0xFF -> white
def svg_munch_color(c, fill)
c = SVG_COLORS[c]
case c
when /\A#(..)(..)(..)\z/
if hex_to_lin($1)*0.2126 + hex_to_lin($2)*0.7152 + hex_to_lin($3)*0.0722 >= B_W_THRESHOLD
'white'
else
'black'
end
when 'none'
'none' if fill # delete for stroke
else
c
end
end
SVG_NAMESPACES = {"xmlns"=>"http://www.w3.org/2000/svg",
"xlink"=>"http://www.w3.org/1999/xlink"}
def svg_clean_kgt(s)
d = REXML::Document.new(s)
REXML::XPath.each(d.root, "/xmlns:svg", SVG_NAMESPACES) do |x|
if (w = x.attributes["width"]) && (h = x.attributes["height"])
x.attributes["viewBox"] = "0 0 %d %d" % [w, h]
end
if x.attributes["viewBox"]
x.attributes["width"] = nil
x.attributes["height"] = nil
end
end
REXML::XPath.each(d.root, "//rect|//line|//path") do |x|
x.attributes["fill"] = "none"
x.attributes["stroke"] = "black"
x.attributes["stroke-width"] = "1.5"
end
d.to_s
rescue => detail
warn "*** Can't clean SVG: #{detail}"
d
end
def svg_clean(s) # expensive, risky
d = REXML::Document.new(s)
REXML::XPath.each(d.root, "//*[@shape-rendering]") { |x| x.attributes["shape-rendering"] = nil } #; warn x.inspect }
REXML::XPath.each(d.root, "//*[@text-rendering]") { |x| x.attributes["text-rendering"] = nil } #; warn x.inspect }
REXML::XPath.each(d.root, "//*[@stroke]") { |x| x.attributes["stroke"] = svg_munch_color(x.attributes["stroke"], false) }
REXML::XPath.each(d.root, "//*[@fill]") { |x| x.attributes["fill"] = svg_munch_color(x.attributes["fill"], true) }
REXML::XPath.each(d.root, "//*[@id]") { |x| x.attributes["id"] = svg_munch_id(x.attributes["id"]) }
## REXML::XPath.each(d.root, "//rect") { |x| x.attributes["style"] = "fill:none;stroke:black;stroke-width:1" unless x.attributes["style"] }
# Fix for mermaid:
REXML::XPath.each(d.root, "//polygon") { |x| x.attributes["rx"] = nil; x.attributes["ry"] = nil }
d.to_s
rescue => detail
warn "*** Can't clean SVG: #{detail}"
d
end
def memoize(meth, *args)
require 'digest'
Dir.mkdir(REFCACHEDIR) unless Dir.exist?(REFCACHEDIR)
kdrfc_version = Gem.loaded_specs["kramdown-rfc2629"].version.to_s.gsub('.', '_') rescue "UNKNOWN"
fn = "#{REFCACHEDIR}/kdrfc-#{kdrfc_version}-#{meth}-#{Digest::SHA256.hexdigest(Marshal.dump(args))[0...40]}.cache"
begin
out = Marshal.load(File.binread(fn))
rescue StandardError => e
# warn e.inspect
out = method(meth).call(*args)
File.binwrite(fn, Marshal.dump(out))
end
out
end
def capture_croak(t, err)
if err != ''
err.lines do |l|
warn "*** [#{t}:] #{l.chomp}"
end
end
end
def shell_prepare(opt)
" " << opt.shellsplit.shelljoin
end
DEFAULT_AASVG="aasvg --spaces=1"
def svg_tool_process(t, svg_opt, txt_opt, result)
require 'tempfile'
file = Tempfile.new("kramdown-rfc")
file.write(result)
file.close
dont_clean = false
dont_check = false
svg_opt = shell_prepare(svg_opt) if svg_opt
txt_opt = shell_prepare(txt_opt) if txt_opt
case t
when "protocol", "protocol-goat", "protocol-aasvg"
cmdparm = result.lines.map(&:strip).select {|x| x != ''}.join(',')
result, err, _s = Open3.capture3("protocol #{Shellwords.escape(cmdparm)}#{txt_opt}", stdin_data: '')
if t == "protocol-goat"
file.unlink
file = Tempfile.new("kramdown-rfc")
file.write(result)
file.close
result1, err, _s = Open3.capture3("goat#{svg_opt} #{file.path}", stdin_data: result);
dont_clean = true
elsif t == "protocol-aasvg"
result1, err, _s = Open3.capture3("#{DEFAULT_AASVG}#{svg_opt}", stdin_data: result);
dont_clean = true
dont_check = true
else
result1 = nil
end
when "goat"
result1, err, _s = Open3.capture3("goat#{svg_opt} #{file.path}", stdin_data: result);
dont_clean = true
when "aasvg"
result1, err, _s = Open3.capture3("#{DEFAULT_AASVG}#{svg_opt}", stdin_data: result);
dont_clean = true
dont_check = true
when "ditaa" # XXX: This needs some form of option-setting
result1, err, _s = Open3.capture3("ditaa #{file.path} --svg -o -#{svg_opt}", stdin_data: result);
when "mscgen"
result1, err, _s = Open3.capture3("mscgen -T svg -i #{file.path} -o -#{svg_opt}", stdin_data: result);
when "mermaid"
result1, err, _s = Open3.capture3("mmdc -i #{file.path}#{svg_opt}", stdin_data: result); # -b transparent
outpath = file.path + ".svg"
result1 = File.read(outpath) rescue '' # don't die before providing error message
File.unlink(outpath) rescue nil # ditto
when "plantuml", "plantuml-utxt"
plantuml = "@startuml\n#{result}\n@enduml"
result1, err, _s = Open3.capture3("plantuml -pipe -tsvg#{svg_opt}", stdin_data: plantuml);
result, err1, _s = Open3.capture3("plantuml -pipe -tutxt#{txt_opt}", stdin_data: plantuml) if t == "plantuml-utxt"
err << err1.to_s
when "railroad", "railroad-utf8"
result1, err1, _s = Open3.capture3("kgt -l abnf -e svg#{svg_opt}", stdin_data: result);
result1 = svg_clean_kgt(result1); dont_clean = true
result, err, _s = Open3.capture3("kgt -l abnf -e rr#{t == "railroad" ? "text" : "utf8"}#{txt_opt}",
stdin_data: result);
err << err1.to_s
when "math", "math-asciitex"
math = Shellwords.escape(result)
result1, err, _s = Open3.capture3("tex2svg --font STIX --speech=false#{svg_opt} #{Shellwords.escape(' ' << result)}");
begin
raise Errno::ENOENT if t == "math-asciitex"
result, err1, s = Open3.capture3("utftex #{math}#{txt_opt}")
if s.exitstatus != 0
warn "** utftex: #{err1.inspect}"
raise Errno::ENOENT
end
rescue Errno::ENOENT
warn "** utftex not working, falling back to asciitex" unless t == "math-asciitex"
result, err1, _s = Open3.capture3("asciitex -f #{file.path}#{txt_opt}")
end
err << err1
end
capture_croak(t, err)
# warn ["text:", result.inspect]
# warn ["svg:", result1.inspect]
file.unlink
if result1
result1 = svg_clean(result1) unless dont_clean
unless dont_check
result1, err, _s = Open3.capture3("svgcheck -Xqa", stdin_data: result1);
# warn ["svgcheck:", result1.inspect]
capture_croak("svgcheck", err)
end
if result1 == ''
warn "*** could not create svg for #{result.inspect[0...20]}..."
exit 65 # EX_DATAERR
end
end
[result, result1] # text, svg
end
ARTWORK_TYPES = %w(ascii-art binary-art call-flow hex-dump svg)
def convert_codeblock(el, indent, opts)
# el.attr['anchor'] ||= saner_generate_id(el.value) -- no longer in 1.0.6
result = el.value
gi = el.attr.delete('gi')
blockclass = el.attr.delete('class')
if blockclass == 'language-tbreak'
result = result.lines.map {|line| [line.chomp, 0]}
spaceind = 0
result.each_with_index {|pair, index|
if pair[0] == ''
result[spaceind][1] += 1
pair[0] = nil unless index == spaceind
else
spaceind = index
end
}
# $stderr.puts(result.inspect)
result = result.map {|line, space|
"<![CDATA[#{line.gsub(/^\s+/) {|s| "\u00A0" * s.size}}]]><vspace blankLines=\"#{space}\"/>" if line
}.compact.join("\n")
"#{' '*indent}<t>#{result}</t>\n"
else
artwork_attr = {}
t = nil
if blockclass
classes = blockclass.split(' ')
classes.each do |cl|
if md = cl.match(/\Alanguage-(.*)/)
t = artwork_attr["type"] = md[1] # XXX overwrite
else
$stderr.puts "*** Unimplemented codeblock class: #{cl}"
end
end
end
# compensate for XML2RFC idiosyncrasy by insisting on a blank line
unless el.attr.delete('tight')
result[0,0] = "\n" unless result[0,1] == "\n"
end
el.attr.each do |k, v|
if md = k.match(/\A(?:artwork|sourcecode)-(.*)/)
el.attr.delete(k)
artwork_attr[md[1]] = v
end
end
case t
when "aasvg", "ditaa", "goat",
"math", "math-asciitex", "mermaid", "mscgen",
"plantuml", "plantuml-utxt",
"protocol", "protocol-aasvg", "protocol-goat",
"railroad", "railroad-utf8"
if gi
warn "*** Can't set GI #{gi} for composite SVG artset"
end
result, result1 = memoize(:svg_tool_process, t,
artwork_attr.delete("svg-options"),
artwork_attr.delete("txt-options"),
result)
retart = mk_artwork(artwork_attr, "ascii-art",
"<![CDATA[#{result}#{result =~ /\n\Z/ ? '' : "\n"}]]>")
if result1 # nest TXT in artset with SVG
retsvg = mk_artwork(artwork_attr, "svg",
result1.sub(/.*?<svg/m, "<svg"))
retart = "<artset>#{retsvg}#{retart}</artset>"
end
"#{' '*indent}<figure#{el_html_attributes(el)}>#{retart}</figure>\n"
else
gi ||= (
if !$options.v3 || !t || ARTWORK_TYPES.include?(t) || artwork_attr["align"]
"artwork"
else
"sourcecode"
end
)
loc_str =
if anchor = el.attr['anchor']
"##{anchor}"
elsif lineno = el.options[:location]
"approx. line #{lineno}" # XXX
else
"UNKNOWN"
end
case t
when "json"
begin
JSON.load(result)
rescue => e
err1 = "*** #{loc_str}: JSON isn't: #{e.message[0..40]}\n"
begin
JSON.load("{" << result << "}")
rescue => e
warn err1 << "*** not even with braces added around: #{e.message[0..40]}"
end
end
when "json-from-yaml"
begin
y = YAML.safe_load(result, aliases: true, filename: loc_str)
result = JSON.pretty_generate(y)
t = "json" # XXX, this could be another format!
rescue => e
warn "*** YAML isn't: #{e.message}\n"
end
end
"#{' '*indent}<figure#{el_html_attributes(el)}><#{gi}#{html_attributes(artwork_attr)}><![CDATA[#{result}#{result =~ /\n\Z/ ? '' : "\n"}]]></#{gi}></figure>\n"
end
end
end
def mk_artwork(artwork_attr, typ, content)
"<artwork #{html_attributes(artwork_attr.merge("type" => typ))}>#{content}</artwork>"
end
def convert_blockquote(el, indent, opts)
text = inner(el, indent, opts)
if $options.v3
gi = el.attr.delete('gi')
if gi && gi != 'ul'
"#{' '*indent}<#{gi}#{el_html_attributes(el)}>\n#{text}#{' '*indent}</#{gi}>\n"
else
"#{' '*indent}<ul#{el_html_attributes_with(el, {"empty" => 'true'})}><li>\n#{text}#{' '*indent}</li></ul>\n"
end
else
text = "<t></t>" unless text =~ /</ # empty block quote
"#{' '*indent}<t><list style='empty'#{el_html_attributes(el)}>\n#{text}#{' '*indent}</list></t>\n"
end
end
def end_sections(to_level, indent)
if indent < 0
indent = 0
end
if @sec_level >= to_level
delta = (@sec_level - to_level)
@sec_level = to_level
"#{' '*indent}</section>\n" * delta
else
$stderr.puts "Incorrect section nesting: Need to start with 1"
end
end
def clean_pcdata(parts) # hack, will become unnecessary with XML2RFCv3
clean = ''
irefs = ''
# warn "clean_parts: #{parts.inspect}"
parts.each do |p|
md = p.match(%r{([^<]*)(.*)})
clean << md[1]
irefs << md[2] # breaks for spanx... don't emphasize in headings!
end
[clean, irefs]
end
def clean_pcdatav3(parts) # hack, will become unnecessary with v3 tables
clean = ''
parts.each do |p|
next if p.empty?
d = REXML::Document.new("<foo>#{p}</foo>")
t = REXML::XPath.each(d.root, "//text()").to_a.join
if t != p
warn "** simplified markup #{p.inspect} into #{t.inspect} in table heading"
end
clean << t
end
clean
end
def convert_header(el, indent, opts)
# todo: handle appendix tags
el = el.deep_clone
options = @doc ? @doc.options : @options # XXX: 0.11 vs. 0.12
if options[:auto_ids] && !el.attr['anchor']
el.attr['anchor'] = saner_generate_id(el.options[:raw_text])
end
if $options.v3
if sl = el.attr.delete('slugifiedName') # could do general name- play
attrstring = html_attributes({'slugifiedName' => sl})
end
# noabbrev: true -- Workaround for https://github.com/ietf-tools/xml2rfc/issues/683
nm = inner(el, indent, opts.merge(noabbrev: true))
if ttl = el.attr['title']
warn "*** Section has two titles: >>#{ttl}<< and >>#{nm}<<"
warn "*** Do you maybe have a loose IAL?"
end
irefs = "<name#{attrstring}>#{nm}</name>" #
else
clean, irefs = clean_pcdata(inner_a(el, indent, opts))
el.attr['title'] = clean
end
"#{end_sections(el.options[:level], indent)}#{' '*indent}<section#{@sec_level += 1; el_html_attributes(el)}>#{irefs}\n"
end
def convert_hr(el, indent, opts) # misuse for page break
"#{' '*indent}<t><vspace blankLines='999' /></t>\n"
end
STYLES = {ul: 'symbols', ol: 'numbers', dl: 'hanging'}
def convert_ul(el, indent, opts)
opts = opts.merge(vspace: el.attr.delete('vspace'))
attrstring = el_html_attributes_with(el, {"style" => STYLES[el.type]})
if opts[:unpacked]
"#{' '*indent}<list#{attrstring}>\n#{inner(el, indent, opts)}#{' '*indent}</list>\n"
else
"#{' '*indent}<t><list#{attrstring}>\n#{inner(el, indent, opts)}#{' '*indent}</list></t>\n"
end
end
alias :convert_ol :convert_ul
def convert_dl(el, indent, opts)
if $options.v3
if hangindent = el.attr.delete('hangIndent')
el.attr['indent'] ||= hangindent # new attribute name wins
end
vspace = el.attr.delete('vspace')
if vspace && !el.attr['newline']
el.attr['newline'] = 'true'
end
"#{' '*indent}<dl#{el_html_attributes(el)}>\n#{inner(el, indent, opts.dup)}#{' '*indent}</dl>\n"
else
convert_ul(el, indent, opts)
end
end
def convert_li(el, indent, opts)
res_a = inner_a(el, indent, opts)
if el.children.empty? || el.children.first.options[:category] == :span
res = res_a.join('')
else # merge multiple <t> elements
res = res_a.select { |x|
x.strip != ''
}.map { |x|
x.sub(/\A\s*<t>(.*)<\/t>\s*\Z/m) { $1}
}.join("#{' '*indent}<vspace blankLines='1'/>\n").gsub(%r{(</list>)\s*<vspace blankLines='1'/>}) { $1 }.gsub(%r{<vspace blankLines='1'/>\s*(<list)}) { $1 }
end
"#{' '*indent}<t#{el_html_attributes(el)}>#{res}#{(res =~ /\n\Z/ ? ' '*indent : '')}</t>\n"
end
def convert_dd(el, indent, opts)
if $options.v3
out = ''
if !opts[:haddt]
out ="#{' '*indent}<dt/>\n" # you can't make this one up
end
opts[:haddt] = false
out << "#{' '*indent}<dd#{el_html_attributes(el)}>\n#{inner(el, indent, opts)}#{' '*indent}</dd>\n"
else
output = ' '*indent
if @in_dt == 1
@in_dt = 0
else
output << "<t#{el_html_attributes(el)}>"
end
res = inner(el, indent+INDENTATION, opts.merge(unpacked: true))
# if el.children.empty? || el.children.first.options[:category] != :block
output << res << (res =~ /\n\Z/ ? ' '*indent : '')
# else FIXME: The latter case is needed for more complex cases
# output << "\n" << res << ' '*indent
# end
output << "</t>\n"
end
end
def convert_dt(el, indent, opts) # SERIOUSLY BAD HACK:
if $options.v3
out = ''
if opts[:haddt]
out ="#{' '*indent}<dd><t/></dd>\n" # you can't make this one up
end
opts[:haddt] = true
out << "#{' '*indent}<dt#{el_html_attributes(el)}>#{inner(el, indent, opts)}</dt>\n"
else
close = "#{' '*indent}</t>\n" * @in_dt
@in_dt = 1
vspace = opts[:vspace]
vspaceel = "<vspace blankLines='#{vspace}'/>" if vspace
ht = escape_html(inner(el, indent, opts), :attribute) # XXX this may leave gunk
"#{close}#{' '*indent}<t#{el_html_attributes(el)} hangText=\"#{ht}\">#{vspaceel}\n"
end
end
HTML_TAGS_WITH_BODY=['div', 'script']
def convert_html_element(el, indent, opts)
res = inner(el, indent, opts)
if el.options[:category] == :span
"<#{el.value}#{el_html_attributes(el)}" << (!res.empty? ? ">#{res}</#{el.value}>" : " />")
else
output = ''
output << ' '*indent if !el.options[:parent_is_raw]
output << "<#{el.value}#{el_html_attributes(el)}"
if !res.empty? && el.options[:parse_type] != :block
output << ">#{res}</#{el.value}>"
elsif !res.empty?
output << ">\n#{res}" << ' '*indent << "</#{el.value}>"
elsif HTML_TAGS_WITH_BODY.include?(el.value)
output << "></#{el.value}>"
else
output << " />"
end
output << "\n" if el.options[:outer_element] || !el.options[:parent_is_raw]
output
end
end
def convert_xml_comment(el, indent, opts)
if el.options[:category] == :block && !el.options[:parent_is_raw]
' '*indent + el.value + "\n"
else
el.value
end
end
alias :convert_xml_pi :convert_xml_comment
alias :convert_html_doctype :convert_xml_comment
ALIGNMENTS = { default: :left, left: :left, right: :right, center: :center}
COLS_ALIGN = { "l" => :left, "c" => :center, "r" => :right}
def convert_table(el, indent, opts) # This only works for tables with headers
alignment = el.options[:alignment].map { |al| ALIGNMENTS[al]}
cols = (el.attr.delete("cols") || "").split(' ')
"#{' '*indent}<texttable#{el_html_attributes(el)}>\n#{inner(el, indent, opts.merge(table_alignment: alignment, table_cols: cols))}#{' '*indent}</texttable>\n"
end
def convert_thead(el, indent, opts)
inner(el, indent, opts)
end
alias :convert_tbody :convert_thead
alias :convert_tfoot :convert_thead
alias :convert_tr :convert_thead
def convert_td(el, indent, opts)
if alignment = opts[:table_alignment]
alignment = alignment.shift
if cols = opts[:table_cols].shift
md = cols.match(/(\d*(|em|[%*]))([lrc])/)
if md[1].to_i != 0
widthval = md[1]
widthval << "em" if md[2].empty?
widthopt = "width='#{widthval}' "
end
alignment = COLS_ALIGN[md[3]] || :left
end
end
if alignment
xmlres = inner_a(el, indent, opts)
if $options.v3
res = clean_pcdatav3(xmlres)
else
res, irefs = clean_pcdata(xmlres)
warn "*** lost markup #{irefs} in table heading" unless irefs.empty?
end
"#{' '*indent}<ttcol #{widthopt}align='#{alignment}'#{el_html_attributes(el)}>#{res.empty? ? " " : res}</ttcol>\n" # XXX need clean_pcdata
else
res = inner(el, indent, opts)
"#{' '*indent}<c#{el_html_attributes(el)}>#{res.empty? ? " " : res}</c>\n"
end
end
alias :convert_th :convert_td
def convert_comment(el, indent, opts)
## Don't actually output all those comments into the XML:
# if el.options[:category] == :block
# "#{' '*indent}<!-- #{el.value} -->\n"
# else
# "<!-- #{el.value} -->"
# end
end
def convert_br(el, indent, opts)
if $options.v3
"<br />"
else
"<vspace />"
end
end
def convert_a(el, indent, opts)
gi = el.attr.delete('gi')
res = inner(el, indent, opts)
target = el.attr['target']
if target[0..1] == "{{"
# XXX ignoring all attributes and content
s = ::Kramdown::Converter::Rfc2629::process_markdown(target)
# if res != '' && s[-2..-1] == '/>'
# if s =~ /\A<([-A-Za-z0-9_.]+) /
# gi ||= $1
# end
# s[-2..-1] = ">#{res}</#{gi}>"
# end
return s
end
if target[0] == "#" # handle [](#foo) as xref as in RFC 7328
el.attr['target'] = target = target[1..-1]
if target.downcase == res.downcase
res = '' # get rid of raw anchors leaking through
end
gi ||= "xref"
else
gi ||= "eref"
end
"<#{gi}#{el_html_attributes(el)}>#{res}</#{gi}>"
end
def convert_xref(el, indent, opts)
gi = el.attr.delete('gi')
text = el.attr.delete('text')
target = el.attr['target']
if target[0] == "&"
"#{target};"
else
if target =~ %r{\A\w+:(?://|.*@)}
gi ||= "eref"
else
gi ||= "xref"
end
if text
tail = ">#{Rfc2629::process_markdown(text)}</#{gi}>"
else
tail = "/>"
end
"<#{gi}#{el_html_attributes(el)}#{tail}"
end
end
def convert_contact(el, indent, opts)