File: DocCCatalogIndexManager.swift

package info (click to toggle)
swiftlang 6.2.3-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 2,856,264 kB
  • sloc: cpp: 9,995,718; ansic: 2,234,019; asm: 1,092,167; python: 313,940; objc: 82,726; f90: 80,126; lisp: 38,373; pascal: 25,580; sh: 20,378; ml: 5,058; perl: 4,751; makefile: 4,725; awk: 3,535; javascript: 3,018; xml: 918; fortran: 664; cs: 573; ruby: 396
file content (190 lines) | stat: -rw-r--r-- 7,570 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
//===----------------------------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 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 the list of Swift project authors
//
//===----------------------------------------------------------------------===//

package import Foundation
import SKLogging
import SKUtilities
@_spi(LinkCompletion) @preconcurrency import SwiftDocC

final actor DocCCatalogIndexManager {
  private let server: DocCServer

  /// The cache of DocCCatalogIndex for a given SwiftDocC catalog URL
  ///
  /// - Note: The capacity has been chosen without scientific measurements. The
  ///   feeling is that switching between SwiftDocC catalogs is rare and 5 catalog
  ///   indexes won't take up much memory.
  private var indexCache = LRUCache<URL, Result<DocCCatalogIndex, DocCIndexError>>(capacity: 5)

  init(server: DocCServer) {
    self.server = server
  }

  func invalidate(_ url: URL) {
    indexCache.removeValue(forKey: url)
  }

  func index(for catalogURL: URL) async throws(DocCIndexError) -> DocCCatalogIndex {
    if let existingCatalog = indexCache[catalogURL] {
      return try existingCatalog.get()
    }
    do {
      let convertResponse = try await server.convert(
        externalIDsToConvert: [],
        documentPathsToConvert: [],
        includeRenderReferenceStore: true,
        documentationBundleLocation: catalogURL,
        documentationBundleDisplayName: "unknown",
        documentationBundleIdentifier: "unknown",
        symbolGraphs: [],
        emitSymbolSourceFileURIs: true,
        markupFiles: [],
        tutorialFiles: [],
        convertRequestIdentifier: UUID().uuidString
      )
      guard let renderReferenceStoreData = convertResponse.renderReferenceStore else {
        throw DocCIndexError.unexpectedlyNilRenderReferenceStore
      }
      let renderReferenceStore = try JSONDecoder().decode(RenderReferenceStore.self, from: renderReferenceStoreData)
      let catalogIndex = DocCCatalogIndex(from: renderReferenceStore)
      indexCache[catalogURL] = .success(catalogIndex)
      return catalogIndex
    } catch {
      if error is CancellationError {
        // Don't cache cancellation errors
        throw .cancelled
      }
      let internalError = error as? DocCIndexError ?? DocCIndexError.internalError(error)
      indexCache[catalogURL] = .failure(internalError)
      throw internalError
    }
  }
}

/// Represents a potential error that the ``DocCCatalogIndexManager`` could encounter while indexing
package enum DocCIndexError: LocalizedError {
  case internalError(any Error)
  case unexpectedlyNilRenderReferenceStore
  case cancelled

  package var errorDescription: String? {
    switch self {
    case .internalError(let internalError):
      return "An internal error occurred: \(internalError.localizedDescription)"
    case .unexpectedlyNilRenderReferenceStore:
      return "Did not receive a RenderReferenceStore from the DocC server"
    case .cancelled:
      return "The request was cancelled"
    }
  }
}

package struct DocCCatalogIndex: Sendable {
  /// A map from an asset name to its DataAsset contents.
  let assets: [String: DataAsset]

  /// An array of DocCSymbolLink and their associated document URLs.
  let documentationExtensions: [(link: DocCSymbolLink, documentURL: URL?)]

  /// A map from article name to its TopicRenderReference.
  let articles: [String: TopicRenderReference]

  /// A map from tutorial name to its TopicRenderReference.
  let tutorials: [String: TopicRenderReference]

  // A map from tutorial overview name to its TopicRenderReference.
  let tutorialOverviews: [String: TopicRenderReference]

  /// Retrieves the documentation extension URL for the given symbol if one exists.
  ///
  /// - Parameter symbolInformation: The `DocCSymbolInformation` representing the symbol to search for.
  package func documentationExtension(for symbolInformation: DocCSymbolInformation) -> URL? {
    documentationExtensions.filter { symbolInformation.matches($0.link) }.first?.documentURL
  }

  init(from renderReferenceStore: RenderReferenceStore) {
    // Assets
    var assets: [String: DataAsset] = [:]
    for (reference, asset) in renderReferenceStore.assets {
      var asset = asset
      asset.variants = asset.variants.compactMapValues { url in
        orLog("Failed to convert asset from RenderReferenceStore") { try url.withScheme("doc-asset") }
      }
      assets[reference.assetName] = asset
    }
    self.assets = assets
    // Markdown and Tutorial content
    var documentationExtensionToSourceURL: [(link: DocCSymbolLink, documentURL: URL?)] = []
    var articles: [String: TopicRenderReference] = [:]
    var tutorials: [String: TopicRenderReference] = [:]
    var tutorialOverviews: [String: TopicRenderReference] = [:]
    for (renderReferenceKey, topicContentValue) in renderReferenceStore.topics {
      guard let topicRenderReference = topicContentValue.renderReference as? TopicRenderReference else {
        continue
      }
      // Article and Tutorial URLs in SwiftDocC are always of the form `doc://<BundleID>/<Type>/<ModuleName>/<Filename>`.
      // Therefore, we only really need to store the filename in these cases which will always be the last path component.
      let lastPathComponent = renderReferenceKey.url.lastPathComponent

      switch topicRenderReference.kind {
      case .article:
        articles[lastPathComponent] = topicRenderReference
      case .tutorial:
        tutorials[lastPathComponent] = topicRenderReference
      case .overview:
        tutorialOverviews[lastPathComponent] = topicRenderReference
      default:
        guard topicContentValue.isDocumentationExtensionContent, renderReferenceKey.url.pathComponents.count > 2 else {
          continue
        }
        // Documentation extensions are always of the form `doc://<BundleID>/documentation/<SymbolPath>`.
        // We want to parse the `SymbolPath` in this case and store it in the index for lookups later.
        let linkString = renderReferenceKey.url.pathComponents[2...].joined(separator: "/")
        guard let doccSymbolLink = DocCSymbolLink(linkString: linkString) else {
          continue
        }
        documentationExtensionToSourceURL.append((link: doccSymbolLink, documentURL: topicContentValue.source))
      }
    }
    self.documentationExtensions = documentationExtensionToSourceURL
    self.articles = articles
    self.tutorials = tutorials
    self.tutorialOverviews = tutorialOverviews
  }
}

fileprivate enum WithSchemeError: LocalizedError {
  case failedToRetrieveComponents(URL)
  case failedToEncode(URLComponents)

  var errorDescription: String? {
    switch self {
    case .failedToRetrieveComponents(let url):
      "Failed to retrieve components for URL \(url.absoluteString)"
    case .failedToEncode(let components):
      "Failed to encode URL components \(String(reflecting: components))"
    }
  }
}

fileprivate extension URL {
  func withScheme(_ scheme: String) throws(WithSchemeError) -> URL {
    guard var components = URLComponents(url: self, resolvingAgainstBaseURL: true) else {
      throw WithSchemeError.failedToRetrieveComponents(self)
    }
    components.scheme = scheme
    guard let result = components.url else {
      throw WithSchemeError.failedToEncode(components)
    }
    return result
  }
}