blob: 2229abcde075a3129d52cb2982ded562aeab343b [file] [log] [blame]
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001package yaml
2
3import (
4 "bytes"
5 "fmt"
6)
7
8// Introduction
9// ************
10//
11// The following notes assume that you are familiar with the YAML specification
12// (http://yaml.org/spec/1.2/spec.html). We mostly follow it, although in
13// some cases we are less restrictive that it requires.
14//
15// The process of transforming a YAML stream into a sequence of events is
16// divided on two steps: Scanning and Parsing.
17//
18// The Scanner transforms the input stream into a sequence of tokens, while the
19// parser transform the sequence of tokens produced by the Scanner into a
20// sequence of parsing events.
21//
22// The Scanner is rather clever and complicated. The Parser, on the contrary,
23// is a straightforward implementation of a recursive-descendant parser (or,
24// LL(1) parser, as it is usually called).
25//
26// Actually there are two issues of Scanning that might be called "clever", the
27// rest is quite straightforward. The issues are "block collection start" and
28// "simple keys". Both issues are explained below in details.
29//
30// Here the Scanning step is explained and implemented. We start with the list
31// of all the tokens produced by the Scanner together with short descriptions.
32//
33// Now, tokens:
34//
35// STREAM-START(encoding) # The stream start.
36// STREAM-END # The stream end.
37// VERSION-DIRECTIVE(major,minor) # The '%YAML' directive.
38// TAG-DIRECTIVE(handle,prefix) # The '%TAG' directive.
39// DOCUMENT-START # '---'
40// DOCUMENT-END # '...'
41// BLOCK-SEQUENCE-START # Indentation increase denoting a block
42// BLOCK-MAPPING-START # sequence or a block mapping.
43// BLOCK-END # Indentation decrease.
44// FLOW-SEQUENCE-START # '['
45// FLOW-SEQUENCE-END # ']'
46// BLOCK-SEQUENCE-START # '{'
47// BLOCK-SEQUENCE-END # '}'
48// BLOCK-ENTRY # '-'
49// FLOW-ENTRY # ','
50// KEY # '?' or nothing (simple keys).
51// VALUE # ':'
52// ALIAS(anchor) # '*anchor'
53// ANCHOR(anchor) # '&anchor'
54// TAG(handle,suffix) # '!handle!suffix'
55// SCALAR(value,style) # A scalar.
56//
57// The following two tokens are "virtual" tokens denoting the beginning and the
58// end of the stream:
59//
60// STREAM-START(encoding)
61// STREAM-END
62//
63// We pass the information about the input stream encoding with the
64// STREAM-START token.
65//
66// The next two tokens are responsible for tags:
67//
68// VERSION-DIRECTIVE(major,minor)
69// TAG-DIRECTIVE(handle,prefix)
70//
71// Example:
72//
73// %YAML 1.1
74// %TAG ! !foo
75// %TAG !yaml! tag:yaml.org,2002:
76// ---
77//
78// The correspoding sequence of tokens:
79//
80// STREAM-START(utf-8)
81// VERSION-DIRECTIVE(1,1)
82// TAG-DIRECTIVE("!","!foo")
83// TAG-DIRECTIVE("!yaml","tag:yaml.org,2002:")
84// DOCUMENT-START
85// STREAM-END
86//
87// Note that the VERSION-DIRECTIVE and TAG-DIRECTIVE tokens occupy a whole
88// line.
89//
90// The document start and end indicators are represented by:
91//
92// DOCUMENT-START
93// DOCUMENT-END
94//
95// Note that if a YAML stream contains an implicit document (without '---'
96// and '...' indicators), no DOCUMENT-START and DOCUMENT-END tokens will be
97// produced.
98//
99// In the following examples, we present whole documents together with the
100// produced tokens.
101//
102// 1. An implicit document:
103//
104// 'a scalar'
105//
106// Tokens:
107//
108// STREAM-START(utf-8)
109// SCALAR("a scalar",single-quoted)
110// STREAM-END
111//
112// 2. An explicit document:
113//
114// ---
115// 'a scalar'
116// ...
117//
118// Tokens:
119//
120// STREAM-START(utf-8)
121// DOCUMENT-START
122// SCALAR("a scalar",single-quoted)
123// DOCUMENT-END
124// STREAM-END
125//
126// 3. Several documents in a stream:
127//
128// 'a scalar'
129// ---
130// 'another scalar'
131// ---
132// 'yet another scalar'
133//
134// Tokens:
135//
136// STREAM-START(utf-8)
137// SCALAR("a scalar",single-quoted)
138// DOCUMENT-START
139// SCALAR("another scalar",single-quoted)
140// DOCUMENT-START
141// SCALAR("yet another scalar",single-quoted)
142// STREAM-END
143//
144// We have already introduced the SCALAR token above. The following tokens are
145// used to describe aliases, anchors, tag, and scalars:
146//
147// ALIAS(anchor)
148// ANCHOR(anchor)
149// TAG(handle,suffix)
150// SCALAR(value,style)
151//
152// The following series of examples illustrate the usage of these tokens:
153//
154// 1. A recursive sequence:
155//
156// &A [ *A ]
157//
158// Tokens:
159//
160// STREAM-START(utf-8)
161// ANCHOR("A")
162// FLOW-SEQUENCE-START
163// ALIAS("A")
164// FLOW-SEQUENCE-END
165// STREAM-END
166//
167// 2. A tagged scalar:
168//
169// !!float "3.14" # A good approximation.
170//
171// Tokens:
172//
173// STREAM-START(utf-8)
174// TAG("!!","float")
175// SCALAR("3.14",double-quoted)
176// STREAM-END
177//
178// 3. Various scalar styles:
179//
180// --- # Implicit empty plain scalars do not produce tokens.
181// --- a plain scalar
182// --- 'a single-quoted scalar'
183// --- "a double-quoted scalar"
184// --- |-
185// a literal scalar
186// --- >-
187// a folded
188// scalar
189//
190// Tokens:
191//
192// STREAM-START(utf-8)
193// DOCUMENT-START
194// DOCUMENT-START
195// SCALAR("a plain scalar",plain)
196// DOCUMENT-START
197// SCALAR("a single-quoted scalar",single-quoted)
198// DOCUMENT-START
199// SCALAR("a double-quoted scalar",double-quoted)
200// DOCUMENT-START
201// SCALAR("a literal scalar",literal)
202// DOCUMENT-START
203// SCALAR("a folded scalar",folded)
204// STREAM-END
205//
206// Now it's time to review collection-related tokens. We will start with
207// flow collections:
208//
209// FLOW-SEQUENCE-START
210// FLOW-SEQUENCE-END
211// FLOW-MAPPING-START
212// FLOW-MAPPING-END
213// FLOW-ENTRY
214// KEY
215// VALUE
216//
217// The tokens FLOW-SEQUENCE-START, FLOW-SEQUENCE-END, FLOW-MAPPING-START, and
218// FLOW-MAPPING-END represent the indicators '[', ']', '{', and '}'
219// correspondingly. FLOW-ENTRY represent the ',' indicator. Finally the
220// indicators '?' and ':', which are used for denoting mapping keys and values,
221// are represented by the KEY and VALUE tokens.
222//
223// The following examples show flow collections:
224//
225// 1. A flow sequence:
226//
227// [item 1, item 2, item 3]
228//
229// Tokens:
230//
231// STREAM-START(utf-8)
232// FLOW-SEQUENCE-START
233// SCALAR("item 1",plain)
234// FLOW-ENTRY
235// SCALAR("item 2",plain)
236// FLOW-ENTRY
237// SCALAR("item 3",plain)
238// FLOW-SEQUENCE-END
239// STREAM-END
240//
241// 2. A flow mapping:
242//
243// {
244// a simple key: a value, # Note that the KEY token is produced.
245// ? a complex key: another value,
246// }
247//
248// Tokens:
249//
250// STREAM-START(utf-8)
251// FLOW-MAPPING-START
252// KEY
253// SCALAR("a simple key",plain)
254// VALUE
255// SCALAR("a value",plain)
256// FLOW-ENTRY
257// KEY
258// SCALAR("a complex key",plain)
259// VALUE
260// SCALAR("another value",plain)
261// FLOW-ENTRY
262// FLOW-MAPPING-END
263// STREAM-END
264//
265// A simple key is a key which is not denoted by the '?' indicator. Note that
266// the Scanner still produce the KEY token whenever it encounters a simple key.
267//
268// For scanning block collections, the following tokens are used (note that we
269// repeat KEY and VALUE here):
270//
271// BLOCK-SEQUENCE-START
272// BLOCK-MAPPING-START
273// BLOCK-END
274// BLOCK-ENTRY
275// KEY
276// VALUE
277//
278// The tokens BLOCK-SEQUENCE-START and BLOCK-MAPPING-START denote indentation
279// increase that precedes a block collection (cf. the INDENT token in Python).
280// The token BLOCK-END denote indentation decrease that ends a block collection
281// (cf. the DEDENT token in Python). However YAML has some syntax pecularities
282// that makes detections of these tokens more complex.
283//
284// The tokens BLOCK-ENTRY, KEY, and VALUE are used to represent the indicators
285// '-', '?', and ':' correspondingly.
286//
287// The following examples show how the tokens BLOCK-SEQUENCE-START,
288// BLOCK-MAPPING-START, and BLOCK-END are emitted by the Scanner:
289//
290// 1. Block sequences:
291//
292// - item 1
293// - item 2
294// -
295// - item 3.1
296// - item 3.2
297// -
298// key 1: value 1
299// key 2: value 2
300//
301// Tokens:
302//
303// STREAM-START(utf-8)
304// BLOCK-SEQUENCE-START
305// BLOCK-ENTRY
306// SCALAR("item 1",plain)
307// BLOCK-ENTRY
308// SCALAR("item 2",plain)
309// BLOCK-ENTRY
310// BLOCK-SEQUENCE-START
311// BLOCK-ENTRY
312// SCALAR("item 3.1",plain)
313// BLOCK-ENTRY
314// SCALAR("item 3.2",plain)
315// BLOCK-END
316// BLOCK-ENTRY
317// BLOCK-MAPPING-START
318// KEY
319// SCALAR("key 1",plain)
320// VALUE
321// SCALAR("value 1",plain)
322// KEY
323// SCALAR("key 2",plain)
324// VALUE
325// SCALAR("value 2",plain)
326// BLOCK-END
327// BLOCK-END
328// STREAM-END
329//
330// 2. Block mappings:
331//
332// a simple key: a value # The KEY token is produced here.
333// ? a complex key
334// : another value
335// a mapping:
336// key 1: value 1
337// key 2: value 2
338// a sequence:
339// - item 1
340// - item 2
341//
342// Tokens:
343//
344// STREAM-START(utf-8)
345// BLOCK-MAPPING-START
346// KEY
347// SCALAR("a simple key",plain)
348// VALUE
349// SCALAR("a value",plain)
350// KEY
351// SCALAR("a complex key",plain)
352// VALUE
353// SCALAR("another value",plain)
354// KEY
355// SCALAR("a mapping",plain)
356// BLOCK-MAPPING-START
357// KEY
358// SCALAR("key 1",plain)
359// VALUE
360// SCALAR("value 1",plain)
361// KEY
362// SCALAR("key 2",plain)
363// VALUE
364// SCALAR("value 2",plain)
365// BLOCK-END
366// KEY
367// SCALAR("a sequence",plain)
368// VALUE
369// BLOCK-SEQUENCE-START
370// BLOCK-ENTRY
371// SCALAR("item 1",plain)
372// BLOCK-ENTRY
373// SCALAR("item 2",plain)
374// BLOCK-END
375// BLOCK-END
376// STREAM-END
377//
378// YAML does not always require to start a new block collection from a new
379// line. If the current line contains only '-', '?', and ':' indicators, a new
380// block collection may start at the current line. The following examples
381// illustrate this case:
382//
383// 1. Collections in a sequence:
384//
385// - - item 1
386// - item 2
387// - key 1: value 1
388// key 2: value 2
389// - ? complex key
390// : complex value
391//
392// Tokens:
393//
394// STREAM-START(utf-8)
395// BLOCK-SEQUENCE-START
396// BLOCK-ENTRY
397// BLOCK-SEQUENCE-START
398// BLOCK-ENTRY
399// SCALAR("item 1",plain)
400// BLOCK-ENTRY
401// SCALAR("item 2",plain)
402// BLOCK-END
403// BLOCK-ENTRY
404// BLOCK-MAPPING-START
405// KEY
406// SCALAR("key 1",plain)
407// VALUE
408// SCALAR("value 1",plain)
409// KEY
410// SCALAR("key 2",plain)
411// VALUE
412// SCALAR("value 2",plain)
413// BLOCK-END
414// BLOCK-ENTRY
415// BLOCK-MAPPING-START
416// KEY
417// SCALAR("complex key")
418// VALUE
419// SCALAR("complex value")
420// BLOCK-END
421// BLOCK-END
422// STREAM-END
423//
424// 2. Collections in a mapping:
425//
426// ? a sequence
427// : - item 1
428// - item 2
429// ? a mapping
430// : key 1: value 1
431// key 2: value 2
432//
433// Tokens:
434//
435// STREAM-START(utf-8)
436// BLOCK-MAPPING-START
437// KEY
438// SCALAR("a sequence",plain)
439// VALUE
440// BLOCK-SEQUENCE-START
441// BLOCK-ENTRY
442// SCALAR("item 1",plain)
443// BLOCK-ENTRY
444// SCALAR("item 2",plain)
445// BLOCK-END
446// KEY
447// SCALAR("a mapping",plain)
448// VALUE
449// BLOCK-MAPPING-START
450// KEY
451// SCALAR("key 1",plain)
452// VALUE
453// SCALAR("value 1",plain)
454// KEY
455// SCALAR("key 2",plain)
456// VALUE
457// SCALAR("value 2",plain)
458// BLOCK-END
459// BLOCK-END
460// STREAM-END
461//
462// YAML also permits non-indented sequences if they are included into a block
463// mapping. In this case, the token BLOCK-SEQUENCE-START is not produced:
464//
465// key:
466// - item 1 # BLOCK-SEQUENCE-START is NOT produced here.
467// - item 2
468//
469// Tokens:
470//
471// STREAM-START(utf-8)
472// BLOCK-MAPPING-START
473// KEY
474// SCALAR("key",plain)
475// VALUE
476// BLOCK-ENTRY
477// SCALAR("item 1",plain)
478// BLOCK-ENTRY
479// SCALAR("item 2",plain)
480// BLOCK-END
481//
482
483// Ensure that the buffer contains the required number of characters.
484// Return true on success, false on failure (reader error or memory error).
485func cache(parser *yaml_parser_t, length int) bool {
486 // [Go] This was inlined: !cache(A, B) -> unread < B && !update(A, B)
487 return parser.unread >= length || yaml_parser_update_buffer(parser, length)
488}
489
490// Advance the buffer pointer.
491func skip(parser *yaml_parser_t) {
492 parser.mark.index++
493 parser.mark.column++
494 parser.unread--
495 parser.buffer_pos += width(parser.buffer[parser.buffer_pos])
496}
497
498func skip_line(parser *yaml_parser_t) {
499 if is_crlf(parser.buffer, parser.buffer_pos) {
500 parser.mark.index += 2
501 parser.mark.column = 0
502 parser.mark.line++
503 parser.unread -= 2
504 parser.buffer_pos += 2
505 } else if is_break(parser.buffer, parser.buffer_pos) {
506 parser.mark.index++
507 parser.mark.column = 0
508 parser.mark.line++
509 parser.unread--
510 parser.buffer_pos += width(parser.buffer[parser.buffer_pos])
511 }
512}
513
514// Copy a character to a string buffer and advance pointers.
515func read(parser *yaml_parser_t, s []byte) []byte {
516 w := width(parser.buffer[parser.buffer_pos])
517 if w == 0 {
518 panic("invalid character sequence")
519 }
520 if len(s) == 0 {
521 s = make([]byte, 0, 32)
522 }
523 if w == 1 && len(s)+w <= cap(s) {
524 s = s[:len(s)+1]
525 s[len(s)-1] = parser.buffer[parser.buffer_pos]
526 parser.buffer_pos++
527 } else {
528 s = append(s, parser.buffer[parser.buffer_pos:parser.buffer_pos+w]...)
529 parser.buffer_pos += w
530 }
531 parser.mark.index++
532 parser.mark.column++
533 parser.unread--
534 return s
535}
536
537// Copy a line break character to a string buffer and advance pointers.
538func read_line(parser *yaml_parser_t, s []byte) []byte {
539 buf := parser.buffer
540 pos := parser.buffer_pos
541 switch {
542 case buf[pos] == '\r' && buf[pos+1] == '\n':
543 // CR LF . LF
544 s = append(s, '\n')
545 parser.buffer_pos += 2
546 parser.mark.index++
547 parser.unread--
548 case buf[pos] == '\r' || buf[pos] == '\n':
549 // CR|LF . LF
550 s = append(s, '\n')
551 parser.buffer_pos += 1
552 case buf[pos] == '\xC2' && buf[pos+1] == '\x85':
553 // NEL . LF
554 s = append(s, '\n')
555 parser.buffer_pos += 2
556 case buf[pos] == '\xE2' && buf[pos+1] == '\x80' && (buf[pos+2] == '\xA8' || buf[pos+2] == '\xA9'):
557 // LS|PS . LS|PS
558 s = append(s, buf[parser.buffer_pos:pos+3]...)
559 parser.buffer_pos += 3
560 default:
561 return s
562 }
563 parser.mark.index++
564 parser.mark.column = 0
565 parser.mark.line++
566 parser.unread--
567 return s
568}
569
570// Get the next token.
571func yaml_parser_scan(parser *yaml_parser_t, token *yaml_token_t) bool {
572 // Erase the token object.
573 *token = yaml_token_t{} // [Go] Is this necessary?
574
575 // No tokens after STREAM-END or error.
576 if parser.stream_end_produced || parser.error != yaml_NO_ERROR {
577 return true
578 }
579
580 // Ensure that the tokens queue contains enough tokens.
581 if !parser.token_available {
582 if !yaml_parser_fetch_more_tokens(parser) {
583 return false
584 }
585 }
586
587 // Fetch the next token from the queue.
588 *token = parser.tokens[parser.tokens_head]
589 parser.tokens_head++
590 parser.tokens_parsed++
591 parser.token_available = false
592
593 if token.typ == yaml_STREAM_END_TOKEN {
594 parser.stream_end_produced = true
595 }
596 return true
597}
598
599// Set the scanner error and return false.
600func yaml_parser_set_scanner_error(parser *yaml_parser_t, context string, context_mark yaml_mark_t, problem string) bool {
601 parser.error = yaml_SCANNER_ERROR
602 parser.context = context
603 parser.context_mark = context_mark
604 parser.problem = problem
605 parser.problem_mark = parser.mark
606 return false
607}
608
609func yaml_parser_set_scanner_tag_error(parser *yaml_parser_t, directive bool, context_mark yaml_mark_t, problem string) bool {
610 context := "while parsing a tag"
611 if directive {
612 context = "while parsing a %TAG directive"
613 }
614 return yaml_parser_set_scanner_error(parser, context, context_mark, problem)
615}
616
617func trace(args ...interface{}) func() {
618 pargs := append([]interface{}{"+++"}, args...)
619 fmt.Println(pargs...)
620 pargs = append([]interface{}{"---"}, args...)
621 return func() { fmt.Println(pargs...) }
622}
623
624// Ensure that the tokens queue contains at least one token which can be
625// returned to the Parser.
626func yaml_parser_fetch_more_tokens(parser *yaml_parser_t) bool {
627 // While we need more tokens to fetch, do it.
628 for {
629 // Check if we really need to fetch more tokens.
630 need_more_tokens := false
631
632 if parser.tokens_head == len(parser.tokens) {
633 // Queue is empty.
634 need_more_tokens = true
635 } else {
636 // Check if any potential simple key may occupy the head position.
637 if !yaml_parser_stale_simple_keys(parser) {
638 return false
639 }
640
641 for i := range parser.simple_keys {
642 simple_key := &parser.simple_keys[i]
643 if simple_key.possible && simple_key.token_number == parser.tokens_parsed {
644 need_more_tokens = true
645 break
646 }
647 }
648 }
649
650 // We are finished.
651 if !need_more_tokens {
652 break
653 }
654 // Fetch the next token.
655 if !yaml_parser_fetch_next_token(parser) {
656 return false
657 }
658 }
659
660 parser.token_available = true
661 return true
662}
663
664// The dispatcher for token fetchers.
665func yaml_parser_fetch_next_token(parser *yaml_parser_t) bool {
666 // Ensure that the buffer is initialized.
667 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
668 return false
669 }
670
671 // Check if we just started scanning. Fetch STREAM-START then.
672 if !parser.stream_start_produced {
673 return yaml_parser_fetch_stream_start(parser)
674 }
675
676 // Eat whitespaces and comments until we reach the next token.
677 if !yaml_parser_scan_to_next_token(parser) {
678 return false
679 }
680
681 // Remove obsolete potential simple keys.
682 if !yaml_parser_stale_simple_keys(parser) {
683 return false
684 }
685
686 // Check the indentation level against the current column.
687 if !yaml_parser_unroll_indent(parser, parser.mark.column) {
688 return false
689 }
690
691 // Ensure that the buffer contains at least 4 characters. 4 is the length
692 // of the longest indicators ('--- ' and '... ').
693 if parser.unread < 4 && !yaml_parser_update_buffer(parser, 4) {
694 return false
695 }
696
697 // Is it the end of the stream?
698 if is_z(parser.buffer, parser.buffer_pos) {
699 return yaml_parser_fetch_stream_end(parser)
700 }
701
702 // Is it a directive?
703 if parser.mark.column == 0 && parser.buffer[parser.buffer_pos] == '%' {
704 return yaml_parser_fetch_directive(parser)
705 }
706
707 buf := parser.buffer
708 pos := parser.buffer_pos
709
710 // Is it the document start indicator?
711 if parser.mark.column == 0 && buf[pos] == '-' && buf[pos+1] == '-' && buf[pos+2] == '-' && is_blankz(buf, pos+3) {
712 return yaml_parser_fetch_document_indicator(parser, yaml_DOCUMENT_START_TOKEN)
713 }
714
715 // Is it the document end indicator?
716 if parser.mark.column == 0 && buf[pos] == '.' && buf[pos+1] == '.' && buf[pos+2] == '.' && is_blankz(buf, pos+3) {
717 return yaml_parser_fetch_document_indicator(parser, yaml_DOCUMENT_END_TOKEN)
718 }
719
720 // Is it the flow sequence start indicator?
721 if buf[pos] == '[' {
722 return yaml_parser_fetch_flow_collection_start(parser, yaml_FLOW_SEQUENCE_START_TOKEN)
723 }
724
725 // Is it the flow mapping start indicator?
726 if parser.buffer[parser.buffer_pos] == '{' {
727 return yaml_parser_fetch_flow_collection_start(parser, yaml_FLOW_MAPPING_START_TOKEN)
728 }
729
730 // Is it the flow sequence end indicator?
731 if parser.buffer[parser.buffer_pos] == ']' {
732 return yaml_parser_fetch_flow_collection_end(parser,
733 yaml_FLOW_SEQUENCE_END_TOKEN)
734 }
735
736 // Is it the flow mapping end indicator?
737 if parser.buffer[parser.buffer_pos] == '}' {
738 return yaml_parser_fetch_flow_collection_end(parser,
739 yaml_FLOW_MAPPING_END_TOKEN)
740 }
741
742 // Is it the flow entry indicator?
743 if parser.buffer[parser.buffer_pos] == ',' {
744 return yaml_parser_fetch_flow_entry(parser)
745 }
746
747 // Is it the block entry indicator?
748 if parser.buffer[parser.buffer_pos] == '-' && is_blankz(parser.buffer, parser.buffer_pos+1) {
749 return yaml_parser_fetch_block_entry(parser)
750 }
751
752 // Is it the key indicator?
753 if parser.buffer[parser.buffer_pos] == '?' && (parser.flow_level > 0 || is_blankz(parser.buffer, parser.buffer_pos+1)) {
754 return yaml_parser_fetch_key(parser)
755 }
756
757 // Is it the value indicator?
758 if parser.buffer[parser.buffer_pos] == ':' && (parser.flow_level > 0 || is_blankz(parser.buffer, parser.buffer_pos+1)) {
759 return yaml_parser_fetch_value(parser)
760 }
761
762 // Is it an alias?
763 if parser.buffer[parser.buffer_pos] == '*' {
764 return yaml_parser_fetch_anchor(parser, yaml_ALIAS_TOKEN)
765 }
766
767 // Is it an anchor?
768 if parser.buffer[parser.buffer_pos] == '&' {
769 return yaml_parser_fetch_anchor(parser, yaml_ANCHOR_TOKEN)
770 }
771
772 // Is it a tag?
773 if parser.buffer[parser.buffer_pos] == '!' {
774 return yaml_parser_fetch_tag(parser)
775 }
776
777 // Is it a literal scalar?
778 if parser.buffer[parser.buffer_pos] == '|' && parser.flow_level == 0 {
779 return yaml_parser_fetch_block_scalar(parser, true)
780 }
781
782 // Is it a folded scalar?
783 if parser.buffer[parser.buffer_pos] == '>' && parser.flow_level == 0 {
784 return yaml_parser_fetch_block_scalar(parser, false)
785 }
786
787 // Is it a single-quoted scalar?
788 if parser.buffer[parser.buffer_pos] == '\'' {
789 return yaml_parser_fetch_flow_scalar(parser, true)
790 }
791
792 // Is it a double-quoted scalar?
793 if parser.buffer[parser.buffer_pos] == '"' {
794 return yaml_parser_fetch_flow_scalar(parser, false)
795 }
796
797 // Is it a plain scalar?
798 //
799 // A plain scalar may start with any non-blank characters except
800 //
801 // '-', '?', ':', ',', '[', ']', '{', '}',
802 // '#', '&', '*', '!', '|', '>', '\'', '\"',
803 // '%', '@', '`'.
804 //
805 // In the block context (and, for the '-' indicator, in the flow context
806 // too), it may also start with the characters
807 //
808 // '-', '?', ':'
809 //
810 // if it is followed by a non-space character.
811 //
812 // The last rule is more restrictive than the specification requires.
813 // [Go] Make this logic more reasonable.
814 //switch parser.buffer[parser.buffer_pos] {
815 //case '-', '?', ':', ',', '?', '-', ',', ':', ']', '[', '}', '{', '&', '#', '!', '*', '>', '|', '"', '\'', '@', '%', '-', '`':
816 //}
817 if !(is_blankz(parser.buffer, parser.buffer_pos) || parser.buffer[parser.buffer_pos] == '-' ||
818 parser.buffer[parser.buffer_pos] == '?' || parser.buffer[parser.buffer_pos] == ':' ||
819 parser.buffer[parser.buffer_pos] == ',' || parser.buffer[parser.buffer_pos] == '[' ||
820 parser.buffer[parser.buffer_pos] == ']' || parser.buffer[parser.buffer_pos] == '{' ||
821 parser.buffer[parser.buffer_pos] == '}' || parser.buffer[parser.buffer_pos] == '#' ||
822 parser.buffer[parser.buffer_pos] == '&' || parser.buffer[parser.buffer_pos] == '*' ||
823 parser.buffer[parser.buffer_pos] == '!' || parser.buffer[parser.buffer_pos] == '|' ||
824 parser.buffer[parser.buffer_pos] == '>' || parser.buffer[parser.buffer_pos] == '\'' ||
825 parser.buffer[parser.buffer_pos] == '"' || parser.buffer[parser.buffer_pos] == '%' ||
826 parser.buffer[parser.buffer_pos] == '@' || parser.buffer[parser.buffer_pos] == '`') ||
827 (parser.buffer[parser.buffer_pos] == '-' && !is_blank(parser.buffer, parser.buffer_pos+1)) ||
828 (parser.flow_level == 0 &&
829 (parser.buffer[parser.buffer_pos] == '?' || parser.buffer[parser.buffer_pos] == ':') &&
830 !is_blankz(parser.buffer, parser.buffer_pos+1)) {
831 return yaml_parser_fetch_plain_scalar(parser)
832 }
833
834 // If we don't determine the token type so far, it is an error.
835 return yaml_parser_set_scanner_error(parser,
836 "while scanning for the next token", parser.mark,
837 "found character that cannot start any token")
838}
839
840// Check the list of potential simple keys and remove the positions that
841// cannot contain simple keys anymore.
842func yaml_parser_stale_simple_keys(parser *yaml_parser_t) bool {
843 // Check for a potential simple key for each flow level.
844 for i := range parser.simple_keys {
845 simple_key := &parser.simple_keys[i]
846
847 // The specification requires that a simple key
848 //
849 // - is limited to a single line,
850 // - is shorter than 1024 characters.
851 if simple_key.possible && (simple_key.mark.line < parser.mark.line || simple_key.mark.index+1024 < parser.mark.index) {
852
853 // Check if the potential simple key to be removed is required.
854 if simple_key.required {
855 return yaml_parser_set_scanner_error(parser,
856 "while scanning a simple key", simple_key.mark,
857 "could not find expected ':'")
858 }
859 simple_key.possible = false
860 }
861 }
862 return true
863}
864
865// Check if a simple key may start at the current position and add it if
866// needed.
867func yaml_parser_save_simple_key(parser *yaml_parser_t) bool {
868 // A simple key is required at the current position if the scanner is in
869 // the block context and the current column coincides with the indentation
870 // level.
871
872 required := parser.flow_level == 0 && parser.indent == parser.mark.column
873
874 //
875 // If the current position may start a simple key, save it.
876 //
877 if parser.simple_key_allowed {
878 simple_key := yaml_simple_key_t{
879 possible: true,
880 required: required,
881 token_number: parser.tokens_parsed + (len(parser.tokens) - parser.tokens_head),
882 }
883 simple_key.mark = parser.mark
884
885 if !yaml_parser_remove_simple_key(parser) {
886 return false
887 }
888 parser.simple_keys[len(parser.simple_keys)-1] = simple_key
889 }
890 return true
891}
892
893// Remove a potential simple key at the current flow level.
894func yaml_parser_remove_simple_key(parser *yaml_parser_t) bool {
895 i := len(parser.simple_keys) - 1
896 if parser.simple_keys[i].possible {
897 // If the key is required, it is an error.
898 if parser.simple_keys[i].required {
899 return yaml_parser_set_scanner_error(parser,
900 "while scanning a simple key", parser.simple_keys[i].mark,
901 "could not find expected ':'")
902 }
903 }
904 // Remove the key from the stack.
905 parser.simple_keys[i].possible = false
906 return true
907}
908
909// Increase the flow level and resize the simple key list if needed.
910func yaml_parser_increase_flow_level(parser *yaml_parser_t) bool {
911 // Reset the simple key on the next level.
912 parser.simple_keys = append(parser.simple_keys, yaml_simple_key_t{})
913
914 // Increase the flow level.
915 parser.flow_level++
916 return true
917}
918
919// Decrease the flow level.
920func yaml_parser_decrease_flow_level(parser *yaml_parser_t) bool {
921 if parser.flow_level > 0 {
922 parser.flow_level--
923 parser.simple_keys = parser.simple_keys[:len(parser.simple_keys)-1]
924 }
925 return true
926}
927
928// Push the current indentation level to the stack and set the new level
929// the current column is greater than the indentation level. In this case,
930// append or insert the specified token into the token queue.
931func yaml_parser_roll_indent(parser *yaml_parser_t, column, number int, typ yaml_token_type_t, mark yaml_mark_t) bool {
932 // In the flow context, do nothing.
933 if parser.flow_level > 0 {
934 return true
935 }
936
937 if parser.indent < column {
938 // Push the current indentation level to the stack and set the new
939 // indentation level.
940 parser.indents = append(parser.indents, parser.indent)
941 parser.indent = column
942
943 // Create a token and insert it into the queue.
944 token := yaml_token_t{
945 typ: typ,
946 start_mark: mark,
947 end_mark: mark,
948 }
949 if number > -1 {
950 number -= parser.tokens_parsed
951 }
952 yaml_insert_token(parser, number, &token)
953 }
954 return true
955}
956
957// Pop indentation levels from the indents stack until the current level
958// becomes less or equal to the column. For each indentation level, append
959// the BLOCK-END token.
960func yaml_parser_unroll_indent(parser *yaml_parser_t, column int) bool {
961 // In the flow context, do nothing.
962 if parser.flow_level > 0 {
963 return true
964 }
965
966 // Loop through the indentation levels in the stack.
967 for parser.indent > column {
968 // Create a token and append it to the queue.
969 token := yaml_token_t{
970 typ: yaml_BLOCK_END_TOKEN,
971 start_mark: parser.mark,
972 end_mark: parser.mark,
973 }
974 yaml_insert_token(parser, -1, &token)
975
976 // Pop the indentation level.
977 parser.indent = parser.indents[len(parser.indents)-1]
978 parser.indents = parser.indents[:len(parser.indents)-1]
979 }
980 return true
981}
982
983// Initialize the scanner and produce the STREAM-START token.
984func yaml_parser_fetch_stream_start(parser *yaml_parser_t) bool {
985
986 // Set the initial indentation.
987 parser.indent = -1
988
989 // Initialize the simple key stack.
990 parser.simple_keys = append(parser.simple_keys, yaml_simple_key_t{})
991
992 // A simple key is allowed at the beginning of the stream.
993 parser.simple_key_allowed = true
994
995 // We have started.
996 parser.stream_start_produced = true
997
998 // Create the STREAM-START token and append it to the queue.
999 token := yaml_token_t{
1000 typ: yaml_STREAM_START_TOKEN,
1001 start_mark: parser.mark,
1002 end_mark: parser.mark,
1003 encoding: parser.encoding,
1004 }
1005 yaml_insert_token(parser, -1, &token)
1006 return true
1007}
1008
1009// Produce the STREAM-END token and shut down the scanner.
1010func yaml_parser_fetch_stream_end(parser *yaml_parser_t) bool {
1011
1012 // Force new line.
1013 if parser.mark.column != 0 {
1014 parser.mark.column = 0
1015 parser.mark.line++
1016 }
1017
1018 // Reset the indentation level.
1019 if !yaml_parser_unroll_indent(parser, -1) {
1020 return false
1021 }
1022
1023 // Reset simple keys.
1024 if !yaml_parser_remove_simple_key(parser) {
1025 return false
1026 }
1027
1028 parser.simple_key_allowed = false
1029
1030 // Create the STREAM-END token and append it to the queue.
1031 token := yaml_token_t{
1032 typ: yaml_STREAM_END_TOKEN,
1033 start_mark: parser.mark,
1034 end_mark: parser.mark,
1035 }
1036 yaml_insert_token(parser, -1, &token)
1037 return true
1038}
1039
1040// Produce a VERSION-DIRECTIVE or TAG-DIRECTIVE token.
1041func yaml_parser_fetch_directive(parser *yaml_parser_t) bool {
1042 // Reset the indentation level.
1043 if !yaml_parser_unroll_indent(parser, -1) {
1044 return false
1045 }
1046
1047 // Reset simple keys.
1048 if !yaml_parser_remove_simple_key(parser) {
1049 return false
1050 }
1051
1052 parser.simple_key_allowed = false
1053
1054 // Create the YAML-DIRECTIVE or TAG-DIRECTIVE token.
1055 token := yaml_token_t{}
1056 if !yaml_parser_scan_directive(parser, &token) {
1057 return false
1058 }
1059 // Append the token to the queue.
1060 yaml_insert_token(parser, -1, &token)
1061 return true
1062}
1063
1064// Produce the DOCUMENT-START or DOCUMENT-END token.
1065func yaml_parser_fetch_document_indicator(parser *yaml_parser_t, typ yaml_token_type_t) bool {
1066 // Reset the indentation level.
1067 if !yaml_parser_unroll_indent(parser, -1) {
1068 return false
1069 }
1070
1071 // Reset simple keys.
1072 if !yaml_parser_remove_simple_key(parser) {
1073 return false
1074 }
1075
1076 parser.simple_key_allowed = false
1077
1078 // Consume the token.
1079 start_mark := parser.mark
1080
1081 skip(parser)
1082 skip(parser)
1083 skip(parser)
1084
1085 end_mark := parser.mark
1086
1087 // Create the DOCUMENT-START or DOCUMENT-END token.
1088 token := yaml_token_t{
1089 typ: typ,
1090 start_mark: start_mark,
1091 end_mark: end_mark,
1092 }
1093 // Append the token to the queue.
1094 yaml_insert_token(parser, -1, &token)
1095 return true
1096}
1097
1098// Produce the FLOW-SEQUENCE-START or FLOW-MAPPING-START token.
1099func yaml_parser_fetch_flow_collection_start(parser *yaml_parser_t, typ yaml_token_type_t) bool {
1100 // The indicators '[' and '{' may start a simple key.
1101 if !yaml_parser_save_simple_key(parser) {
1102 return false
1103 }
1104
1105 // Increase the flow level.
1106 if !yaml_parser_increase_flow_level(parser) {
1107 return false
1108 }
1109
1110 // A simple key may follow the indicators '[' and '{'.
1111 parser.simple_key_allowed = true
1112
1113 // Consume the token.
1114 start_mark := parser.mark
1115 skip(parser)
1116 end_mark := parser.mark
1117
1118 // Create the FLOW-SEQUENCE-START of FLOW-MAPPING-START token.
1119 token := yaml_token_t{
1120 typ: typ,
1121 start_mark: start_mark,
1122 end_mark: end_mark,
1123 }
1124 // Append the token to the queue.
1125 yaml_insert_token(parser, -1, &token)
1126 return true
1127}
1128
1129// Produce the FLOW-SEQUENCE-END or FLOW-MAPPING-END token.
1130func yaml_parser_fetch_flow_collection_end(parser *yaml_parser_t, typ yaml_token_type_t) bool {
1131 // Reset any potential simple key on the current flow level.
1132 if !yaml_parser_remove_simple_key(parser) {
1133 return false
1134 }
1135
1136 // Decrease the flow level.
1137 if !yaml_parser_decrease_flow_level(parser) {
1138 return false
1139 }
1140
1141 // No simple keys after the indicators ']' and '}'.
1142 parser.simple_key_allowed = false
1143
1144 // Consume the token.
1145
1146 start_mark := parser.mark
1147 skip(parser)
1148 end_mark := parser.mark
1149
1150 // Create the FLOW-SEQUENCE-END of FLOW-MAPPING-END token.
1151 token := yaml_token_t{
1152 typ: typ,
1153 start_mark: start_mark,
1154 end_mark: end_mark,
1155 }
1156 // Append the token to the queue.
1157 yaml_insert_token(parser, -1, &token)
1158 return true
1159}
1160
1161// Produce the FLOW-ENTRY token.
1162func yaml_parser_fetch_flow_entry(parser *yaml_parser_t) bool {
1163 // Reset any potential simple keys on the current flow level.
1164 if !yaml_parser_remove_simple_key(parser) {
1165 return false
1166 }
1167
1168 // Simple keys are allowed after ','.
1169 parser.simple_key_allowed = true
1170
1171 // Consume the token.
1172 start_mark := parser.mark
1173 skip(parser)
1174 end_mark := parser.mark
1175
1176 // Create the FLOW-ENTRY token and append it to the queue.
1177 token := yaml_token_t{
1178 typ: yaml_FLOW_ENTRY_TOKEN,
1179 start_mark: start_mark,
1180 end_mark: end_mark,
1181 }
1182 yaml_insert_token(parser, -1, &token)
1183 return true
1184}
1185
1186// Produce the BLOCK-ENTRY token.
1187func yaml_parser_fetch_block_entry(parser *yaml_parser_t) bool {
1188 // Check if the scanner is in the block context.
1189 if parser.flow_level == 0 {
1190 // Check if we are allowed to start a new entry.
1191 if !parser.simple_key_allowed {
1192 return yaml_parser_set_scanner_error(parser, "", parser.mark,
1193 "block sequence entries are not allowed in this context")
1194 }
1195 // Add the BLOCK-SEQUENCE-START token if needed.
1196 if !yaml_parser_roll_indent(parser, parser.mark.column, -1, yaml_BLOCK_SEQUENCE_START_TOKEN, parser.mark) {
1197 return false
1198 }
1199 } else {
1200 // It is an error for the '-' indicator to occur in the flow context,
1201 // but we let the Parser detect and report about it because the Parser
1202 // is able to point to the context.
1203 }
1204
1205 // Reset any potential simple keys on the current flow level.
1206 if !yaml_parser_remove_simple_key(parser) {
1207 return false
1208 }
1209
1210 // Simple keys are allowed after '-'.
1211 parser.simple_key_allowed = true
1212
1213 // Consume the token.
1214 start_mark := parser.mark
1215 skip(parser)
1216 end_mark := parser.mark
1217
1218 // Create the BLOCK-ENTRY token and append it to the queue.
1219 token := yaml_token_t{
1220 typ: yaml_BLOCK_ENTRY_TOKEN,
1221 start_mark: start_mark,
1222 end_mark: end_mark,
1223 }
1224 yaml_insert_token(parser, -1, &token)
1225 return true
1226}
1227
1228// Produce the KEY token.
1229func yaml_parser_fetch_key(parser *yaml_parser_t) bool {
1230
1231 // In the block context, additional checks are required.
1232 if parser.flow_level == 0 {
1233 // Check if we are allowed to start a new key (not nessesary simple).
1234 if !parser.simple_key_allowed {
1235 return yaml_parser_set_scanner_error(parser, "", parser.mark,
1236 "mapping keys are not allowed in this context")
1237 }
1238 // Add the BLOCK-MAPPING-START token if needed.
1239 if !yaml_parser_roll_indent(parser, parser.mark.column, -1, yaml_BLOCK_MAPPING_START_TOKEN, parser.mark) {
1240 return false
1241 }
1242 }
1243
1244 // Reset any potential simple keys on the current flow level.
1245 if !yaml_parser_remove_simple_key(parser) {
1246 return false
1247 }
1248
1249 // Simple keys are allowed after '?' in the block context.
1250 parser.simple_key_allowed = parser.flow_level == 0
1251
1252 // Consume the token.
1253 start_mark := parser.mark
1254 skip(parser)
1255 end_mark := parser.mark
1256
1257 // Create the KEY token and append it to the queue.
1258 token := yaml_token_t{
1259 typ: yaml_KEY_TOKEN,
1260 start_mark: start_mark,
1261 end_mark: end_mark,
1262 }
1263 yaml_insert_token(parser, -1, &token)
1264 return true
1265}
1266
1267// Produce the VALUE token.
1268func yaml_parser_fetch_value(parser *yaml_parser_t) bool {
1269
1270 simple_key := &parser.simple_keys[len(parser.simple_keys)-1]
1271
1272 // Have we found a simple key?
1273 if simple_key.possible {
1274 // Create the KEY token and insert it into the queue.
1275 token := yaml_token_t{
1276 typ: yaml_KEY_TOKEN,
1277 start_mark: simple_key.mark,
1278 end_mark: simple_key.mark,
1279 }
1280 yaml_insert_token(parser, simple_key.token_number-parser.tokens_parsed, &token)
1281
1282 // In the block context, we may need to add the BLOCK-MAPPING-START token.
1283 if !yaml_parser_roll_indent(parser, simple_key.mark.column,
1284 simple_key.token_number,
1285 yaml_BLOCK_MAPPING_START_TOKEN, simple_key.mark) {
1286 return false
1287 }
1288
1289 // Remove the simple key.
1290 simple_key.possible = false
1291
1292 // A simple key cannot follow another simple key.
1293 parser.simple_key_allowed = false
1294
1295 } else {
1296 // The ':' indicator follows a complex key.
1297
1298 // In the block context, extra checks are required.
1299 if parser.flow_level == 0 {
1300
1301 // Check if we are allowed to start a complex value.
1302 if !parser.simple_key_allowed {
1303 return yaml_parser_set_scanner_error(parser, "", parser.mark,
1304 "mapping values are not allowed in this context")
1305 }
1306
1307 // Add the BLOCK-MAPPING-START token if needed.
1308 if !yaml_parser_roll_indent(parser, parser.mark.column, -1, yaml_BLOCK_MAPPING_START_TOKEN, parser.mark) {
1309 return false
1310 }
1311 }
1312
1313 // Simple keys after ':' are allowed in the block context.
1314 parser.simple_key_allowed = parser.flow_level == 0
1315 }
1316
1317 // Consume the token.
1318 start_mark := parser.mark
1319 skip(parser)
1320 end_mark := parser.mark
1321
1322 // Create the VALUE token and append it to the queue.
1323 token := yaml_token_t{
1324 typ: yaml_VALUE_TOKEN,
1325 start_mark: start_mark,
1326 end_mark: end_mark,
1327 }
1328 yaml_insert_token(parser, -1, &token)
1329 return true
1330}
1331
1332// Produce the ALIAS or ANCHOR token.
1333func yaml_parser_fetch_anchor(parser *yaml_parser_t, typ yaml_token_type_t) bool {
1334 // An anchor or an alias could be a simple key.
1335 if !yaml_parser_save_simple_key(parser) {
1336 return false
1337 }
1338
1339 // A simple key cannot follow an anchor or an alias.
1340 parser.simple_key_allowed = false
1341
1342 // Create the ALIAS or ANCHOR token and append it to the queue.
1343 var token yaml_token_t
1344 if !yaml_parser_scan_anchor(parser, &token, typ) {
1345 return false
1346 }
1347 yaml_insert_token(parser, -1, &token)
1348 return true
1349}
1350
1351// Produce the TAG token.
1352func yaml_parser_fetch_tag(parser *yaml_parser_t) bool {
1353 // A tag could be a simple key.
1354 if !yaml_parser_save_simple_key(parser) {
1355 return false
1356 }
1357
1358 // A simple key cannot follow a tag.
1359 parser.simple_key_allowed = false
1360
1361 // Create the TAG token and append it to the queue.
1362 var token yaml_token_t
1363 if !yaml_parser_scan_tag(parser, &token) {
1364 return false
1365 }
1366 yaml_insert_token(parser, -1, &token)
1367 return true
1368}
1369
1370// Produce the SCALAR(...,literal) or SCALAR(...,folded) tokens.
1371func yaml_parser_fetch_block_scalar(parser *yaml_parser_t, literal bool) bool {
1372 // Remove any potential simple keys.
1373 if !yaml_parser_remove_simple_key(parser) {
1374 return false
1375 }
1376
1377 // A simple key may follow a block scalar.
1378 parser.simple_key_allowed = true
1379
1380 // Create the SCALAR token and append it to the queue.
1381 var token yaml_token_t
1382 if !yaml_parser_scan_block_scalar(parser, &token, literal) {
1383 return false
1384 }
1385 yaml_insert_token(parser, -1, &token)
1386 return true
1387}
1388
1389// Produce the SCALAR(...,single-quoted) or SCALAR(...,double-quoted) tokens.
1390func yaml_parser_fetch_flow_scalar(parser *yaml_parser_t, single bool) bool {
1391 // A plain scalar could be a simple key.
1392 if !yaml_parser_save_simple_key(parser) {
1393 return false
1394 }
1395
1396 // A simple key cannot follow a flow scalar.
1397 parser.simple_key_allowed = false
1398
1399 // Create the SCALAR token and append it to the queue.
1400 var token yaml_token_t
1401 if !yaml_parser_scan_flow_scalar(parser, &token, single) {
1402 return false
1403 }
1404 yaml_insert_token(parser, -1, &token)
1405 return true
1406}
1407
1408// Produce the SCALAR(...,plain) token.
1409func yaml_parser_fetch_plain_scalar(parser *yaml_parser_t) bool {
1410 // A plain scalar could be a simple key.
1411 if !yaml_parser_save_simple_key(parser) {
1412 return false
1413 }
1414
1415 // A simple key cannot follow a flow scalar.
1416 parser.simple_key_allowed = false
1417
1418 // Create the SCALAR token and append it to the queue.
1419 var token yaml_token_t
1420 if !yaml_parser_scan_plain_scalar(parser, &token) {
1421 return false
1422 }
1423 yaml_insert_token(parser, -1, &token)
1424 return true
1425}
1426
1427// Eat whitespaces and comments until the next token is found.
1428func yaml_parser_scan_to_next_token(parser *yaml_parser_t) bool {
1429
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001430 parser.linesSinceLast = 0
1431 parser.spacesSinceLast = 0
1432
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001433 // Until the next token is not found.
1434 for {
1435 // Allow the BOM mark to start a line.
1436 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1437 return false
1438 }
1439 if parser.mark.column == 0 && is_bom(parser.buffer, parser.buffer_pos) {
1440 skip(parser)
1441 }
1442
1443 // Eat whitespaces.
1444 // Tabs are allowed:
1445 // - in the flow context
1446 // - in the block context, but not at the beginning of the line or
1447 // after '-', '?', or ':' (complex value).
1448 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1449 return false
1450 }
1451
1452 for parser.buffer[parser.buffer_pos] == ' ' || ((parser.flow_level > 0 || !parser.simple_key_allowed) && parser.buffer[parser.buffer_pos] == '\t') {
1453 skip(parser)
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001454 parser.spacesSinceLast++
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001455 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1456 return false
1457 }
1458 }
1459
1460 // Eat a comment until a line break.
1461 if parser.buffer[parser.buffer_pos] == '#' {
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001462 rel := parser.relPos()
1463 m := parser.mark
1464 parser.comment_buffer = parser.comment_buffer[:0]
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001465 for !is_breakz(parser.buffer, parser.buffer_pos) {
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001466 p := parser.buffer_pos
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001467 skip(parser)
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001468 parser.comment_buffer = append(parser.comment_buffer,
1469 parser.buffer[p:parser.buffer_pos]...)
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001470 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1471 return false
1472 }
1473 }
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001474 add_comment(parser, rel, m, string(parser.comment_buffer))
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001475 }
1476
1477 // If it is a line break, eat it.
1478 if is_break(parser.buffer, parser.buffer_pos) {
1479 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
1480 return false
1481 }
1482 skip_line(parser)
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001483 parser.linesSinceLast++
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001484
1485 // In the block context, a new line may start a simple key.
1486 if parser.flow_level == 0 {
1487 parser.simple_key_allowed = true
1488 }
1489 } else {
1490 break // We have found a token.
1491 }
1492 }
1493
1494 return true
1495}
1496
1497// Scan a YAML-DIRECTIVE or TAG-DIRECTIVE token.
1498//
1499// Scope:
1500// %YAML 1.1 # a comment \n
1501// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
1502// %TAG !yaml! tag:yaml.org,2002: \n
1503// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
1504//
1505func yaml_parser_scan_directive(parser *yaml_parser_t, token *yaml_token_t) bool {
1506 // Eat '%'.
1507 start_mark := parser.mark
1508 skip(parser)
1509
1510 // Scan the directive name.
1511 var name []byte
1512 if !yaml_parser_scan_directive_name(parser, start_mark, &name) {
1513 return false
1514 }
1515
1516 // Is it a YAML directive?
1517 if bytes.Equal(name, []byte("YAML")) {
1518 // Scan the VERSION directive value.
1519 var major, minor int8
1520 if !yaml_parser_scan_version_directive_value(parser, start_mark, &major, &minor) {
1521 return false
1522 }
1523 end_mark := parser.mark
1524
1525 // Create a VERSION-DIRECTIVE token.
1526 *token = yaml_token_t{
1527 typ: yaml_VERSION_DIRECTIVE_TOKEN,
1528 start_mark: start_mark,
1529 end_mark: end_mark,
1530 major: major,
1531 minor: minor,
1532 }
1533
1534 // Is it a TAG directive?
1535 } else if bytes.Equal(name, []byte("TAG")) {
1536 // Scan the TAG directive value.
1537 var handle, prefix []byte
1538 if !yaml_parser_scan_tag_directive_value(parser, start_mark, &handle, &prefix) {
1539 return false
1540 }
1541 end_mark := parser.mark
1542
1543 // Create a TAG-DIRECTIVE token.
1544 *token = yaml_token_t{
1545 typ: yaml_TAG_DIRECTIVE_TOKEN,
1546 start_mark: start_mark,
1547 end_mark: end_mark,
1548 value: handle,
1549 prefix: prefix,
1550 }
1551
1552 // Unknown directive.
1553 } else {
1554 yaml_parser_set_scanner_error(parser, "while scanning a directive",
1555 start_mark, "found unknown directive name")
1556 return false
1557 }
1558
1559 // Eat the rest of the line including any comments.
1560 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1561 return false
1562 }
1563
1564 for is_blank(parser.buffer, parser.buffer_pos) {
1565 skip(parser)
1566 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1567 return false
1568 }
1569 }
1570
1571 if parser.buffer[parser.buffer_pos] == '#' {
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001572 rel := parser.relPos()
1573 m := parser.mark
1574 parser.comment_buffer = parser.comment_buffer[:0]
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001575 for !is_breakz(parser.buffer, parser.buffer_pos) {
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001576 p := parser.buffer_pos
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001577 skip(parser)
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001578 parser.comment_buffer = append(parser.comment_buffer,
1579 parser.buffer[p:parser.buffer_pos]...)
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001580 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1581 return false
1582 }
1583 }
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01001584 add_comment(parser, rel, m, string(parser.comment_buffer))
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01001585 }
1586
1587 // Check if we are at the end of the line.
1588 if !is_breakz(parser.buffer, parser.buffer_pos) {
1589 yaml_parser_set_scanner_error(parser, "while scanning a directive",
1590 start_mark, "did not find expected comment or line break")
1591 return false
1592 }
1593
1594 // Eat a line break.
1595 if is_break(parser.buffer, parser.buffer_pos) {
1596 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
1597 return false
1598 }
1599 skip_line(parser)
1600 }
1601
1602 return true
1603}
1604
1605// Scan the directive name.
1606//
1607// Scope:
1608// %YAML 1.1 # a comment \n
1609// ^^^^
1610// %TAG !yaml! tag:yaml.org,2002: \n
1611// ^^^
1612//
1613func yaml_parser_scan_directive_name(parser *yaml_parser_t, start_mark yaml_mark_t, name *[]byte) bool {
1614 // Consume the directive name.
1615 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1616 return false
1617 }
1618
1619 var s []byte
1620 for is_alpha(parser.buffer, parser.buffer_pos) {
1621 s = read(parser, s)
1622 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1623 return false
1624 }
1625 }
1626
1627 // Check if the name is empty.
1628 if len(s) == 0 {
1629 yaml_parser_set_scanner_error(parser, "while scanning a directive",
1630 start_mark, "could not find expected directive name")
1631 return false
1632 }
1633
1634 // Check for an blank character after the name.
1635 if !is_blankz(parser.buffer, parser.buffer_pos) {
1636 yaml_parser_set_scanner_error(parser, "while scanning a directive",
1637 start_mark, "found unexpected non-alphabetical character")
1638 return false
1639 }
1640 *name = s
1641 return true
1642}
1643
1644// Scan the value of VERSION-DIRECTIVE.
1645//
1646// Scope:
1647// %YAML 1.1 # a comment \n
1648// ^^^^^^
1649func yaml_parser_scan_version_directive_value(parser *yaml_parser_t, start_mark yaml_mark_t, major, minor *int8) bool {
1650 // Eat whitespaces.
1651 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1652 return false
1653 }
1654 for is_blank(parser.buffer, parser.buffer_pos) {
1655 skip(parser)
1656 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1657 return false
1658 }
1659 }
1660
1661 // Consume the major version number.
1662 if !yaml_parser_scan_version_directive_number(parser, start_mark, major) {
1663 return false
1664 }
1665
1666 // Eat '.'.
1667 if parser.buffer[parser.buffer_pos] != '.' {
1668 return yaml_parser_set_scanner_error(parser, "while scanning a %YAML directive",
1669 start_mark, "did not find expected digit or '.' character")
1670 }
1671
1672 skip(parser)
1673
1674 // Consume the minor version number.
1675 if !yaml_parser_scan_version_directive_number(parser, start_mark, minor) {
1676 return false
1677 }
1678 return true
1679}
1680
1681const max_number_length = 2
1682
1683// Scan the version number of VERSION-DIRECTIVE.
1684//
1685// Scope:
1686// %YAML 1.1 # a comment \n
1687// ^
1688// %YAML 1.1 # a comment \n
1689// ^
1690func yaml_parser_scan_version_directive_number(parser *yaml_parser_t, start_mark yaml_mark_t, number *int8) bool {
1691
1692 // Repeat while the next character is digit.
1693 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1694 return false
1695 }
1696 var value, length int8
1697 for is_digit(parser.buffer, parser.buffer_pos) {
1698 // Check if the number is too long.
1699 length++
1700 if length > max_number_length {
1701 return yaml_parser_set_scanner_error(parser, "while scanning a %YAML directive",
1702 start_mark, "found extremely long version number")
1703 }
1704 value = value*10 + int8(as_digit(parser.buffer, parser.buffer_pos))
1705 skip(parser)
1706 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1707 return false
1708 }
1709 }
1710
1711 // Check if the number was present.
1712 if length == 0 {
1713 return yaml_parser_set_scanner_error(parser, "while scanning a %YAML directive",
1714 start_mark, "did not find expected version number")
1715 }
1716 *number = value
1717 return true
1718}
1719
1720// Scan the value of a TAG-DIRECTIVE token.
1721//
1722// Scope:
1723// %TAG !yaml! tag:yaml.org,2002: \n
1724// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
1725//
1726func yaml_parser_scan_tag_directive_value(parser *yaml_parser_t, start_mark yaml_mark_t, handle, prefix *[]byte) bool {
1727 var handle_value, prefix_value []byte
1728
1729 // Eat whitespaces.
1730 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1731 return false
1732 }
1733
1734 for is_blank(parser.buffer, parser.buffer_pos) {
1735 skip(parser)
1736 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1737 return false
1738 }
1739 }
1740
1741 // Scan a handle.
1742 if !yaml_parser_scan_tag_handle(parser, true, start_mark, &handle_value) {
1743 return false
1744 }
1745
1746 // Expect a whitespace.
1747 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1748 return false
1749 }
1750 if !is_blank(parser.buffer, parser.buffer_pos) {
1751 yaml_parser_set_scanner_error(parser, "while scanning a %TAG directive",
1752 start_mark, "did not find expected whitespace")
1753 return false
1754 }
1755
1756 // Eat whitespaces.
1757 for is_blank(parser.buffer, parser.buffer_pos) {
1758 skip(parser)
1759 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1760 return false
1761 }
1762 }
1763
1764 // Scan a prefix.
1765 if !yaml_parser_scan_tag_uri(parser, true, nil, start_mark, &prefix_value) {
1766 return false
1767 }
1768
1769 // Expect a whitespace or line break.
1770 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1771 return false
1772 }
1773 if !is_blankz(parser.buffer, parser.buffer_pos) {
1774 yaml_parser_set_scanner_error(parser, "while scanning a %TAG directive",
1775 start_mark, "did not find expected whitespace or line break")
1776 return false
1777 }
1778
1779 *handle = handle_value
1780 *prefix = prefix_value
1781 return true
1782}
1783
1784func yaml_parser_scan_anchor(parser *yaml_parser_t, token *yaml_token_t, typ yaml_token_type_t) bool {
1785 var s []byte
1786
1787 // Eat the indicator character.
1788 start_mark := parser.mark
1789 skip(parser)
1790
1791 // Consume the value.
1792 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1793 return false
1794 }
1795
1796 for is_alpha(parser.buffer, parser.buffer_pos) {
1797 s = read(parser, s)
1798 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1799 return false
1800 }
1801 }
1802
1803 end_mark := parser.mark
1804
1805 /*
1806 * Check if length of the anchor is greater than 0 and it is followed by
1807 * a whitespace character or one of the indicators:
1808 *
1809 * '?', ':', ',', ']', '}', '%', '@', '`'.
1810 */
1811
1812 if len(s) == 0 ||
1813 !(is_blankz(parser.buffer, parser.buffer_pos) || parser.buffer[parser.buffer_pos] == '?' ||
1814 parser.buffer[parser.buffer_pos] == ':' || parser.buffer[parser.buffer_pos] == ',' ||
1815 parser.buffer[parser.buffer_pos] == ']' || parser.buffer[parser.buffer_pos] == '}' ||
1816 parser.buffer[parser.buffer_pos] == '%' || parser.buffer[parser.buffer_pos] == '@' ||
1817 parser.buffer[parser.buffer_pos] == '`') {
1818 context := "while scanning an alias"
1819 if typ == yaml_ANCHOR_TOKEN {
1820 context = "while scanning an anchor"
1821 }
1822 yaml_parser_set_scanner_error(parser, context, start_mark,
1823 "did not find expected alphabetic or numeric character")
1824 return false
1825 }
1826
1827 // Create a token.
1828 *token = yaml_token_t{
1829 typ: typ,
1830 start_mark: start_mark,
1831 end_mark: end_mark,
1832 value: s,
1833 }
1834
1835 return true
1836}
1837
1838/*
1839 * Scan a TAG token.
1840 */
1841
1842func yaml_parser_scan_tag(parser *yaml_parser_t, token *yaml_token_t) bool {
1843 var handle, suffix []byte
1844
1845 start_mark := parser.mark
1846
1847 // Check if the tag is in the canonical form.
1848 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
1849 return false
1850 }
1851
1852 if parser.buffer[parser.buffer_pos+1] == '<' {
1853 // Keep the handle as ''
1854
1855 // Eat '!<'
1856 skip(parser)
1857 skip(parser)
1858
1859 // Consume the tag value.
1860 if !yaml_parser_scan_tag_uri(parser, false, nil, start_mark, &suffix) {
1861 return false
1862 }
1863
1864 // Check for '>' and eat it.
1865 if parser.buffer[parser.buffer_pos] != '>' {
1866 yaml_parser_set_scanner_error(parser, "while scanning a tag",
1867 start_mark, "did not find the expected '>'")
1868 return false
1869 }
1870
1871 skip(parser)
1872 } else {
1873 // The tag has either the '!suffix' or the '!handle!suffix' form.
1874
1875 // First, try to scan a handle.
1876 if !yaml_parser_scan_tag_handle(parser, false, start_mark, &handle) {
1877 return false
1878 }
1879
1880 // Check if it is, indeed, handle.
1881 if handle[0] == '!' && len(handle) > 1 && handle[len(handle)-1] == '!' {
1882 // Scan the suffix now.
1883 if !yaml_parser_scan_tag_uri(parser, false, nil, start_mark, &suffix) {
1884 return false
1885 }
1886 } else {
1887 // It wasn't a handle after all. Scan the rest of the tag.
1888 if !yaml_parser_scan_tag_uri(parser, false, handle, start_mark, &suffix) {
1889 return false
1890 }
1891
1892 // Set the handle to '!'.
1893 handle = []byte{'!'}
1894
1895 // A special case: the '!' tag. Set the handle to '' and the
1896 // suffix to '!'.
1897 if len(suffix) == 0 {
1898 handle, suffix = suffix, handle
1899 }
1900 }
1901 }
1902
1903 // Check the character which ends the tag.
1904 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1905 return false
1906 }
1907 if !is_blankz(parser.buffer, parser.buffer_pos) {
1908 yaml_parser_set_scanner_error(parser, "while scanning a tag",
1909 start_mark, "did not find expected whitespace or line break")
1910 return false
1911 }
1912
1913 end_mark := parser.mark
1914
1915 // Create a token.
1916 *token = yaml_token_t{
1917 typ: yaml_TAG_TOKEN,
1918 start_mark: start_mark,
1919 end_mark: end_mark,
1920 value: handle,
1921 suffix: suffix,
1922 }
1923 return true
1924}
1925
1926// Scan a tag handle.
1927func yaml_parser_scan_tag_handle(parser *yaml_parser_t, directive bool, start_mark yaml_mark_t, handle *[]byte) bool {
1928 // Check the initial '!' character.
1929 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1930 return false
1931 }
1932 if parser.buffer[parser.buffer_pos] != '!' {
1933 yaml_parser_set_scanner_tag_error(parser, directive,
1934 start_mark, "did not find expected '!'")
1935 return false
1936 }
1937
1938 var s []byte
1939
1940 // Copy the '!' character.
1941 s = read(parser, s)
1942
1943 // Copy all subsequent alphabetical and numerical characters.
1944 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1945 return false
1946 }
1947 for is_alpha(parser.buffer, parser.buffer_pos) {
1948 s = read(parser, s)
1949 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1950 return false
1951 }
1952 }
1953
1954 // Check if the trailing character is '!' and copy it.
1955 if parser.buffer[parser.buffer_pos] == '!' {
1956 s = read(parser, s)
1957 } else {
1958 // It's either the '!' tag or not really a tag handle. If it's a %TAG
1959 // directive, it's an error. If it's a tag token, it must be a part of URI.
1960 if directive && string(s) != "!" {
1961 yaml_parser_set_scanner_tag_error(parser, directive,
1962 start_mark, "did not find expected '!'")
1963 return false
1964 }
1965 }
1966
1967 *handle = s
1968 return true
1969}
1970
1971// Scan a tag.
1972func yaml_parser_scan_tag_uri(parser *yaml_parser_t, directive bool, head []byte, start_mark yaml_mark_t, uri *[]byte) bool {
1973 //size_t length = head ? strlen((char *)head) : 0
1974 var s []byte
1975 hasTag := len(head) > 0
1976
1977 // Copy the head if needed.
1978 //
1979 // Note that we don't copy the leading '!' character.
1980 if len(head) > 1 {
1981 s = append(s, head[1:]...)
1982 }
1983
1984 // Scan the tag.
1985 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
1986 return false
1987 }
1988
1989 // The set of characters that may appear in URI is as follows:
1990 //
1991 // '0'-'9', 'A'-'Z', 'a'-'z', '_', '-', ';', '/', '?', ':', '@', '&',
1992 // '=', '+', '$', ',', '.', '!', '~', '*', '\'', '(', ')', '[', ']',
1993 // '%'.
1994 // [Go] Convert this into more reasonable logic.
1995 for is_alpha(parser.buffer, parser.buffer_pos) || parser.buffer[parser.buffer_pos] == ';' ||
1996 parser.buffer[parser.buffer_pos] == '/' || parser.buffer[parser.buffer_pos] == '?' ||
1997 parser.buffer[parser.buffer_pos] == ':' || parser.buffer[parser.buffer_pos] == '@' ||
1998 parser.buffer[parser.buffer_pos] == '&' || parser.buffer[parser.buffer_pos] == '=' ||
1999 parser.buffer[parser.buffer_pos] == '+' || parser.buffer[parser.buffer_pos] == '$' ||
2000 parser.buffer[parser.buffer_pos] == ',' || parser.buffer[parser.buffer_pos] == '.' ||
2001 parser.buffer[parser.buffer_pos] == '!' || parser.buffer[parser.buffer_pos] == '~' ||
2002 parser.buffer[parser.buffer_pos] == '*' || parser.buffer[parser.buffer_pos] == '\'' ||
2003 parser.buffer[parser.buffer_pos] == '(' || parser.buffer[parser.buffer_pos] == ')' ||
2004 parser.buffer[parser.buffer_pos] == '[' || parser.buffer[parser.buffer_pos] == ']' ||
2005 parser.buffer[parser.buffer_pos] == '%' {
2006 // Check if it is a URI-escape sequence.
2007 if parser.buffer[parser.buffer_pos] == '%' {
2008 if !yaml_parser_scan_uri_escapes(parser, directive, start_mark, &s) {
2009 return false
2010 }
2011 } else {
2012 s = read(parser, s)
2013 }
2014 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2015 return false
2016 }
2017 hasTag = true
2018 }
2019
2020 if !hasTag {
2021 yaml_parser_set_scanner_tag_error(parser, directive,
2022 start_mark, "did not find expected tag URI")
2023 return false
2024 }
2025 *uri = s
2026 return true
2027}
2028
2029// Decode an URI-escape sequence corresponding to a single UTF-8 character.
2030func yaml_parser_scan_uri_escapes(parser *yaml_parser_t, directive bool, start_mark yaml_mark_t, s *[]byte) bool {
2031
2032 // Decode the required number of characters.
2033 w := 1024
2034 for w > 0 {
2035 // Check for a URI-escaped octet.
2036 if parser.unread < 3 && !yaml_parser_update_buffer(parser, 3) {
2037 return false
2038 }
2039
2040 if !(parser.buffer[parser.buffer_pos] == '%' &&
2041 is_hex(parser.buffer, parser.buffer_pos+1) &&
2042 is_hex(parser.buffer, parser.buffer_pos+2)) {
2043 return yaml_parser_set_scanner_tag_error(parser, directive,
2044 start_mark, "did not find URI escaped octet")
2045 }
2046
2047 // Get the octet.
2048 octet := byte((as_hex(parser.buffer, parser.buffer_pos+1) << 4) + as_hex(parser.buffer, parser.buffer_pos+2))
2049
2050 // If it is the leading octet, determine the length of the UTF-8 sequence.
2051 if w == 1024 {
2052 w = width(octet)
2053 if w == 0 {
2054 return yaml_parser_set_scanner_tag_error(parser, directive,
2055 start_mark, "found an incorrect leading UTF-8 octet")
2056 }
2057 } else {
2058 // Check if the trailing octet is correct.
2059 if octet&0xC0 != 0x80 {
2060 return yaml_parser_set_scanner_tag_error(parser, directive,
2061 start_mark, "found an incorrect trailing UTF-8 octet")
2062 }
2063 }
2064
2065 // Copy the octet and move the pointers.
2066 *s = append(*s, octet)
2067 skip(parser)
2068 skip(parser)
2069 skip(parser)
2070 w--
2071 }
2072 return true
2073}
2074
2075// Scan a block scalar.
2076func yaml_parser_scan_block_scalar(parser *yaml_parser_t, token *yaml_token_t, literal bool) bool {
2077 // Eat the indicator '|' or '>'.
2078 start_mark := parser.mark
2079 skip(parser)
2080
2081 // Scan the additional block scalar indicators.
2082 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2083 return false
2084 }
2085
2086 // Check for a chomping indicator.
2087 var chomping, increment int
2088 if parser.buffer[parser.buffer_pos] == '+' || parser.buffer[parser.buffer_pos] == '-' {
2089 // Set the chomping method and eat the indicator.
2090 if parser.buffer[parser.buffer_pos] == '+' {
2091 chomping = +1
2092 } else {
2093 chomping = -1
2094 }
2095 skip(parser)
2096
2097 // Check for an indentation indicator.
2098 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2099 return false
2100 }
2101 if is_digit(parser.buffer, parser.buffer_pos) {
2102 // Check that the indentation is greater than 0.
2103 if parser.buffer[parser.buffer_pos] == '0' {
2104 yaml_parser_set_scanner_error(parser, "while scanning a block scalar",
2105 start_mark, "found an indentation indicator equal to 0")
2106 return false
2107 }
2108
2109 // Get the indentation level and eat the indicator.
2110 increment = as_digit(parser.buffer, parser.buffer_pos)
2111 skip(parser)
2112 }
2113
2114 } else if is_digit(parser.buffer, parser.buffer_pos) {
2115 // Do the same as above, but in the opposite order.
2116
2117 if parser.buffer[parser.buffer_pos] == '0' {
2118 yaml_parser_set_scanner_error(parser, "while scanning a block scalar",
2119 start_mark, "found an indentation indicator equal to 0")
2120 return false
2121 }
2122 increment = as_digit(parser.buffer, parser.buffer_pos)
2123 skip(parser)
2124
2125 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2126 return false
2127 }
2128 if parser.buffer[parser.buffer_pos] == '+' || parser.buffer[parser.buffer_pos] == '-' {
2129 if parser.buffer[parser.buffer_pos] == '+' {
2130 chomping = +1
2131 } else {
2132 chomping = -1
2133 }
2134 skip(parser)
2135 }
2136 }
2137
2138 // Eat whitespaces and comments to the end of the line.
2139 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2140 return false
2141 }
2142 for is_blank(parser.buffer, parser.buffer_pos) {
2143 skip(parser)
2144 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2145 return false
2146 }
2147 }
2148 if parser.buffer[parser.buffer_pos] == '#' {
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01002149 rel := parser.relPos()
2150 m := parser.mark
2151 parser.comment_buffer = parser.comment_buffer[:0]
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01002152 for !is_breakz(parser.buffer, parser.buffer_pos) {
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01002153 p := parser.buffer_pos
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01002154 skip(parser)
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01002155 parser.comment_buffer = append(parser.comment_buffer,
2156 parser.buffer[p:parser.buffer_pos]...)
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01002157 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2158 return false
2159 }
2160 }
Marcel van Lohuizen2156c812018-12-10 16:05:07 +01002161 add_comment(parser, rel, m, string(parser.comment_buffer))
Marcel van Lohuizen07ee2ab2018-12-10 15:57:15 +01002162 }
2163
2164 // Check if we are at the end of the line.
2165 if !is_breakz(parser.buffer, parser.buffer_pos) {
2166 yaml_parser_set_scanner_error(parser, "while scanning a block scalar",
2167 start_mark, "did not find expected comment or line break")
2168 return false
2169 }
2170
2171 // Eat a line break.
2172 if is_break(parser.buffer, parser.buffer_pos) {
2173 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2174 return false
2175 }
2176 skip_line(parser)
2177 }
2178
2179 end_mark := parser.mark
2180
2181 // Set the indentation level if it was specified.
2182 var indent int
2183 if increment > 0 {
2184 if parser.indent >= 0 {
2185 indent = parser.indent + increment
2186 } else {
2187 indent = increment
2188 }
2189 }
2190
2191 // Scan the leading line breaks and determine the indentation level if needed.
2192 var s, leading_break, trailing_breaks []byte
2193 if !yaml_parser_scan_block_scalar_breaks(parser, &indent, &trailing_breaks, start_mark, &end_mark) {
2194 return false
2195 }
2196
2197 // Scan the block scalar content.
2198 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2199 return false
2200 }
2201 var leading_blank, trailing_blank bool
2202 for parser.mark.column == indent && !is_z(parser.buffer, parser.buffer_pos) {
2203 // We are at the beginning of a non-empty line.
2204
2205 // Is it a trailing whitespace?
2206 trailing_blank = is_blank(parser.buffer, parser.buffer_pos)
2207
2208 // Check if we need to fold the leading line break.
2209 if !literal && !leading_blank && !trailing_blank && len(leading_break) > 0 && leading_break[0] == '\n' {
2210 // Do we need to join the lines by space?
2211 if len(trailing_breaks) == 0 {
2212 s = append(s, ' ')
2213 }
2214 } else {
2215 s = append(s, leading_break...)
2216 }
2217 leading_break = leading_break[:0]
2218
2219 // Append the remaining line breaks.
2220 s = append(s, trailing_breaks...)
2221 trailing_breaks = trailing_breaks[:0]
2222
2223 // Is it a leading whitespace?
2224 leading_blank = is_blank(parser.buffer, parser.buffer_pos)
2225
2226 // Consume the current line.
2227 for !is_breakz(parser.buffer, parser.buffer_pos) {
2228 s = read(parser, s)
2229 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2230 return false
2231 }
2232 }
2233
2234 // Consume the line break.
2235 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2236 return false
2237 }
2238
2239 leading_break = read_line(parser, leading_break)
2240
2241 // Eat the following indentation spaces and line breaks.
2242 if !yaml_parser_scan_block_scalar_breaks(parser, &indent, &trailing_breaks, start_mark, &end_mark) {
2243 return false
2244 }
2245 }
2246
2247 // Chomp the tail.
2248 if chomping != -1 {
2249 s = append(s, leading_break...)
2250 }
2251 if chomping == 1 {
2252 s = append(s, trailing_breaks...)
2253 }
2254
2255 // Create a token.
2256 *token = yaml_token_t{
2257 typ: yaml_SCALAR_TOKEN,
2258 start_mark: start_mark,
2259 end_mark: end_mark,
2260 value: s,
2261 style: yaml_LITERAL_SCALAR_STYLE,
2262 }
2263 if !literal {
2264 token.style = yaml_FOLDED_SCALAR_STYLE
2265 }
2266 return true
2267}
2268
2269// Scan indentation spaces and line breaks for a block scalar. Determine the
2270// indentation level if needed.
2271func yaml_parser_scan_block_scalar_breaks(parser *yaml_parser_t, indent *int, breaks *[]byte, start_mark yaml_mark_t, end_mark *yaml_mark_t) bool {
2272 *end_mark = parser.mark
2273
2274 // Eat the indentation spaces and line breaks.
2275 max_indent := 0
2276 for {
2277 // Eat the indentation spaces.
2278 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2279 return false
2280 }
2281 for (*indent == 0 || parser.mark.column < *indent) && is_space(parser.buffer, parser.buffer_pos) {
2282 skip(parser)
2283 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2284 return false
2285 }
2286 }
2287 if parser.mark.column > max_indent {
2288 max_indent = parser.mark.column
2289 }
2290
2291 // Check for a tab character messing the indentation.
2292 if (*indent == 0 || parser.mark.column < *indent) && is_tab(parser.buffer, parser.buffer_pos) {
2293 return yaml_parser_set_scanner_error(parser, "while scanning a block scalar",
2294 start_mark, "found a tab character where an indentation space is expected")
2295 }
2296
2297 // Have we found a non-empty line?
2298 if !is_break(parser.buffer, parser.buffer_pos) {
2299 break
2300 }
2301
2302 // Consume the line break.
2303 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2304 return false
2305 }
2306 // [Go] Should really be returning breaks instead.
2307 *breaks = read_line(parser, *breaks)
2308 *end_mark = parser.mark
2309 }
2310
2311 // Determine the indentation level if needed.
2312 if *indent == 0 {
2313 *indent = max_indent
2314 if *indent < parser.indent+1 {
2315 *indent = parser.indent + 1
2316 }
2317 if *indent < 1 {
2318 *indent = 1
2319 }
2320 }
2321 return true
2322}
2323
2324// Scan a quoted scalar.
2325func yaml_parser_scan_flow_scalar(parser *yaml_parser_t, token *yaml_token_t, single bool) bool {
2326 // Eat the left quote.
2327 start_mark := parser.mark
2328 skip(parser)
2329
2330 // Consume the content of the quoted scalar.
2331 var s, leading_break, trailing_breaks, whitespaces []byte
2332 for {
2333 // Check that there are no document indicators at the beginning of the line.
2334 if parser.unread < 4 && !yaml_parser_update_buffer(parser, 4) {
2335 return false
2336 }
2337
2338 if parser.mark.column == 0 &&
2339 ((parser.buffer[parser.buffer_pos+0] == '-' &&
2340 parser.buffer[parser.buffer_pos+1] == '-' &&
2341 parser.buffer[parser.buffer_pos+2] == '-') ||
2342 (parser.buffer[parser.buffer_pos+0] == '.' &&
2343 parser.buffer[parser.buffer_pos+1] == '.' &&
2344 parser.buffer[parser.buffer_pos+2] == '.')) &&
2345 is_blankz(parser.buffer, parser.buffer_pos+3) {
2346 yaml_parser_set_scanner_error(parser, "while scanning a quoted scalar",
2347 start_mark, "found unexpected document indicator")
2348 return false
2349 }
2350
2351 // Check for EOF.
2352 if is_z(parser.buffer, parser.buffer_pos) {
2353 yaml_parser_set_scanner_error(parser, "while scanning a quoted scalar",
2354 start_mark, "found unexpected end of stream")
2355 return false
2356 }
2357
2358 // Consume non-blank characters.
2359 leading_blanks := false
2360 for !is_blankz(parser.buffer, parser.buffer_pos) {
2361 if single && parser.buffer[parser.buffer_pos] == '\'' && parser.buffer[parser.buffer_pos+1] == '\'' {
2362 // Is is an escaped single quote.
2363 s = append(s, '\'')
2364 skip(parser)
2365 skip(parser)
2366
2367 } else if single && parser.buffer[parser.buffer_pos] == '\'' {
2368 // It is a right single quote.
2369 break
2370 } else if !single && parser.buffer[parser.buffer_pos] == '"' {
2371 // It is a right double quote.
2372 break
2373
2374 } else if !single && parser.buffer[parser.buffer_pos] == '\\' && is_break(parser.buffer, parser.buffer_pos+1) {
2375 // It is an escaped line break.
2376 if parser.unread < 3 && !yaml_parser_update_buffer(parser, 3) {
2377 return false
2378 }
2379 skip(parser)
2380 skip_line(parser)
2381 leading_blanks = true
2382 break
2383
2384 } else if !single && parser.buffer[parser.buffer_pos] == '\\' {
2385 // It is an escape sequence.
2386 code_length := 0
2387
2388 // Check the escape character.
2389 switch parser.buffer[parser.buffer_pos+1] {
2390 case '0':
2391 s = append(s, 0)
2392 case 'a':
2393 s = append(s, '\x07')
2394 case 'b':
2395 s = append(s, '\x08')
2396 case 't', '\t':
2397 s = append(s, '\x09')
2398 case 'n':
2399 s = append(s, '\x0A')
2400 case 'v':
2401 s = append(s, '\x0B')
2402 case 'f':
2403 s = append(s, '\x0C')
2404 case 'r':
2405 s = append(s, '\x0D')
2406 case 'e':
2407 s = append(s, '\x1B')
2408 case ' ':
2409 s = append(s, '\x20')
2410 case '"':
2411 s = append(s, '"')
2412 case '\'':
2413 s = append(s, '\'')
2414 case '\\':
2415 s = append(s, '\\')
2416 case 'N': // NEL (#x85)
2417 s = append(s, '\xC2')
2418 s = append(s, '\x85')
2419 case '_': // #xA0
2420 s = append(s, '\xC2')
2421 s = append(s, '\xA0')
2422 case 'L': // LS (#x2028)
2423 s = append(s, '\xE2')
2424 s = append(s, '\x80')
2425 s = append(s, '\xA8')
2426 case 'P': // PS (#x2029)
2427 s = append(s, '\xE2')
2428 s = append(s, '\x80')
2429 s = append(s, '\xA9')
2430 case 'x':
2431 code_length = 2
2432 case 'u':
2433 code_length = 4
2434 case 'U':
2435 code_length = 8
2436 default:
2437 yaml_parser_set_scanner_error(parser, "while parsing a quoted scalar",
2438 start_mark, "found unknown escape character")
2439 return false
2440 }
2441
2442 skip(parser)
2443 skip(parser)
2444
2445 // Consume an arbitrary escape code.
2446 if code_length > 0 {
2447 var value int
2448
2449 // Scan the character value.
2450 if parser.unread < code_length && !yaml_parser_update_buffer(parser, code_length) {
2451 return false
2452 }
2453 for k := 0; k < code_length; k++ {
2454 if !is_hex(parser.buffer, parser.buffer_pos+k) {
2455 yaml_parser_set_scanner_error(parser, "while parsing a quoted scalar",
2456 start_mark, "did not find expected hexdecimal number")
2457 return false
2458 }
2459 value = (value << 4) + as_hex(parser.buffer, parser.buffer_pos+k)
2460 }
2461
2462 // Check the value and write the character.
2463 if (value >= 0xD800 && value <= 0xDFFF) || value > 0x10FFFF {
2464 yaml_parser_set_scanner_error(parser, "while parsing a quoted scalar",
2465 start_mark, "found invalid Unicode character escape code")
2466 return false
2467 }
2468 if value <= 0x7F {
2469 s = append(s, byte(value))
2470 } else if value <= 0x7FF {
2471 s = append(s, byte(0xC0+(value>>6)))
2472 s = append(s, byte(0x80+(value&0x3F)))
2473 } else if value <= 0xFFFF {
2474 s = append(s, byte(0xE0+(value>>12)))
2475 s = append(s, byte(0x80+((value>>6)&0x3F)))
2476 s = append(s, byte(0x80+(value&0x3F)))
2477 } else {
2478 s = append(s, byte(0xF0+(value>>18)))
2479 s = append(s, byte(0x80+((value>>12)&0x3F)))
2480 s = append(s, byte(0x80+((value>>6)&0x3F)))
2481 s = append(s, byte(0x80+(value&0x3F)))
2482 }
2483
2484 // Advance the pointer.
2485 for k := 0; k < code_length; k++ {
2486 skip(parser)
2487 }
2488 }
2489 } else {
2490 // It is a non-escaped non-blank character.
2491 s = read(parser, s)
2492 }
2493 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2494 return false
2495 }
2496 }
2497
2498 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2499 return false
2500 }
2501
2502 // Check if we are at the end of the scalar.
2503 if single {
2504 if parser.buffer[parser.buffer_pos] == '\'' {
2505 break
2506 }
2507 } else {
2508 if parser.buffer[parser.buffer_pos] == '"' {
2509 break
2510 }
2511 }
2512
2513 // Consume blank characters.
2514 for is_blank(parser.buffer, parser.buffer_pos) || is_break(parser.buffer, parser.buffer_pos) {
2515 if is_blank(parser.buffer, parser.buffer_pos) {
2516 // Consume a space or a tab character.
2517 if !leading_blanks {
2518 whitespaces = read(parser, whitespaces)
2519 } else {
2520 skip(parser)
2521 }
2522 } else {
2523 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2524 return false
2525 }
2526
2527 // Check if it is a first line break.
2528 if !leading_blanks {
2529 whitespaces = whitespaces[:0]
2530 leading_break = read_line(parser, leading_break)
2531 leading_blanks = true
2532 } else {
2533 trailing_breaks = read_line(parser, trailing_breaks)
2534 }
2535 }
2536 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2537 return false
2538 }
2539 }
2540
2541 // Join the whitespaces or fold line breaks.
2542 if leading_blanks {
2543 // Do we need to fold line breaks?
2544 if len(leading_break) > 0 && leading_break[0] == '\n' {
2545 if len(trailing_breaks) == 0 {
2546 s = append(s, ' ')
2547 } else {
2548 s = append(s, trailing_breaks...)
2549 }
2550 } else {
2551 s = append(s, leading_break...)
2552 s = append(s, trailing_breaks...)
2553 }
2554 trailing_breaks = trailing_breaks[:0]
2555 leading_break = leading_break[:0]
2556 } else {
2557 s = append(s, whitespaces...)
2558 whitespaces = whitespaces[:0]
2559 }
2560 }
2561
2562 // Eat the right quote.
2563 skip(parser)
2564 end_mark := parser.mark
2565
2566 // Create a token.
2567 *token = yaml_token_t{
2568 typ: yaml_SCALAR_TOKEN,
2569 start_mark: start_mark,
2570 end_mark: end_mark,
2571 value: s,
2572 style: yaml_SINGLE_QUOTED_SCALAR_STYLE,
2573 }
2574 if !single {
2575 token.style = yaml_DOUBLE_QUOTED_SCALAR_STYLE
2576 }
2577 return true
2578}
2579
2580// Scan a plain scalar.
2581func yaml_parser_scan_plain_scalar(parser *yaml_parser_t, token *yaml_token_t) bool {
2582
2583 var s, leading_break, trailing_breaks, whitespaces []byte
2584 var leading_blanks bool
2585 var indent = parser.indent + 1
2586
2587 start_mark := parser.mark
2588 end_mark := parser.mark
2589
2590 // Consume the content of the plain scalar.
2591 for {
2592 // Check for a document indicator.
2593 if parser.unread < 4 && !yaml_parser_update_buffer(parser, 4) {
2594 return false
2595 }
2596 if parser.mark.column == 0 &&
2597 ((parser.buffer[parser.buffer_pos+0] == '-' &&
2598 parser.buffer[parser.buffer_pos+1] == '-' &&
2599 parser.buffer[parser.buffer_pos+2] == '-') ||
2600 (parser.buffer[parser.buffer_pos+0] == '.' &&
2601 parser.buffer[parser.buffer_pos+1] == '.' &&
2602 parser.buffer[parser.buffer_pos+2] == '.')) &&
2603 is_blankz(parser.buffer, parser.buffer_pos+3) {
2604 break
2605 }
2606
2607 // Check for a comment.
2608 if parser.buffer[parser.buffer_pos] == '#' {
2609 break
2610 }
2611
2612 // Consume non-blank characters.
2613 for !is_blankz(parser.buffer, parser.buffer_pos) {
2614
2615 // Check for indicators that may end a plain scalar.
2616 if (parser.buffer[parser.buffer_pos] == ':' && is_blankz(parser.buffer, parser.buffer_pos+1)) ||
2617 (parser.flow_level > 0 &&
2618 (parser.buffer[parser.buffer_pos] == ',' ||
2619 parser.buffer[parser.buffer_pos] == '?' || parser.buffer[parser.buffer_pos] == '[' ||
2620 parser.buffer[parser.buffer_pos] == ']' || parser.buffer[parser.buffer_pos] == '{' ||
2621 parser.buffer[parser.buffer_pos] == '}')) {
2622 break
2623 }
2624
2625 // Check if we need to join whitespaces and breaks.
2626 if leading_blanks || len(whitespaces) > 0 {
2627 if leading_blanks {
2628 // Do we need to fold line breaks?
2629 if leading_break[0] == '\n' {
2630 if len(trailing_breaks) == 0 {
2631 s = append(s, ' ')
2632 } else {
2633 s = append(s, trailing_breaks...)
2634 }
2635 } else {
2636 s = append(s, leading_break...)
2637 s = append(s, trailing_breaks...)
2638 }
2639 trailing_breaks = trailing_breaks[:0]
2640 leading_break = leading_break[:0]
2641 leading_blanks = false
2642 } else {
2643 s = append(s, whitespaces...)
2644 whitespaces = whitespaces[:0]
2645 }
2646 }
2647
2648 // Copy the character.
2649 s = read(parser, s)
2650
2651 end_mark = parser.mark
2652 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2653 return false
2654 }
2655 }
2656
2657 // Is it the end?
2658 if !(is_blank(parser.buffer, parser.buffer_pos) || is_break(parser.buffer, parser.buffer_pos)) {
2659 break
2660 }
2661
2662 // Consume blank characters.
2663 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2664 return false
2665 }
2666
2667 for is_blank(parser.buffer, parser.buffer_pos) || is_break(parser.buffer, parser.buffer_pos) {
2668 if is_blank(parser.buffer, parser.buffer_pos) {
2669
2670 // Check for tab characters that abuse indentation.
2671 if leading_blanks && parser.mark.column < indent && is_tab(parser.buffer, parser.buffer_pos) {
2672 yaml_parser_set_scanner_error(parser, "while scanning a plain scalar",
2673 start_mark, "found a tab character that violates indentation")
2674 return false
2675 }
2676
2677 // Consume a space or a tab character.
2678 if !leading_blanks {
2679 whitespaces = read(parser, whitespaces)
2680 } else {
2681 skip(parser)
2682 }
2683 } else {
2684 if parser.unread < 2 && !yaml_parser_update_buffer(parser, 2) {
2685 return false
2686 }
2687
2688 // Check if it is a first line break.
2689 if !leading_blanks {
2690 whitespaces = whitespaces[:0]
2691 leading_break = read_line(parser, leading_break)
2692 leading_blanks = true
2693 } else {
2694 trailing_breaks = read_line(parser, trailing_breaks)
2695 }
2696 }
2697 if parser.unread < 1 && !yaml_parser_update_buffer(parser, 1) {
2698 return false
2699 }
2700 }
2701
2702 // Check indentation level.
2703 if parser.flow_level == 0 && parser.mark.column < indent {
2704 break
2705 }
2706 }
2707
2708 // Create a token.
2709 *token = yaml_token_t{
2710 typ: yaml_SCALAR_TOKEN,
2711 start_mark: start_mark,
2712 end_mark: end_mark,
2713 value: s,
2714 style: yaml_PLAIN_SCALAR_STYLE,
2715 }
2716
2717 // Note that we change the 'simple_key_allowed' flag.
2718 if leading_blanks {
2719 parser.simple_key_allowed = true
2720 }
2721 return true
2722}