File: PathHierarchy%2BFind.swift

package info (click to toggle)
swiftlang 6.0.3-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 2,519,992 kB
  • sloc: cpp: 9,107,863; ansic: 2,040,022; asm: 1,135,751; python: 296,500; objc: 82,456; f90: 60,502; lisp: 34,951; pascal: 19,946; sh: 18,133; perl: 7,482; ml: 4,937; javascript: 4,117; makefile: 3,840; awk: 3,535; xml: 914; fortran: 619; cs: 573; ruby: 573
file content (560 lines) | stat: -rw-r--r-- 30,047 bytes parent folder | download
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
/*
 This source file is part of the Swift.org open source project

 Copyright (c) 2023-2024 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
 See https://swift.org/CONTRIBUTORS.txt for Swift project authors
*/

extension PathHierarchy {
    /// Attempts to find an element in the path hierarchy for a given path relative to another element.
    ///
    /// - Parameters:
    ///   - rawPath: The documentation link path string.
    ///   - parent: An optional identifier for the node in the hierarchy to search relative to.
    ///   - onlyFindSymbols: Whether or not only symbol matches should be found.
    /// - Returns: Returns the unique identifier for the found match or raises an error if no match can be found.
    /// - Throws: Raises a ``PathHierarchy/Error`` if no match can be found.
    func find(path rawPath: String, parent: ResolvedIdentifier? = nil, onlyFindSymbols: Bool) throws -> ResolvedIdentifier {
        return try findNode(path: rawPath, parentID: parent, onlyFindSymbols: onlyFindSymbols).identifier
    }
    
