-
Notifications
You must be signed in to change notification settings - Fork 48
/
Copy pathParse.swift
740 lines (643 loc) · 24.6 KB
/
Parse.swift
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
//===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2021-2022 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
//
//===----------------------------------------------------------------------===//
/*
Syntactic structure of a regular expression
Regex -> GlobalMatchingOptionSequence? RegexNode
RegexNode -> '' | Alternation
Alternation -> Concatenation ('|' Concatenation)*
Concatenation -> (!'|' !')' ConcatComponent)*
ConcatComponent -> Trivia | Quote | Quantification
Quantification -> QuantOperand Quantifier?
QuantOperand -> Conditional | Group | CustomCharClass
| Atom | AbsentFunction
Conditional -> CondStart Concatenation ('|' Concatenation)? ')'
CondStart -> KnownCondStart | GroupCondStart
Group -> GroupStart RegexNode ')'
Custom character classes are a mini-language to their own. We
support UTS#18 set operators and nested character classes. The
meaning of some atoms, such as `\b` changes inside a custom
chararacter class. Below, we have a grammar "scope", that is we
say "SetOp" to mean "CustomCharactetClass.SetOp", so we don't
have to abbreviate/obfuscate/disambiguate with ugly names like
"CCCSetOp".
Also, PCRE lets you end in `&&`, but not Oniguruma as it's a set
operator. We probably want a rule similar to how you can end in
`-` and that's just the character. Perhaps we also have syntax
options in case we need a compatibilty mode (it's easy to add
here and now)
CustomCharClass -> Start Set (SetOp Set)* ']'
Set -> Member+
Member -> CustomCharClass | !']' !SetOp (Range | Atom)
Range -> Atom `-` Atom
Lexical analysis provides the following:
Atom -> `lexAtom`
Trivia -> `lexComment` | `lexNonSemanticWhitespace`
Quote -> `lexQuote`
Quantifier -> `lexQuantifier`
GroupStart -> `lexGroupStart`
GroupCondStart -> `lexGroupConditionalStart`
KnownCondStart -> `lexKnownCondition`
CustomCharacterClass.Start -> `lexCustomCCStart`
CustomCharacterClass.SetOp -> `lexCustomCCBinOp`
*/
struct ParsingContext {
/// Whether we're currently parsing in a custom character class.
fileprivate(set) var isInCustomCharacterClass = false
/// Tracks the number of group openings we've seen, to disambiguate the '\n'
/// syntax as a backreference or an octal sequence.
private var priorGroupCount = 0
/// A set of used group names.
private var usedGroupNames = Set<String>()
/// The depth of calls to parseNode (recursion depth plus 1)
fileprivate var parseDepth = 0
/// The syntax options currently set.
fileprivate(set) var syntax: SyntaxOptions
/// The current newline matching mode.
fileprivate(set) var newlineMode: AST.GlobalMatchingOption.NewlineMatching
= .anyCarriageReturnOrLinefeed
fileprivate mutating func recordGroup(_ g: AST.Group.Kind) {
// TODO: Needs to track group number resets (?|...).
priorGroupCount += 1
if let name = g.name {
usedGroupNames.insert(name)
}
}
fileprivate var maxParseDepth: Int { 64 }
init(syntax: SyntaxOptions) {
self.syntax = syntax
}
/// Check whether a given reference refers to a prior group.
func isPriorGroupRef(_ ref: AST.Reference.Kind) -> Bool {
switch ref {
case .absolute(let i):
guard let i = i.value else { return false }
return i <= priorGroupCount
case .relative(let i):
guard let i = i.value else { return false }
return i < 0
case .named(let str):
return usedGroupNames.contains(str)
}
}
}
struct Parser {
var src: Source
var context: ParsingContext
var diags = Diagnostics()
init(_ src: Source, syntax: SyntaxOptions) {
self.src = src
self.context = ParsingContext(syntax: syntax)
}
}
extension ParsingContext {
var experimentalRanges: Bool { syntax.contains(.experimentalRanges) }
var experimentalCaptures: Bool { syntax.contains(.experimentalCaptures) }
var experimentalQuotes: Bool { syntax.contains(.experimentalQuotes) }
var experimentalComments: Bool { syntax.contains(.experimentalComments) }
var ignoreWhitespace: Bool { syntax.contains(.nonSemanticWhitespace) }
var endOfLineComments: Bool { syntax.contains(.endOfLineComments) }
}
// Diagnostics
extension Parser {
func loc(
_ start: Source.Position
) -> SourceLocation {
SourceLocation(start ..< src.currentPosition)
}
mutating func error(_ err: ParseError, at loc: SourceLocation) {
diags.error(err, at: loc)
}
mutating func errorAtCurrentPosition(_ err: ParseError) {
diags.error(err, at: loc(src.currentPosition))
}
mutating func unreachable(_ err: String) {
diags.fatal(.unreachable(err), at: loc(src.currentPosition))
}
}
extension Parser {
/// Parse a top-level regular expression. Do not use for recursive calls, use
/// `parseNode()` instead.
///
/// Regex -> GlobalMatchingOptionSequence? RegexNode
///
mutating func parse() -> AST {
// First parse any global matching options if present.
let opts = lexGlobalMatchingOptionSequence()
// If we have a newline mode global option, update the context accordingly.
if let opts = opts {
for opt in opts.options.reversed() {
guard case .newlineMatching(let newline) = opt.kind else { continue }
context.newlineMode = newline
break
}
}
// Then parse the root AST node.
let ast = parseNode()
if !src.isEmpty {
// parseConcatenation() terminates on encountering a ')' to enable
// recursive parses of a group body. However for a top-level parse, this
// means we have an unmatched closing paren, so let's diagnose.
// TODO: We should continue to parse for better recovery.
if let loc = tryEatWithLoc(")") {
error(.unbalancedEndOfGroup, at: loc)
} else {
unreachable("Unhandled termination condition")
}
}
return .init(ast, globalOptions: opts, diags: diags)
}
/// Parse a regular expression node. This should be used instead of `parse()`
/// for recursive calls.
///
/// RegexNode -> '' | Alternation
/// Alternation -> Concatenation ('|' Concatenation)*
///
mutating func parseNode() -> AST.Node {
// Excessively nested groups is a common DOS attack, so limit
// our recursion.
context.parseDepth += 1
defer { context.parseDepth -= 1 }
guard context.parseDepth < context.maxParseDepth else {
self.errorAtCurrentPosition(.nestingTooDeep)
// This is not generally recoverable and further errors will be
// incorrect
diags.suppressFurtherDiagnostics = true
return .empty(.init(loc(src.currentPosition)))
}
let _start = src.currentPosition
if src.isEmpty { return .empty(.init(loc(_start))) }
var result = [parseConcatenation()]
var pipes: [SourceLocation] = []
while true {
let pipeStart = src.currentPosition
guard tryEat("|") else { break }
pipes.append(loc(pipeStart))
result.append(parseConcatenation())
}
if result.count == 1 {
return result[0]
}
return .alternation(.init(result, pipes: pipes))
}
/// Parse a term, potentially separated from others by `|`
///
/// Concatenation -> (!'|' !')' ConcatComponent)*
/// ConcatComponent -> Trivia | Quote | Quantification
/// Quantification -> QuantOperand Quantifier?
///
mutating func parseConcatenation() -> AST.Node {
var result = [AST.Node]()
let _start = src.currentPosition
while true {
// Check for termination, e.g. of recursion or bin ops
if src.isEmpty { break }
if peek() == "|" || peek() == ")" { break }
// TODO: refactor loop body into function
let _start = src.currentPosition
// Trivia -> `lexTrivia`
if let triv = lexTrivia() {
result.append(.trivia(triv))
continue
}
// Quote -> `lexQuote`
if let quote = lexQuote() {
result.append(.quote(quote))
continue
}
// Interpolation -> `lexInterpolation`
if let interpolation = lexInterpolation() {
result.append(.interpolation(interpolation))
continue
}
// Quantification -> QuantOperand Quantifier?
if let operand = parseQuantifierOperand() {
if let (amt, kind, trivia) = lexQuantifier() {
let location = loc(_start)
result.append(.quantification(
.init(amt, kind, operand, location, trivia: trivia)))
} else {
result.append(operand)
}
continue
}
unreachable("Should have parsed at least an atom")
break
}
guard !result.isEmpty else {
return .empty(.init(loc(_start)))
}
if result.count == 1 {
return result[0]
}
return .concatenation(.init(result, loc(_start)))
}
/// Perform a recursive parse for the branches of a conditional.
mutating func parseConditionalBranches(
start: Source.Position, _ cond: AST.Conditional.Condition
) -> AST.Node {
let child = parseNode()
let trueBranch: AST.Node, falseBranch: AST.Node, pipe: SourceLocation?
switch child {
case .alternation(let a):
pipe = a.pipes[0]
trueBranch = a.children[0]
falseBranch = a.children[1]
// If we have an alternation child, we only accept 2 branches.
let numBranches = a.children.count
guard numBranches == 2 else {
diags.error(.tooManyBranchesInConditional(numBranches),
at: child.location)
break
}
default:
// If there's no alternation, the child is assumed to be the true
// branch, with the false branch matching anything.
trueBranch = child
falseBranch = .empty(.init(loc(src.currentPosition)))
pipe = nil
}
expect(")")
return .conditional(.init(
cond, trueBranch: trueBranch, pipe: pipe, falseBranch: falseBranch,
loc(start)))
}
/// Apply the syntax options of a given matching option sequence to the
/// current set of options.
private mutating func applySyntaxOptions(
of opts: AST.MatchingOptionSequence, isScoped: Bool
) {
func mapOption(_ option: SyntaxOptions,
_ pred: (AST.MatchingOption) -> Bool) {
if opts.resetsCurrentOptions {
context.syntax.remove(option)
}
if opts.adding.contains(where: pred) {
context.syntax.insert(option)
}
if opts.removing.contains(where: pred) {
context.syntax.remove(option)
}
}
func mapOption(_ option: SyntaxOptions, _ kind: AST.MatchingOption.Kind) {
mapOption(option, { $0.kind == kind })
}
// (?n)
mapOption(.namedCapturesOnly, .namedCapturesOnly)
// (?x), (?xx)
// This cannot be unset in a multi-line literal, unless in a scoped group
// e.g (?-x:...). We later enforce that such a group does not span multiple
// lines.
// TODO: PCRE differentiates between (?x) and (?xx) where only the latter
// handles non-semantic whitespace in a custom character class. Other
// engines such as Oniguruma, Java, and ICU do this under (?x). Therefore,
// treat (?x) and (?xx) as the same option here. If we ever get a strict
// PCRE mode, we will need to change this to handle that.
if !isScoped && context.syntax.contains(.multilineCompilerLiteral) {
// An unscoped removal of extended syntax is not allowed in a multi-line
// literal.
if let opt = opts.removing.first(where: \.isAnyExtended) {
error(.cannotRemoveExtendedSyntaxInMultilineMode, at: opt.location)
} else if opts.resetsCurrentOptions {
error(.cannotResetExtendedSyntaxInMultilineMode, at: opts.caretLoc!)
}
// The only remaning case is an unscoped addition of extended syntax,
// which is a no-op.
} else {
// We either have a scoped change of extended syntax, or this is a
// single-line literal.
mapOption(.extendedSyntax, \.isAnyExtended)
}
}
/// Apply the syntax options of a matching option changing group to the
/// current set of options.
private mutating func applySyntaxOptions(
of group: AST.Group.Kind, isScoped: Bool
) {
if case .changeMatchingOptions(let seq) = group {
applySyntaxOptions(of: seq, isScoped: isScoped)
}
}
/// Perform a recursive parse for the body of a group.
mutating func parseGroupBody(
start: Source.Position, _ kind: AST.Located<AST.Group.Kind>
) -> AST.Group {
context.recordGroup(kind.value)
let currentSyntax = context.syntax
applySyntaxOptions(of: kind.value, isScoped: true)
defer {
context.syntax = currentSyntax
}
let unsetsExtendedSyntax = currentSyntax.contains(.extendedSyntax) &&
!context.syntax.contains(.extendedSyntax)
let child = parseNode()
expect(")")
let groupLoc = loc(start)
// In multi-line literals, the body of a group that unsets extended syntax
// may not span multiple lines.
if unsetsExtendedSyntax &&
context.syntax.contains(.multilineCompilerLiteral) &&
src[child.location.range].spansMultipleLinesInRegexLiteral {
error(.unsetExtendedSyntaxMayNotSpanMultipleLines, at: groupLoc)
}
return .init(kind, child, groupLoc)
}
/// Consume the body of an absent function.
///
/// AbsentFunction -> '(?~' RegexNode ')'
/// | '(?~|' Concatenation '|' Concatenation ')'
/// | '(?~|' Concatenation ')'
/// | '(?~|)'
///
mutating func parseAbsentFunctionBody(
_ start: AST.Located<AST.AbsentFunction.Start>
) -> AST.AbsentFunction {
let startLoc = start.location
// TODO: Diagnose on nested absent functions, which Oniguruma states is
// undefined behavior.
let kind: AST.AbsentFunction.Kind
switch start.value {
case .withoutPipe:
// Must be a repeater.
kind = .repeater(parseNode())
case .withPipe where peek() == ")":
kind = .clearer
case .withPipe:
// Can either be an expression or stopper depending on whether we have a
// any additional '|'s.
let child = parseNode()
switch child {
case .alternation(let alt):
// A pipe, so an expression.
kind = .expression(
absentee: alt.children[0], pipe: alt.pipes[0], expr: alt.children[1])
let numChildren = alt.children.count
guard numChildren == 2 else {
error(.tooManyAbsentExpressionChildren(numChildren),
at: child.location)
break
}
default:
// No pipes, so a stopper.
kind = .stopper(child)
}
}
expect(")")
return .init(kind, start: startLoc, location: loc(startLoc.start))
}
/// Parse a (potentially quantified) component
///
/// QuantOperand -> Conditional | Group | CustomCharClass | Atom
/// | AbsentFunction
/// Group -> GroupStart RegexNode ')'
/// Conditional -> CondStart Concatenation ('|' Concatenation)? ')'
/// CondStart -> KnownCondStart | GroupCondStart
///
mutating func parseQuantifierOperand() -> AST.Node? {
assert(!src.isEmpty)
let _start = src.currentPosition
// Check if we have the start of a conditional '(?(cond)', which can either
// be a known condition, or an arbitrary group condition.
if let cond = lexKnownConditionalStart() {
return parseConditionalBranches(start: _start, cond)
}
if let kind = lexGroupConditionalStart() {
let groupStart = kind.location.start
let group = parseGroupBody(start: groupStart, kind)
return parseConditionalBranches(
start: _start, .init(.group(group), group.location))
}
// Check if we have an Oniguruma absent function.
if let start = lexAbsentFunctionStart() {
return .absentFunction(parseAbsentFunctionBody(start))
}
// Check if we have the start of a group '('.
if let kind = lexGroupStart() {
return .group(parseGroupBody(start: _start, kind))
}
// Check if we have the start of a custom character class '['.
if let cccStart = lexCustomCCStart() {
return .customCharacterClass(parseCustomCharacterClass(cccStart))
}
if let atom = lexAtom() {
// If we have a change matching options atom, apply the syntax options. We
// already take care of scoping syntax options within a group.
if case .changeMatchingOptions(let opts) = atom.kind {
applySyntaxOptions(of: opts, isScoped: false)
}
// TODO: track source locations
return .atom(atom)
}
return nil
}
}
// MARK: - Custom character classes
/// `AST.CustomCharacterClass.Start` is a mouthful
internal typealias CustomCC = AST.CustomCharacterClass
extension Parser {
/// Parse a custom character class
///
/// CustomCharClass -> Start Set (SetOp Set)* ']'
/// Set -> Member+
/// Member -> CustomCharClass | !']' !SetOp (Range | Atom)
/// Range -> Atom `-` Atom
///
mutating func parseCustomCharacterClass(
_ start: Source.Located<CustomCC.Start>
) -> CustomCC {
// Excessively nested recursion is a common DOS attack, so limit
// our recursion.
context.parseDepth += 1
defer { context.parseDepth -= 1 }
guard context.parseDepth < context.maxParseDepth else {
self.errorAtCurrentPosition(.nestingTooDeep)
// This is not generally recoverable and further errors will be
// incorrect
diags.suppressFurtherDiagnostics = true
return .init(start, [], start.location)
}
let alreadyInCCC = context.isInCustomCharacterClass
context.isInCustomCharacterClass = true
defer { context.isInCustomCharacterClass = alreadyInCCC }
typealias Member = CustomCC.Member
var members: Array<Member> = []
parseCCCMembers(into: &members)
// Make sure we have at least one semantic member.
if members.none(\.isSemantic) {
error(.expectedCustomCharacterClassMembers, at: start.location)
}
// If we have a binary set operator, parse it and the next members. Note
// that this means we left associate for a chain of operators.
// TODO: We may want to diagnose and require users to disambiguate, at least
// for chains of separate operators.
// TODO: What about precedence?
while let binOp = lexCustomCCBinOp() {
var rhs: Array<Member> = []
parseCCCMembers(into: &rhs)
if rhs.none(\.isSemantic) {
error(.expectedCustomCharacterClassMembers, at: start.location)
}
members = [.setOperation(members, binOp, rhs)]
}
expect("]")
return CustomCC(start, members, loc(start.location.start))
}
mutating func parseCCCMember() -> CustomCC.Member? {
guard !src.isEmpty && peek() != "]" && peekCCBinOp() == nil
else { return nil }
// Nested custom character class.
if let cccStart = lexCustomCCStart() {
return .custom(parseCustomCharacterClass(cccStart))
}
// Quoted sequence.
if let quote = lexQuote() {
return .quote(quote)
}
// Lex triva if we're allowed.
if let trivia = lexTrivia() {
return .trivia(trivia)
}
if let atom = lexAtom() {
return .atom(atom)
}
return nil
}
/// Attempt to parse a custom character class range into `members`, or regular
/// members if a range cannot be formed.
mutating func parsePotentialCCRange(into members: inout [CustomCC.Member]) {
guard let lhs = members.last, lhs.isSemantic else { return }
// Try and see if we can parse a character class range. Each time we parse
// a component of the range, we append to `members` in case it ends up not
// being a range, and we bail. If we succeed in parsing, we remove the
// intermediate members.
let membersBeforeRange = members.count - 1
while let t = lexTrivia() {
members.append(.trivia(t))
}
guard let dash = lexCustomCharacterClassRangeOperator() else { return }
// If we can't parse a range, '-' becomes literal, e.g `[6-]`.
members.append(.atom(.init(.char("-"), dash)))
while let t = lexTrivia() {
members.append(.trivia(t))
}
guard let rhs = parseCCCMember() else { return }
members.append(rhs)
func makeOperand(_ m: CustomCC.Member, isLHS: Bool) -> AST.Atom? {
switch m {
case .atom(let a):
return a
case .custom:
// Not supported. While .NET allows `x-[...]` to spell subtraction, we
// require `x--[...]`. We also ban `[...]-x` for consistency.
if isLHS {
error(.invalidCharacterClassRangeOperand, at: m.location)
} else {
error(.unsupportedDotNetSubtraction, at: m.location)
}
case .quote:
// Currently unsupported, we need to figure out what the semantics
// would be for grapheme/scalar modes.
error(.unsupported("range with quoted sequence"), at: m.location)
case .trivia:
unreachable("Should have been lexed separately")
case .range, .setOperation:
unreachable("Parsed later")
}
return nil
}
guard let lhsOp = makeOperand(lhs, isLHS: true),
let rhsOp = makeOperand(rhs, isLHS: false) else { return }
// We've successfully parsed an atom LHS and RHS, so form a range,
// collecting the trivia we've parsed, and replacing the members that
// would have otherwise been added to the custom character class.
let rangeMemberCount = members.count - membersBeforeRange
let trivia = members.suffix(rangeMemberCount).compactMap(\.asTrivia)
members.removeLast(rangeMemberCount)
members.append(.range(.init(lhsOp, dash, rhsOp, trivia: trivia)))
// We need to specially check if we can lex a .NET character class
// subtraction here as e.g `[a-c-[...]]` is allowed in .NET. Otherwise we'd
// treat the second `-` as literal.
if let dashLoc = canLexDotNetCharClassSubtraction() {
error(.unsupportedDotNetSubtraction, at: dashLoc)
}
}
mutating func parseCCCMembers(into members: inout Array<CustomCC.Member>) {
// Parse members and ranges until we see the end of the custom char class
// or an operator.
while let member = parseCCCMember() {
members.append(member)
parsePotentialCCRange(into: &members)
}
}
}
public func parseWithRecovery<S: StringProtocol>(
_ regex: S, _ syntax: SyntaxOptions
) -> AST where S.SubSequence == Substring
{
let source = Source(String(regex))
var parser = Parser(source, syntax: syntax)
return validate(parser.parse())
}
public func parse<S: StringProtocol>(
_ regex: S, _ syntax: SyntaxOptions
) throws -> AST where S.SubSequence == Substring
{
try parseWithRecovery(regex, syntax).ensureValid()
}
extension StringProtocol {
/// Whether the given string is considered multi-line for a regex literal.
var spansMultipleLinesInRegexLiteral: Bool {
unicodeScalars.contains(where: { $0 == "\n" || $0 == "\r" })
}
}
/// Retrieve the default set of syntax options that a delimiter and literal
/// contents indicates.
fileprivate func defaultSyntaxOptions(
_ delim: Delimiter, contents: String
) -> SyntaxOptions {
switch delim.kind {
case .forwardSlash:
// For an extended syntax forward slash e.g #/.../#, extended syntax is
// permitted if it spans multiple lines.
if delim.poundCount > 0 && contents.spansMultipleLinesInRegexLiteral {
return [.multilineCompilerLiteral, .extendedSyntax]
}
return .traditional
case .experimental:
return .experimental
}
}
/// Parses a given regex string with delimiters, inferring the syntax options
/// from the delimiters used.
public func parseWithDelimitersWithRecovery<S: StringProtocol>(
_ regex: S
) -> AST where S.SubSequence == Substring {
let (contents, delim) = droppingRegexDelimiters(String(regex))
let syntax = defaultSyntaxOptions(delim, contents: contents)
return parseWithRecovery(contents, syntax)
}
/// Parses a given regex string with delimiters, inferring the syntax options
/// from the delimiters used.
public func parseWithDelimiters<S: StringProtocol>(
_ regex: S
) throws -> AST where S.SubSequence == Substring {
let (contents, delim) = droppingRegexDelimiters(String(regex))
let syntax = defaultSyntaxOptions(delim, contents: contents)
do {
return try parseWithRecovery(contents, syntax).ensureValid()
} catch let error as LocatedErrorProtocol {
// Convert the range in 'contents' to the range in 'regex'.
let delimCount = delim.opening.count
let offsets = contents.offsets(of: error.location.range)
let startIndex = regex.index(atOffset: delimCount + offsets.lowerBound)
let endIndex = regex.index(atOffset: delimCount + offsets.upperBound)
throw error._typeErasedError.addingLocation(startIndex..<endIndex)
}
}