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
|
//===----------------------------------------------------------------------===//
//
// 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
//
//===----------------------------------------------------------------------===//
// TODO: Remove and directly serialize CaptureList instead
// A tree representing the type of some captures, used for communication
// with the compiler.
enum CaptureStructure: Equatable {
case atom(name: String? = nil, type: AnyType? = nil)
indirect case optional(CaptureStructure)
indirect case tuple([CaptureStructure])
static func tuple(_ children: CaptureStructure...) -> Self {
tuple(children)
}
static var empty: Self {
.tuple([])
}
}
// MARK: - Common properties
extension CaptureStructure {
/// Returns a Boolean indicating whether the structure does not contain any
/// captures.
private var isEmpty: Bool {
if case .tuple(let elements) = self, elements.isEmpty {
return true
}
return false
}
}
// MARK: - Serialization
extension CaptureStructure {
/// A byte-sized serialization code.
private enum Code: UInt8 {
case end = 0
case atom = 1
case namedAtom = 2
// case formArray = 3
case formOptional = 4
case beginTuple = 5
case endTuple = 6
}
private typealias SerializationVersion = UInt16
private static let currentSerializationVersion: SerializationVersion = 1
static func serializationBufferSize(
forInputUTF8CodeUnitCount inputUTF8CodeUnitCount: Int
) -> Int {
MemoryLayout<SerializationVersion>.stride + inputUTF8CodeUnitCount + 1
}
/// Encodes the capture structure to the given buffer as a serialized
/// representation.
///
/// The encoding rules are as follows:
///
/// ```
/// encode(〚`T`〛) ==> <version>, 〚`T`〛, .end
/// 〚`T` (atom)〛 ==> .atom
/// 〚`name: T` (atom)〛 ==> .atom, `name`, '\0'
/// 〚`T?`〛 ==> 〚`T`〛, .formOptional
/// 〚`(T0, T1, ...)` (top level)〛 ==> 〚`T0`〛, 〚`T1`〛, ...
/// 〚`(T0, T1, ...)`〛 ==> .beginTuple, 〚`T0`〛, 〚`T1`〛, ..., .endTuple
/// ```
///
/// - Parameter buffer: A buffer whose byte count is at least the byte count
/// of the regular expression string that produced this capture structure.
func encode(to buffer: UnsafeMutableRawBufferPointer) {
assert(!buffer.isEmpty, "Buffer must not be empty")
assert(
buffer.count >=
MemoryLayout<SerializationVersion>.stride + MemoryLayout<Code>.stride)
// Encode version (unaligned store).
withUnsafeBytes(of: Self.currentSerializationVersion) {
buffer.copyMemory(from: $0)
}
// Encode contents.
var offset = MemoryLayout<SerializationVersion>.stride
/// Appends a code to the buffer, advancing the offset to the next position.
func append(_ code: Code) {
buffer.storeBytes(
of: code.rawValue, toByteOffset: offset, as: UInt8.self)
offset += MemoryLayout<Code>.stride
}
/// Recursively encode the node to the buffer.
func encode(_ node: CaptureStructure, isTopLevel: Bool = false) {
switch node {
// 〚`T` (atom)〛 ==> .atom
case .atom(name: nil, type: nil):
append(.atom)
// 〚`name: T` (atom)〛 ==> .atom, `name`, '\0'
case .atom(name: let name?, type: nil):
append(.namedAtom)
let nameCString = name.utf8CString
let nameSlot = UnsafeMutableRawBufferPointer(
rebasing: buffer[offset ..< offset+nameCString.count])
nameCString.withUnsafeBytes(nameSlot.copyMemory(from:))
offset += nameCString.count
case .atom(_, _?):
fatalError("Cannot encode a capture structure with explicit types")
// 〚`T?`〛 ==> 〚`T`〛, .formOptional
case .optional(let child):
encode(child)
append(.formOptional)
// 〚`(T0, T1, ...)` (top level)〛 ==> 〚`T0`〛, 〚`T1`〛, ...
// 〚`(T0, T1, ...)`〛 ==> .beginTuple, 〚`T0`〛, 〚`T1`〛, ..., .endTuple
case .tuple(let children):
if !isTopLevel {
append(.beginTuple)
}
for child in children {
encode(child)
}
if !isTopLevel {
append(.endTuple)
}
}
}
if !isEmpty {
encode(self, isTopLevel: true)
}
append(.end)
}
/// Creates a capture structure by decoding a serialized representation from
/// the given buffer.
init?(decoding buffer: UnsafeRawBufferPointer) {
var scopes: [[CaptureStructure]] = [[]]
var currentScope: [CaptureStructure] {
get { scopes[scopes.endIndex - 1] }
_modify { yield &scopes[scopes.endIndex - 1] }
}
// Decode version.
let version = buffer.load(as: SerializationVersion.self)
guard version == Self.currentSerializationVersion else {
return nil
}
// Decode contents.
var offset = MemoryLayout<SerializationVersion>.stride
/// Returns the next code in the buffer, or nil if the memory does not
/// contain a valid code.
func nextCode() -> Code? {
defer { offset += MemoryLayout<Code>.stride }
let rawValue = buffer.load(fromByteOffset: offset, as: Code.RawValue.self)
return Code(rawValue: rawValue)
}
repeat {
guard let code = nextCode() else {
return nil
}
switch code {
case .end:
offset = buffer.endIndex
case .atom:
currentScope.append(.atom())
case .namedAtom:
let stringAddress = buffer.baseAddress.unsafelyUnwrapped
.advanced(by: offset)
.assumingMemoryBound(to: CChar.self)
let name = String(cString: stringAddress)
offset += name.utf8CString.count
currentScope.append(.atom(name: name))
case .formOptional:
let lastIndex = currentScope.endIndex - 1
currentScope[lastIndex] = .optional(currentScope[lastIndex])
case .beginTuple:
scopes.append([])
case .endTuple:
let lastScope = scopes.removeLast()
currentScope.append(.tuple(lastScope))
}
} while offset < buffer.endIndex
guard scopes.count == 1 else {
return nil // Malformed serialization.
}
self = currentScope.count == 1 ? currentScope[0] : .tuple(currentScope)
}
}
extension CaptureStructure: CustomStringConvertible {
var description: String {
var printer = PrettyPrinter()
_print(&printer)
return printer.finish()
}
func _print(_ printer: inout PrettyPrinter) {
switch self {
case let .atom(name, type):
let name = name ?? "<unnamed>"
let type = type == nil ? "<untyped>"
: String(describing: type)
printer.print("Atom(\(name): \(type))")
case let .optional(c):
printer.printBlock("Optional") { printer in
c._print(&printer)
}
case let .tuple(cs):
printer.printBlock("Tuple") { printer in
for c in cs {
c._print(&printer)
}
}
}
}
}
extension AST {
/// The capture structure of this AST for compiler communication.
var captureStructure: CaptureStructure {
captureList._captureStructure
}
}
// MARK: Convert CaptureList into CaptureStructure
extension CaptureList {
var _captureStructure: CaptureStructure {
if captures.isEmpty { return .empty }
if captures.count == 1 {
return captures.first!._captureStructure
}
return .tuple(captures.map(\._captureStructure))
}
}
extension CaptureList.Capture {
var _captureStructure: CaptureStructure {
var base = CaptureStructure.atom(
name: name, type: type == Substring.self ? nil : .init(type))
for _ in 0 ..< optionalDepth {
base = .optional(base)
}
return base
}
}
|