    private func findNode(path rawPath: String, parentID: ResolvedIdentifier?, onlyFindSymbols: Bool) throws -> Node {
        // The search for a documentation element can be though of as 3 steps:
        // - First, parse the path into structured path components.
        // - Second, find nodes that match the beginning of the path as starting points for the search
        // - Third, traverse the hierarchy from those starting points to search for the node.
        let (path, isAbsolute) = PathParser.parse(path: rawPath)
        guard !path.isEmpty else {
            throw Error.notFound(pathPrefix: rawPath[...], remaining: [], availableChildren: [])
        }
        
        var remaining = path[...]
        
        // If the first path component is "tutorials" or "documentation" then use that information to narrow the search.
        let isKnownTutorialPath      = remaining.first!.full == NodeURLGenerator.Path.tutorialsFolderName
        let isKnownDocumentationPath = remaining.first!.full == NodeURLGenerator.Path.documentationFolderName
        if isKnownDocumentationPath || isKnownTutorialPath {
            // Skip this component since it isn't represented in the path hierarchy.
            remaining.removeFirst()
        }
        
        guard let firstComponent = remaining.first else {
            throw Error.notFound(pathPrefix: rawPath[...], remaining: [], availableChildren: [])
        }
        
        if !onlyFindSymbols {
            // If non-symbol matches are possible there is a fixed order to try resolving the link:
            // Articles match before tutorials which match before the tutorial overview page which match before symbols.
            
            // Non-symbols have a very shallow hierarchy so the simplified search peak at the first few layers and then searches only one subtree once if finds a probable match.
            lookForArticleRoot: if !isKnownTutorialPath {
                if articlesContainer.matches(firstComponent) {
                    if let next = remaining.dropFirst().first {
                        if !articlesContainer.anyChildMatches(next) {
                            break lookForArticleRoot
                        }
                    }
                    return try searchForNode(descendingFrom: articlesContainer, pathComponents: remaining.dropFirst(), onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                } else if articlesContainer.anyChildMatches(firstComponent) {
                    return try searchForNode(descendingFrom: articlesContainer, pathComponents: remaining, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                }
            }
            if !isKnownDocumentationPath {
                if tutorialContainer.matches(firstComponent) {
                    return try searchForNode(descendingFrom: tutorialContainer, pathComponents: remaining.dropFirst(), onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                } else if tutorialContainer.anyChildMatches(firstComponent)  {
                    return try searchForNode(descendingFrom: tutorialContainer, pathComponents: remaining, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                }
                // The parent for tutorial overviews / technologies is "tutorials" which has already been removed above, so no need to check against that name.
                else if tutorialOverviewContainer.anyChildMatches(firstComponent)  {
                    return try searchForNode(descendingFrom: tutorialOverviewContainer, pathComponents: remaining, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                }
            }
        }
        
        // A function to avoid repeating the
        func searchForNodeInModules() throws -> Node {
            // Note: This captures `parentID`, `remaining`, and `rawPathForError`.
            if let moduleMatch = modules.first(where: { $0.matches(firstComponent) }) {
                return try searchForNode(descendingFrom: moduleMatch, pathComponents: remaining.dropFirst(), onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
            }
            if modules.count == 1 {
                do {
                    return try searchForNode(descendingFrom: modules.first!, pathComponents: remaining, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                } catch let error as PathHierarchy.Error {
                    switch error {
                    case .notFound:
                        // Ignore this error and raise an error about not finding the module instead.
                        break
                    case .unknownName(let partialResult, remaining: _, availableChildren: _):
                        if partialResult.node.symbol?.kind.identifier == .module {
                            // Failed to find the first path component. Ignore this error and raise an error about not finding the module instead.
                            break
                        } else {
                            // Partially resolved the link. Raise the more specific error instead of a module-not-found error.
                            throw error
                        }
                        
                    // These errors are all more specific than a module-not-found error would be.
                    case .unfindableMatch,
                         .moduleNotFound,
                         .nonSymbolMatchForSymbolLink,
                         .unknownDisambiguation,
                         .lookupCollision:
                        throw error
                    }
                }
            }
            let topLevelNames = Set(modules.map(\.name) + (onlyFindSymbols ? [] : [articlesContainer.name, tutorialContainer.name]))
            
            if isAbsolute, FeatureFlags.current.isExperimentalLinkHierarchySerializationEnabled {
                throw Error.moduleNotFound(
                    pathPrefix: pathForError(of: rawPath, droppingLast: remaining.count),
                    remaining: Array(remaining),
                    availableChildren: Set(modules.map(\.name))
                )
            } else {
                throw Error.notFound(
                    pathPrefix: pathForError(of: rawPath, droppingLast: remaining.count),
                    remaining: Array(remaining),
                    availableChildren: topLevelNames
                )
            }
        }
        
        // A recursive function to traverse up the path hierarchy searching for the matching node
        func searchForNodeUpTheHierarchy(from startingPoint: Node?, path: ArraySlice<PathComponent>) throws -> Node {
            guard let possibleStartingPoint = startingPoint else {
                // If the search has reached the top of the hierarchy, check the modules as a base case to break the recursion.
                do {
                    return try searchForNodeInModules()
                } catch {
                    // If the node couldn't be found in the modules, search the non-matching parent to achieve a more specific error message
                    if let parentID {
                        return try searchForNode(descendingFrom: lookup[parentID]!, pathComponents: path, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                    }
                    throw error
                }
            }
            
            // If the path isn't empty we would have already found a node.
            let firstComponent = path.first!
            
            // Keep track of the inner most error and raise that if no node is found.
            var innerMostError: Swift.Error?
            
            // If the starting point's children match this component, descend the path hierarchy from there.
            if possibleStartingPoint.anyChildMatches(firstComponent) {
                do {
                    return try searchForNode(descendingFrom: possibleStartingPoint, pathComponents: path, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                } catch {
                    innerMostError = error
                }
            }
            // It's possible that the component is ambiguous at the parent. Checking if this node matches the first component avoids that ambiguity.
            if possibleStartingPoint.matches(firstComponent) {
                do {
                    return try searchForNode(descendingFrom: possibleStartingPoint, pathComponents: path.dropFirst(), onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPath)
                } catch {
                    if innerMostError == nil {
                        innerMostError = error
                    }
                }
            }
            
            do {
                return try searchForNodeUpTheHierarchy(from: possibleStartingPoint.parent, path: path)
            } catch {
                throw innerMostError ?? error
            }
        }
        
        if !isAbsolute, let parentID {
            // If this is a relative link with a known starting point, search from that node (or its language counterpoint) up the hierarchy.
            var startingPoint = lookup[parentID]!
            
            // If the known starting point has multiple language representations, check which language representation to search from.
            if let firstComponent = remaining.first, let counterpoint = startingPoint.counterpart {
                switch (startingPoint.anyChildMatches(firstComponent), counterpoint.anyChildMatches(firstComponent)) {
                // If only one of the language representations match the first path components, use that as the starting point
                case (true, false):
                    break
                case (false, true):
                    startingPoint = counterpoint
                    
                // Otherwise, there isn't a clear starting point. Pick one based on the languages to get stable behavior across builds.
                case _ where startingPoint.languages.contains(.swift):
                    break
                case _ where counterpoint.languages.contains(.swift):
                    startingPoint = counterpoint
                default:
                    // Only symbols have counterpoints which means that each node should always have at least one language
                    if counterpoint.languages.map(\.id).min()! < startingPoint.languages.map(\.id).min()! {
                        startingPoint = counterpoint
                    }
                }
            }
            
            return try searchForNodeUpTheHierarchy(from: startingPoint, path: remaining)
        }
        return try searchForNodeInModules()
    }
    
    private func searchForNode(
        descendingFrom startingPoint: Node,
        pathComponents: ArraySlice<PathComponent>,
        onlyFindSymbols: Bool,
        rawPathForError: String
    ) throws -> Node {
        // All code paths through this function wants to perform extra verification on the return value before returning it to the caller.
        // To accomplish that, the core implementation happens in `_innerImplementation`, which is called once, right below its definition.
        
        func _innerImplementation(
            descendingFrom startingPoint: Node,
            pathComponents: ArraySlice<PathComponent>,
            onlyFindSymbols: Bool,
            rawPathForError: String
        ) throws -> Node {
            var node = startingPoint
            var remaining = pathComponents[...]
            
            // Search for the match relative to the start node.
            if remaining.isEmpty {
                // If all path components were consumed, then the start of the search is the match.
                return node
            }
            
            // Search for the remaining components from the node
            while true {
                let (children, pathComponent) = try findChildContainer(node: &node, remaining: remaining, rawPathForError: rawPathForError)
                
                do {
                    guard let child = try children.find(pathComponent.disambiguation) else {
                        // The search has ended with a node that doesn't have a child matching the next path component.
                        throw makePartialResultError(node: node, remaining: remaining, rawPathForError: rawPathForError)
                    }
                    node = child
                    remaining = remaining.dropFirst()
                    if remaining.isEmpty {
                        // If all path components are consumed, then the match is found.
                        return child
                    }
                } catch DisambiguationContainer.Error.lookupCollision(let collisions) {
                    func handleWrappedCollision() throws -> Node {
                        let match = try handleCollision(node: node, remaining: remaining, collisions: collisions, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPathForError)
                        return match
                    }
                    
                    // When there's a collision, use the remaining path components to try and narrow down the possible collisions.
                    
                    guard let nextPathComponent = remaining.dropFirst().first else {
                        // This was the last path component so there's nothing to look ahead.
                        //
                        // It's possible for a symbol that exist on multiple languages to collide with itself.
                        // Check if the collision can be resolved by finding a unique symbol or an otherwise preferred match.
                        var uniqueCollisions: [String: Node] = [:]
                        for (node, _) in collisions {
                            guard let symbol = node.symbol else {
                                // Non-symbol collisions should have already been resolved
                                return try handleWrappedCollision()
                            }
                            
                            let id = symbol.identifier.precise
                            if symbol.identifier.interfaceLanguage == "swift" || !uniqueCollisions.keys.contains(id) {
                                uniqueCollisions[id] = node
                            }
                            
                            guard uniqueCollisions.count < 2 else {
                                // Encountered more than one unique symbol
                                return try handleWrappedCollision()
                            }
                        }
                        // A wrapped error would have been raised while iterating over the collection.
                        return uniqueCollisions.first!.value
                    }
                    
                    // Look ahead one path component to narrow down the list of collisions.
                    // For each collision where the next path component can be found unambiguously, return that matching node one level down.
                    let possibleMatchesOneLevelDown = collisions.compactMap {
                        try? $0.node.children[String(nextPathComponent.name)]?.find(nextPathComponent.disambiguation)
                    }
                    let onlyPossibleMatch: Node?
                    
                    if possibleMatchesOneLevelDown.count == 1 {
                        // Only one of the collisions found a match for the next path component
                        onlyPossibleMatch = possibleMatchesOneLevelDown.first!
                    } else if !possibleMatchesOneLevelDown.isEmpty, possibleMatchesOneLevelDown.dropFirst().allSatisfy({ $0.symbol?.identifier.precise == possibleMatchesOneLevelDown.first!.symbol?.identifier.precise }) {
                        // It's also possible that different language representations of the same symbols appear as different collisions.
                        // If _all_ collisions that can find the next path component are the same symbol, then we prefer the Swift version of that symbol.
                        onlyPossibleMatch = possibleMatchesOneLevelDown.first(where: { $0.symbol?.identifier.interfaceLanguage == "swift" }) ?? possibleMatchesOneLevelDown.first!
                    } else {
                        onlyPossibleMatch = nil
                    }
                    
                    if let onlyPossibleMatch {
                        // If we found only a single match one level down then we've processed both this path component and the next.
                        remaining = remaining.dropFirst(2)
                        if remaining.isEmpty {
                            // If that was the end of the path we can simply return the result.
                            return onlyPossibleMatch
                        } else {
                            // Otherwise we continue looping over the remaining path components.
                            node = onlyPossibleMatch
                            continue
                        }
                    }
                    
                    // Couldn't resolve the collision by look ahead.
                    return try handleWrappedCollision()
                }
            }
        }
        
        // Run the core implementation, defined above.
        let node = try _innerImplementation(descendingFrom: startingPoint, pathComponents: pathComponents, onlyFindSymbols: onlyFindSymbols, rawPathForError: rawPathForError)
        
        // Perform extra validation on the return value before returning it to the caller.
        if node.identifier == nil {
            throw Error.unfindableMatch(node)
        }
        if onlyFindSymbols, node.symbol == nil {
            throw Error.nonSymbolMatchForSymbolLink(path: rawPathForError)
        }
        return node
    }
                        
    private func handleCollision(
        node: Node,
        remaining: ArraySlice<PathComponent>,
        collisions: [(node: PathHierarchy.Node, disambiguation: String)],
        onlyFindSymbols: Bool,
        rawPathForError: String
    ) throws -> Node {
        if let favoredMatch = collisions.singleMatch({ $0.node.specialBehaviors.contains(.disfavorInLinkCollision) == false }) {
            return favoredMatch.node
        }
        // If a module has the same name as the article root (which is named after the bundle display name) then its possible
        // for an article a symbol to collide. Articles aren't supported in symbol links but symbols are supported in general
        // documentation links (although the non-symbol result is prioritized).
        //
        // There is a later check that the returned node is a symbol for symbol links, but that won't happen if the link is a
        // collision. To fully handle the collision in both directions, the check below uses `onlyFindSymbols` in the closure
        // so that only symbol matches are returned for symbol links (when `onlyFindSymbols` is `true`) and non-symbol matches
        // for general documentation links (when `onlyFindSymbols` is `false`).
        //
        // It's a more compact way to write
        //
        //     if onlyFindSymbols {
        //        return $0.node.symbol != nil
        //     } else {
        //        return $0.node.symbol == nil
        //     }
        if let symbolOrNonSymbolMatch = collisions.singleMatch({ ($0.node.symbol != nil) == onlyFindSymbols }) {
            return symbolOrNonSymbolMatch.node
        }
        
        throw Error.lookupCollision(
            partialResult: (
                node,
                pathForError(of: rawPathForError, droppingLast: remaining.count)
            ),
            remaining: Array(remaining),
            collisions: collisions.map { ($0.node, $0.disambiguation) }
        )
    }
    
    private func makePartialResultError(
        node: Node,
        remaining: ArraySlice<PathComponent>,
        rawPathForError: String
    ) -> Error {
        guard let disambiguationTree = node.children[String(remaining.first!.name)] else {
            return Error.unknownName(
                partialResult: (
                    node,
                    pathForError(of: rawPathForError, droppingLast: remaining.count)
                ),
                remaining: Array(remaining),
                availableChildren: Set(node.children.keys)
            )
        }

        // Use a empty disambiguation suffix for the preferred symbol, if there
        // is one, which will trigger the warning to suggest removing the
        // suffix entirely.
        let candidates = disambiguationTree.disambiguatedValues()
        let favoredSuffix = favoredSuffix(from: candidates)
        let suffixes = candidates.map { $0.disambiguation.makeSuffix() }
        let candidatesAndSuffixes = zip(candidates, suffixes).map { (candidate, suffix) in
            if suffix == favoredSuffix {
                return (node: candidate.value, disambiguation: "")
            } else {
                return (node: candidate.value, disambiguation: suffix)
            }
        }
        return Error.unknownDisambiguation(
            partialResult: (
                node,
                pathForError(of: rawPathForError, droppingLast: remaining.count)
            ),
            remaining: Array(remaining),
            candidates: candidatesAndSuffixes
        )
    }

    /// Check if exactly one of the given candidate symbols is preferred, because it is not disfavored
    /// for link resolution and all the other symbols are.
    /// - Parameters:
    ///   - from: An array of candidate node and disambiguation tuples.
    /// - Returns: An optional string set to the disambiguation suffix string, without the hyphen separator e.g. "abc123",
    ///            or nil if there is no preferred symbol.
    private func favoredSuffix(from candidates: [(value: PathHierarchy.Node, disambiguation: PathHierarchy.DisambiguationContainer.Disambiguation)]) -> String? {
        return candidates.singleMatch({
            !$0.value.specialBehaviors.contains(PathHierarchy.Node.SpecialBehaviors.disfavorInLinkCollision)
        })?.disambiguation.makeSuffix()
    }

    private func pathForError(
        of rawPath: String,
        droppingLast trailingComponentsToDrop: Int
    ) -> Substring {
        guard trailingComponentsToDrop > 0 else { return rawPath[...] }
        
        // Drop 1 less than the requested amount to keep the trailing path separator in the returned path prefix.
        let componentSubstrings = PathParser.split(rawPath).componentSubstrings.dropLast(trailingComponentsToDrop - 1)
        guard let lastSubstring = componentSubstrings.last else { return "" }
        
        return rawPath[..<lastSubstring.startIndex]
    }
    
    /// Finds the child disambiguation container for a given node that match the remaining path components.
    /// - Parameters:
    ///   - node: The current node.
    ///   - remaining: The remaining path components.
    ///   - rawPathForError: The raw path for presentation in potential error messages.
    /// - Returns: The child disambiguation container and path component it matched.
    private func findChildContainer(
        node: inout Node,
        remaining: ArraySlice<PathComponent>,
        rawPathForError: String
    ) throws -> (DisambiguationContainer, PathComponent) {
        var pathComponent = remaining.first!
        if let match = node.children[pathComponent.full] {
            // The path component parsing may treat dash separated words as disambiguation information.
            // If the parsed name didn't match, also try the original.
            pathComponent.disambiguation = nil
            return (match, pathComponent)
        } else if let match = node.children[String(pathComponent.name)] {
            return (match, pathComponent)
        }
        // The search has ended with a node that doesn't have a child matching the next path component.
        throw makePartialResultError(node: node, remaining: remaining, rawPathForError: rawPathForError)
    }
}

// MARK: Disambiguation Container

extension PathHierarchy.DisambiguationContainer {
    /// Errors finding values in the disambiguation tree
    enum Error: Swift.Error {
        /// Multiple matches found.
        ///
        /// Includes a list of values paired with their missing disambiguation suffixes.
        case lookupCollision([(node: PathHierarchy.Node, disambiguation: String)])
    }
    
    /// Attempts to find a value in the disambiguation tree based on partial disambiguation information.
    ///
    /// There are 3 possible results:
    ///  - No match is found; indicated by a `nil` return value.
    ///  - Exactly one match is found; indicated by a non-nil return value.
    ///  - More than one match is found; indicated by a raised error listing the matches and their missing disambiguation.
    func find(_ disambiguation: PathHierarchy.PathComponent.Disambiguation?) throws -> PathHierarchy.Node? {
        if storage.count <= 1, disambiguation == nil {
            return storage.first?.node
        }
        
        switch disambiguation {
        case .kindAndHash(let kind, let hash):
            switch (kind, hash) {
            case (let kind?, let hash?):
                return storage.first(where: { $0.kind == kind && $0.hash == hash })?.node
            case (let kind?, nil):
                let matches = storage.filter({ $0.kind == kind })
                guard matches.count <= 1 else {
                    // Suggest not only hash disambiguation, but also type signature disambiguation.
                    throw Error.lookupCollision(Self.disambiguatedValues(for: matches).map { ($0.value, $0.disambiguation.value()) })
                }
                return matches.first?.node
            case (nil, let hash?):
                let matches = storage.filter({ $0.hash == hash })
                guard matches.count <= 1 else {
                    throw Error.lookupCollision(matches.map { ($0.node, $0.kind!) }) // An element wouldn't match if it didn't have kind disambiguation.
                }
                return matches.first?.node
            case (nil, nil):
                break
            }
        case nil:
            break
        }
        // Disambiguate by a mix of kinds and USRs
        throw Error.lookupCollision(self.disambiguatedValues().map { ($0.value, $0.disambiguation.value()) })
    }
}

// MARK: Private helper extensions

// Allow optional substrings to be compared to non-optional strings
private func == (lhs: (some StringProtocol)?, rhs: some StringProtocol) -> Bool {
     guard let lhs else { return false }
     return lhs == rhs
 }

private extension Sequence {
    /// Returns the only element of the sequence that satisfies the given predicate.
    /// - Parameters:
    ///   - predicate: A closure that takes an element of the sequence as its argument and returns a Boolean value indicating whether the element is a match.
    /// - Returns: The only element of the sequence that satisfies `predicate`, or `nil` if  multiple elements satisfy the predicate or if no element satisfy the predicate.
    /// - Complexity: O(_n_), where _n_ is the length of the sequence.
    func singleMatch(_ predicate: (Element) -> Bool) -> Element? {
        var match: Element?
        for element in self where predicate(element) {
            guard match == nil else {
                // Found a second match. No need to check the rest of the sequence.
                return nil
            }
            match = element
        }
        return match
    }
}

private extension PathHierarchy.Node {
    func matches(_ component: PathHierarchy.PathComponent) -> Bool {
        // Check the full path component first in case the node's name has a suffix that could be mistaken for a hash disambiguation.
        if name == component.full {
            return true
        }
        // Otherwise, check if the node's symbol matches the provided disambiguation
        else if let symbol, let disambiguation = component.disambiguation {
            switch disambiguation {
            case .kindAndHash(let kind, let hash):
                return name == component.name
                    && (kind == nil || kind! == symbol.kind.identifier.identifier)
                    && (hash == nil || hash! == symbol.identifier.precise.stableHashString)
            }
        }
        
        return false
    }
    
    func anyChildMatches(_ component: PathHierarchy.PathComponent) -> Bool {
        let keys = children.keys
        return keys.contains(component.full)
            || keys.contains(String(component.name))
    }
}