-
Notifications
You must be signed in to change notification settings - Fork 128
/
ReferenceResolver.swift
562 lines (490 loc) · 30 KB
/
ReferenceResolver.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
/*
This source file is part of the Swift.org open source project
Copyright (c) 2021-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
*/
import Foundation
import Markdown
func unresolvedReferenceProblem(source: URL?, range: SourceRange?, severity: DiagnosticSeverity, uncuratedArticleMatch: URL?, errorInfo: TopicReferenceResolutionErrorInfo, fromSymbolLink: Bool) -> Problem {
var notes = uncuratedArticleMatch.map {
[DiagnosticNote(source: $0, range: SourceLocation(line: 1, column: 1, source: $0)..<SourceLocation(line: 1, column: 1, source: $0), message: "This article was found but is not available for linking because it's uncurated")]
} ?? []
let referenceSourceRange: SourceRange? = range.map { range in
// FIXME: Finding the range for the link's destination is better suited for Swift-Markdown
// https://github.com/apple/swift-markdown/issues/109
if fromSymbolLink {
// Inset the range by 2 at the start and end to skip both "``".
return SourceLocation(line: range.lowerBound.line, column: range.lowerBound.column+2, source: range.lowerBound.source) ..< SourceLocation(line: range.upperBound.line, column: range.upperBound.column-2, source: range.upperBound.source)
} else {
// FIXME: This assumes that the link uses the `<doc:my/reference>` syntax.
// Links that use the [link text](doc:my/reference) syntax will have incorrect suggestion replacements.
// https://github.com/swiftlang/swift-docc/issues/470
// Inset the range by 5 at the start and by 1 at the end to skip "<doc:" at the start and ">" at the end.
return SourceLocation(line: range.lowerBound.line, column: range.lowerBound.column+5, source: range.lowerBound.source) ..< SourceLocation(line: range.upperBound.line, column: range.upperBound.column-1, source: range.upperBound.source)
}
}
var solutions: [Solution] = []
if let referenceSourceRange {
if let note = errorInfo.note, let source {
notes.append(DiagnosticNote(source: source, range: referenceSourceRange, message: note))
}
solutions.append(contentsOf: errorInfo.solutions(referenceSourceRange: referenceSourceRange))
}
let diagnosticRange: SourceRange?
if var rangeAdjustment = errorInfo.rangeAdjustment, let referenceSourceRange {
rangeAdjustment.offsetWithRange(referenceSourceRange)
diagnosticRange = rangeAdjustment
} else {
diagnosticRange = referenceSourceRange
}
let diagnostic = Diagnostic(source: source, severity: severity, range: diagnosticRange, identifier: "org.swift.docc.unresolvedTopicReference", summary: errorInfo.message, notes: notes)
return Problem(diagnostic: diagnostic, possibleSolutions: solutions)
}
func unresolvedResourceProblem(
resource: ResourceReference,
expectedType: DocumentationContext.AssetType? = nil,
source: URL?,
range: SourceRange?,
severity: DiagnosticSeverity
) -> Problem {
let summary: String
let identifier: String
if let expectedType {
identifier = "org.swift.docc.unresolvedResource.\(expectedType)"
summary = "\(expectedType) resource \(resource.path.singleQuoted) couldn't be found"
} else {
identifier = "org.swift.docc.unresolvedResource"
summary = "Resource \(resource.path.singleQuoted) couldn't be found"
}
let diagnostic = Diagnostic(
source: source,
severity: severity,
range: range,
identifier: identifier,
summary: summary
)
return Problem(diagnostic: diagnostic, possibleSolutions: [])
}
/**
Rewrites a `Semantic` tree by attempting to resolve `.unresolved(UnresolvedTopicReference)` references using a `DocumentationContext`.
*/
struct ReferenceResolver: SemanticVisitor {
typealias Result = Semantic
/// The context to use to resolve references.
var context: DocumentationContext
/// The bundle in which visited documents reside.
var bundle: DocumentationBundle
/// Problems found while trying to resolve references.
var problems = [Problem]()
var rootReference: ResolvedTopicReference
/// If the documentation is inherited, the reference of the parent symbol.
var inheritanceParentReference: ResolvedTopicReference?
init(context: DocumentationContext, bundle: DocumentationBundle, rootReference: ResolvedTopicReference? = nil, inheritanceParentReference: ResolvedTopicReference? = nil) {
self.context = context
self.bundle = bundle
self.rootReference = rootReference ?? bundle.rootReference
self.inheritanceParentReference = inheritanceParentReference
}
mutating func resolve(_ reference: TopicReference, in parent: ResolvedTopicReference, range: SourceRange?, severity: DiagnosticSeverity) -> TopicReferenceResolutionResult {
switch context.resolve(reference, in: parent) {
case .success(let resolved):
return .success(resolved)
case let .failure(unresolved, error):
let uncuratedArticleMatch = context.uncuratedArticles[bundle.documentationRootReference.appendingPathOfReference(unresolved)]?.source
problems.append(unresolvedReferenceProblem(source: range?.source, range: range, severity: severity, uncuratedArticleMatch: uncuratedArticleMatch, errorInfo: error, fromSymbolLink: false))
return .failure(unresolved, error)
}
}
/**
Returns a ``Problem`` if the resource cannot be found; otherwise `nil`.
*/
func resolve(resource: ResourceReference, range: SourceRange?, severity: DiagnosticSeverity) -> Problem? {
if !context.resourceExists(with: resource) {
return unresolvedResourceProblem(resource: resource, source: range?.source, range: range, severity: severity)
} else {
return nil
}
}
mutating func resolve(synonym: AlternateDeclaration, range: SourceRange?, severity: DiagnosticSeverity) {
// This will record a problem if there's any when resolving the link
let resolutionResult = self.resolve(synonym.counterpart, in: bundle.rootReference, range: range, severity: severity)
synonym.counterpart = .resolved(resolutionResult)
}
mutating func visitCode(_ code: Code) -> Semantic {
return code
}
mutating func visitSteps(_ steps: Steps) -> Semantic {
let newStepsContent = steps.content.map { visit($0) }
return Steps(originalMarkup: steps.originalMarkup, content: newStepsContent)
}
mutating func visitStep(_ step: Step) -> Semantic {
let newContent = visit(step.content) as! MarkupContainer
let newCaption = visit(step.caption) as! MarkupContainer
if let media = step.media, let problem = resolve(resource: media.source, range: step.originalMarkup.range, severity: .warning) {
problems.append(problem)
}
if let code = step.code, let problem = resolve(resource: code.fileReference, range: step.originalMarkup.range, severity: .warning) {
problems.append(problem)
}
return Step(originalMarkup: step.originalMarkup, media: step.media, code: step.code, content: newContent, caption: newCaption)
}
mutating func visitTutorialSection(_ tutorialSection: TutorialSection) -> Semantic {
let newIntroduction = visitMarkupLayouts(tutorialSection.introduction)
let newStepsContent: Steps? = tutorialSection.stepsContent.map { (visitSteps($0) as! Steps) }
return TutorialSection(originalMarkup: tutorialSection.originalMarkup, title: tutorialSection.title, introduction: newIntroduction, stepsContent: newStepsContent, redirects: tutorialSection.redirects)
}
mutating func visitTutorial(_ tutorial: Tutorial) -> Semantic {
let newRequirements = tutorial.requirements.map { visit($0) } as! [XcodeRequirement]
let newIntro = visit(tutorial.intro) as! Intro
let newSections = tutorial.sections.map { visit($0) } as! [TutorialSection]
let newAssessments = tutorial.assessments.map { visit($0) as! Assessments }
let newCallToActionImage = tutorial.callToActionImage.map { visit($0) as! ImageMedia }
// Change the context of the project file to `download`
if let projectFiles = tutorial.projectFiles,
var resolvedDownload = context.resolveAsset(named: projectFiles.path, in: bundle.rootReference) {
resolvedDownload.context = .download
context.updateAsset(named: projectFiles.path, asset: resolvedDownload, in: bundle.rootReference)
}
return Tutorial(originalMarkup: tutorial.originalMarkup, durationMinutes: tutorial.durationMinutes, projectFiles: tutorial.projectFiles, requirements: newRequirements, intro: newIntro, sections: newSections, assessments: newAssessments, callToActionImage: newCallToActionImage, redirects: tutorial.redirects)
}
mutating func visitIntro(_ intro: Intro) -> Semantic {
let newImage = intro.image.map { visit($0) } as! ImageMedia?
let newVideo = intro.video.map { visit($0) } as! VideoMedia?
let newContent = visit(intro.content) as! MarkupContainer
return Intro(originalMarkup: intro.originalMarkup, title: intro.title, image: newImage, video: newVideo, content: newContent)
}
mutating func visitXcodeRequirement(_ xcodeRequirement: XcodeRequirement) -> Semantic {
return xcodeRequirement
}
mutating func visitAssessments(_ assessments: Assessments) -> Semantic {
let newQuestions = assessments.questions.map { visit($0) } as! [MultipleChoice]
return Assessments(originalMarkup: assessments.originalMarkup, questions: newQuestions)
}
mutating func visitMultipleChoice(_ multipleChoice: MultipleChoice) -> Semantic {
let newPhrasing = visit(multipleChoice.questionPhrasing) as! MarkupContainer
let newContent = visit(multipleChoice.content) as! MarkupContainer
let newChoices = multipleChoice.choices.map { visit($0) } as! [Choice]
return MultipleChoice(originalMarkup: multipleChoice.originalMarkup, questionPhrasing: newPhrasing, content: newContent, image: multipleChoice.image, choices: newChoices)
}
mutating func visitJustification(_ justification: Justification) -> Semantic {
let newContent = visit(justification.content) as! MarkupContainer
return Justification(originalMarkup: justification.originalMarkup, content: newContent, reaction: justification.reaction)
}
mutating func visitChoice(_ choice: Choice) -> Semantic {
let newContent = visit(choice.content) as! MarkupContainer
let newJustification = visit(choice.justification) as! Justification
return Choice(originalMarkup: choice.originalMarkup, isCorrect: choice.isCorrect, content: newContent, image: choice.image, justification: newJustification)
}
mutating func visitMarkupContainer(_ markupContainer: MarkupContainer) -> Semantic {
var markupResolver = MarkupReferenceResolver(context: context, bundle: bundle, rootReference: rootReference)
let parent = inheritanceParentReference
let context = self.context
markupResolver.problemForUnresolvedReference = { unresolved, range, fromSymbolLink, underlyingErrorMessage -> Problem? in
// Verify we have all the information about the location of the source comment
// and the symbol that the comment is inherited from.
if let parent, let range {
switch context.resolve(.unresolved(unresolved), in: parent, fromSymbolLink: fromSymbolLink) {
case .success(let resolved):
// Return a warning with a suggested change that replaces the relative link with an absolute one.
return Problem(diagnostic: Diagnostic(source: range.source,
severity: .warning, range: range,
identifier: "org.swift.docc.UnresolvableLinkWhenInherited",
summary: "This documentation block is inherited by other symbols where \(unresolved.topicURL.absoluteString.singleQuoted) fails to resolve."),
possibleSolutions: [
Solution(summary: "Use an absolute link path.", replacements: [
// FIXME: The resolved reference path isn't the same as the authorable link.
Replacement(range: range, replacement: "<doc:\(resolved.path)>")
])
])
default: break
}
}
return nil
}
let newElements = markupContainer.elements.compactMap { markupResolver.visit($0) }
problems.append(contentsOf: markupResolver.problems)
return MarkupContainer(newElements)
}
mutating func visitMarkup(_ markup: Markup) -> Markup {
// Wrap in a markup container and the first child of the result.
return (visitMarkupContainer(MarkupContainer(markup)) as! MarkupContainer).elements.first!
}
@available(*, deprecated) // This is a deprecated protocol requirement. Remove after 6.2 is released.
mutating func visitTechnology(_ technology: TutorialTableOfContents) -> Semantic {
visitTutorialTableOfContents(technology)
}
mutating func visitTutorialTableOfContents(_ tutorialTableOfContents: TutorialTableOfContents) -> Semantic {
let newIntro = visit(tutorialTableOfContents.intro) as! Intro
let newVolumes = tutorialTableOfContents.volumes.map { visit($0) } as! [Volume]
let newResources = tutorialTableOfContents.resources.map { visit($0) as! Resources }
return TutorialTableOfContents(originalMarkup: tutorialTableOfContents.originalMarkup, name: tutorialTableOfContents.name, intro: newIntro, volumes: newVolumes, resources: newResources, redirects: tutorialTableOfContents.redirects)
}
mutating func visitImageMedia(_ imageMedia: ImageMedia) -> Semantic {
if let problem = resolve(resource: imageMedia.source, range: imageMedia.originalMarkup.range, severity: .warning) {
problems.append(problem)
}
return imageMedia
}
mutating func visitVideoMedia(_ videoMedia: VideoMedia) -> Semantic {
if let problem = resolve(resource: videoMedia.source, range: videoMedia.originalMarkup.range, severity: .warning) {
problems.append(problem)
}
return videoMedia
}
mutating func visitContentAndMedia(_ contentAndMedia: ContentAndMedia) -> Semantic {
let newContent = visit(contentAndMedia.content) as! MarkupContainer
let newMedia = contentAndMedia.media.map { visit($0) } as! Media?
return ContentAndMedia(originalMarkup: contentAndMedia.originalMarkup, title: contentAndMedia.title, layout: contentAndMedia.layout, eyebrow: contentAndMedia.eyebrow, content: newContent, media: newMedia, mediaPosition: contentAndMedia.mediaPosition)
}
mutating func visitVolume(_ volume: Volume) -> Semantic {
let newContent = volume.content.map { visit($0) as! MarkupContainer }
let image = volume.image.map { visit($0) as! ImageMedia }
let newChapters = volume.chapters.map { visit($0) } as! [Chapter]
return Volume(originalMarkup: volume.originalMarkup, name: volume.name, image: image, content: newContent, chapters: newChapters, redirects: volume.redirects)
}
mutating func visitChapter(_ chapter: Chapter) -> Semantic {
let newContent = visit(chapter.content) as! MarkupContainer
let newImage = chapter.image.map { visit($0) as! ImageMedia }
let newTutorialReferences = chapter.topicReferences.map { visit($0) } as! [TutorialReference]
var uniqueReferences = Set<TopicReference>()
let newTutorialReferencesWithoutDupes = newTutorialReferences.filter { newTutorialReference in
guard !uniqueReferences.contains(newTutorialReference.topic) else {
let diagnostic = Diagnostic(source: chapter.originalMarkup.range?.source, severity: .warning, range: newTutorialReference.originalMarkup.range, identifier: "org.swift.docc.\(Chapter.self).Duplicate\(TutorialReference.self)", summary: "Duplicate \(TutorialReference.directiveName.singleQuoted) directive refers to \(newTutorialReference.topic.description.singleQuoted)")
let solutions = newTutorialReference.originalMarkup.range.map {
return [Solution(summary: "Remove duplicate \(TutorialReference.directiveName.singleQuoted) directive", replacements: [
Replacement(range: $0, replacement: "")
])]
} ?? []
problems.append(Problem(diagnostic: diagnostic, possibleSolutions: solutions))
return false
}
uniqueReferences.insert(newTutorialReference.topic)
return true
}
return Chapter(originalMarkup: chapter.originalMarkup, name: chapter.name, content: newContent, image: newImage, tutorialReferences: newTutorialReferencesWithoutDupes, redirects: chapter.redirects)
}
mutating func visitTutorialReference(_ tutorialReference: TutorialReference) -> Semantic {
// This should always be an absolute topic URL rooted at the bundle, as there isn't necessarily one parent of a tutorial.
// i.e. doc:/${SOME_TECHNOLOGY}/${PROJECT} or doc://${BUNDLE_ID}/${SOME_TECHNOLOGY}/${PROJECT}
switch tutorialReference.topic {
case .unresolved:
let maybeResolved = resolve(tutorialReference.topic, in: bundle.tutorialsContainerReference,
range: tutorialReference.originalMarkup.range,
severity: .warning)
return TutorialReference(originalMarkup: tutorialReference.originalMarkup, tutorial: .resolved(maybeResolved))
case .resolved:
return tutorialReference
}
}
mutating func visitResources(_ resources: Resources) -> Semantic {
let newContent = visitMarkupContainer(resources.content) as! MarkupContainer
let newTiles = resources.tiles.map { visitTile($0) as! Tile }
return Resources(originalMarkup: resources.originalMarkup, content: newContent, tiles: newTiles, redirects: resources.redirects)
}
mutating func visitTile(_ tile: Tile) -> Semantic {
let newContent = visitMarkupContainer(tile.content) as! MarkupContainer
return Tile(originalMarkup: tile.originalMarkup, identifier: tile.identifier, title: tile.title, destination: tile.destination, content: newContent)
}
mutating func visitTutorialArticle(_ article: TutorialArticle) -> Semantic {
let newIntro: Intro?
if let intro = article.intro {
newIntro = (visitIntro(intro) as! Intro)
} else {
newIntro = nil
}
let newContent = visitMarkupLayouts(article.content)
let newAssessments = article.assessments.map { visit($0) as! Assessments }
let newCallToActionImage = article.callToActionImage.map { visit($0) as! ImageMedia }
return TutorialArticle(originalMarkup: article.originalMarkup, durationMinutes: article.durationMinutes, intro: newIntro, content: newContent, assessments: newAssessments, callToActionImage: newCallToActionImage, landmarks: article.landmarks, redirects: article.redirects)
}
mutating func visitArticle(_ article: Article) -> Semantic {
let newAbstract = article.abstractSection.map {
AbstractSection(paragraph: visitMarkup($0.paragraph) as! Paragraph)
}
let newDiscussion = article.discussion.map {
DiscussionSection(content: $0.content.map { visitMarkup($0) })
}
let newTopics = article.topics.map { topic -> TopicsSection in
return TopicsSection(content: topic.content.map { visitMarkup($0) }, originalLinkRangesByGroup: topic.originalLinkRangesByGroup)
}
let newSeeAlso = article.seeAlso.map {
SeeAlsoSection(content: $0.content.map { visitMarkup($0) })
}
let newDeprecationSummary = article.deprecationSummary.flatMap {
visitMarkupContainer($0) as? MarkupContainer
}
// If there's a call to action with a local-file reference, change its context to `download`
if let downloadFile = article.metadata?.callToAction?.resolveFile(for: bundle, in: context, problems: &problems),
var resolvedDownload = context.resolveAsset(named: downloadFile.path, in: bundle.rootReference) {
resolvedDownload.context = .download
context.updateAsset(named: downloadFile.path, asset: resolvedDownload, in: bundle.rootReference)
}
return Article(
title: article.title,
abstractSection: newAbstract,
discussion: newDiscussion,
topics: newTopics,
seeAlso: newSeeAlso,
deprecationSummary: newDeprecationSummary,
metadata: article.metadata,
redirects: article.redirects,
automaticTaskGroups: article.automaticTaskGroups
)
}
private mutating func visitMarkupLayouts(_ markupLayouts: some Sequence<MarkupLayout>) -> [MarkupLayout] {
return markupLayouts.map { content in
switch content {
case .markup(let markup): return .markup(visitMarkupContainer(markup) as! MarkupContainer)
case .contentAndMedia(let contentAndMedia): return .contentAndMedia(visitContentAndMedia(contentAndMedia) as! ContentAndMedia)
case .stack(let stack): return .stack(visitStack(stack) as! Stack)
}
}
}
mutating func visitStack(_ stack: Stack) -> Semantic {
let newElements = stack.contentAndMedia.map { visitContentAndMedia($0) as! ContentAndMedia }
return Stack(originalMarkup: stack.originalMarkup, contentAndMedias: newElements)
}
/// Returns a name that's suitable to use as a title for a given node.
///
/// - Note: For symbols, this isn't the full declaration since that contains keywords and other characters that makes it less suitable as a title.
///
/// - Parameter node: The node to return the title for.
/// - Returns: The "title" for `node`.
static func title(forNode node: DocumentationNode) -> String {
switch node.name {
case .conceptual(let documentTitle):
return documentTitle
case .symbol(let name):
return node.symbol?.names.title ?? name
}
}
mutating func visitComment(_ comment: Comment) -> Semantic {
return comment
}
mutating func visitSymbol(_ symbol: Symbol) -> Semantic {
let newAbstractVariants = symbol.abstractSectionVariants.map {
AbstractSection(paragraph: visitMarkup($0.paragraph) as! Paragraph)
}
let newDiscussionVariants = symbol.discussionVariants.map {
DiscussionSection(content: $0.content.map { visitMarkup($0) })
}
let newTopicsVariants = symbol.topicsVariants.map { topic -> TopicsSection in
return TopicsSection(content: topic.content.map { visitMarkup($0) }, originalLinkRangesByGroup: topic.originalLinkRangesByGroup)
}
let newSeeAlsoVariants = symbol.seeAlsoVariants.map {
SeeAlsoSection(content: $0.content.map { visitMarkup($0) })
}
let newReturnsVariants = symbol.returnsSectionVariants.map {
ReturnsSection(content: $0.content.map { visitMarkup($0) })
}
let newParametersVariants = symbol.parametersSectionVariants.map { parametersSection -> ParametersSection in
let parameters = parametersSection.parameters.map {
Parameter(name: $0.name, nameRange: $0.nameRange, contents: $0.contents.map { visitMarkup($0) }, range: $0.range, isStandalone: $0.isStandalone)
}
return ParametersSection(parameters: parameters)
}
let newDeprecatedSummaryVariants = symbol.deprecatedSummaryVariants.map {
return DeprecatedSection(content: $0.content.map { visitMarkup($0) })
}
let newDictionaryKeysVariants = symbol.dictionaryKeysSectionVariants.map { dictionaryKeysSection -> DictionaryKeysSection in
let keys = dictionaryKeysSection.dictionaryKeys.map {
DictionaryKey(name: $0.name, contents: $0.contents.map { visitMarkup($0) }, symbol: $0.symbol, required: $0.required)
}
return DictionaryKeysSection(dictionaryKeys: keys)
}
let newHTTPEndpointVariants = symbol.httpEndpointSectionVariants.map { httpEndpointSection -> HTTPEndpointSection in
return HTTPEndpointSection(endpoint: httpEndpointSection.endpoint)
}
let newHTTPBodyVariants = symbol.httpBodySectionVariants.map { httpBodySection -> HTTPBodySection in
let oldBody = httpBodySection.body
let newBodyParameters = oldBody.parameters.map {
HTTPParameter(name: $0.name, source: $0.source, contents: $0.contents.map { visitMarkup($0) }, symbol: $0.symbol, required: $0.required)
}
let newBody = HTTPBody(mediaType: oldBody.mediaType, contents: oldBody.contents.map { visitMarkup($0) }, parameters: newBodyParameters, symbol: oldBody.symbol)
return HTTPBodySection(body: newBody)
}
let newHTTPParametersVariants = symbol.httpParametersSectionVariants.map { httpParametersSection -> HTTPParametersSection in
let parameters = httpParametersSection.parameters.map {
HTTPParameter(name: $0.name, source: $0.source, contents: $0.contents.map { visitMarkup($0) }, symbol: $0.symbol, required: $0.required)
}
return HTTPParametersSection(parameters: parameters)
}
let newHTTPResponsesVariants = symbol.httpResponsesSectionVariants.map { httpResponsesSection -> HTTPResponsesSection in
let responses = httpResponsesSection.responses.map {
HTTPResponse(statusCode: $0.statusCode, reason: $0.reason, mediaType: $0.mediaType, contents: $0.contents.map { visitMarkup($0) }, symbol: $0.symbol)
}
return HTTPResponsesSection(responses: responses)
}
let possibleValuesVariants = symbol.possibleValuesSectionVariants.map { possibleValuesSection -> PropertyListPossibleValuesSection in
let possibleValues = possibleValuesSection.possibleValues.map {
PropertyListPossibleValuesSection.PossibleValue(value: $0.value, contents: $0.contents.map { visitMarkup($0) }, nameRange: $0.nameRange, range: $0.range)
}
return PropertyListPossibleValuesSection(possibleValues: possibleValues)
}
// It's important to carry over aggregate data like the merged declarations
// or the merged default implementations to the new `Symbol` instance.
return Symbol(
kindVariants: symbol.kindVariants,
titleVariants: symbol.titleVariants,
subHeadingVariants: symbol.subHeadingVariants,
navigatorVariants: symbol.navigatorVariants,
roleHeadingVariants: symbol.roleHeadingVariants,
platformNameVariants: symbol.platformNameVariants,
moduleReference: symbol.moduleReference,
requiredVariants: symbol.isRequiredVariants,
externalIDVariants: symbol.externalIDVariants,
accessLevelVariants: symbol.accessLevelVariants,
availabilityVariants: symbol.availabilityVariants,
deprecatedSummaryVariants: newDeprecatedSummaryVariants,
mixinsVariants: symbol.mixinsVariants,
declarationVariants: symbol.declarationVariants,
alternateDeclarationVariants: symbol.alternateDeclarationVariants,
alternateSignatureVariants: symbol.alternateSignatureVariants,
defaultImplementationsVariants: symbol.defaultImplementationsVariants,
relationshipsVariants: symbol.relationshipsVariants,
abstractSectionVariants: newAbstractVariants,
discussionVariants: newDiscussionVariants,
topicsVariants: newTopicsVariants,
seeAlsoVariants: newSeeAlsoVariants,
returnsSectionVariants: newReturnsVariants,
parametersSectionVariants: newParametersVariants,
dictionaryKeysSectionVariants: newDictionaryKeysVariants,
possibleValuesSectionVariants: possibleValuesVariants,
httpEndpointSectionVariants: newHTTPEndpointVariants,
httpBodySectionVariants: newHTTPBodyVariants,
httpParametersSectionVariants: newHTTPParametersVariants,
httpResponsesSectionVariants: newHTTPResponsesVariants,
redirectsVariants: symbol.redirectsVariants,
crossImportOverlayModule: symbol.crossImportOverlayModule,
originVariants: symbol.originVariants,
automaticTaskGroupsVariants: symbol.automaticTaskGroupsVariants,
overloadsVariants: symbol.overloadsVariants
)
}
mutating func visitDeprecationSummary(_ summary: DeprecationSummary) -> Semantic {
let newContent = visit(summary.content) as! MarkupContainer
return DeprecationSummary(originalMarkup: summary.originalMarkup, content: newContent)
}
}
fileprivate extension URL {
var isLikelyWebURL: Bool {
if let scheme, scheme.hasPrefix("http") {
return true
}
return false
}
}
extension Image {
func reference(in bundle: DocumentationBundle) -> ResourceReference? {
guard let source else {
return ResourceReference(bundleIdentifier: bundle.identifier, path: "")
}
if let url = URL(string: source), url.isLikelyWebURL {
return nil
} else {
return ResourceReference(bundleIdentifier: bundle.identifier, path: source)
}
}
}