File: WorkspaceHeaderIndex.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 (224 lines) | stat: -rw-r--r-- 10,741 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
//===----------------------------------------------------------------------===//
//
// This source file is part of the Swift open source project
//
// Copyright (c) 2025 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//

public import SWBUtil
public import SWBProtocol
public import SWBMacro

/// Aggregate index for all the statically known header files present in a workspace.
///
/// This class handles collecting information on all of the header files present in the workspace structure and how they are used in each of the targets present in the workspace. It is used to drive the production of headermap and Clang virtual file system (VFS) content.
///
/// This object needs to be computed as an initial part of the build. Care should be taken to *only* use it to compute global information which can be effectively cached and which is truly necessary to be computed in a global fashion.
public final class WorkspaceHeaderIndex: Sendable {
    public let projectHeaderInfo: [Project: ProjectHeaderInfo]

    /// Construct the header index for a workspace.
    @_spi(Testing) public init(core: Core, workspace: Workspace) async {
        self.projectHeaderInfo = await Dictionary(uniqueKeysWithValues: workspace.projects.concurrentMap(maximumParallelism: 10) { project in
            await (project, ProjectHeaderInfo(core, project, workspace))
        })
    }
}

/// Information on the headers referenced by an individual project.
public struct ProjectHeaderInfo: Sendable {
    /// The ordered list of all header file references in the workspace.
    public let knownHeaders: OrderedSet<FileReference>

    /// The per-target table of known header files.
    public let targetHeaderInfo: [BuildPhaseTarget: TargetHeaderInfo]

    // The set of known header extensions, for backwards compatibility.
    //
    // FIXME: Move to standard place.
    public static let headerFileExtensions = Set<String>(["h", "H", "hxx", "HXX", "i", "I", "hpp", "HPP", "ipp", "IPP"])

    fileprivate init(_ core: Core, _ project: Project, _ workspace: Workspace) async {
        /// Check if a file reference should be treated as a header file.
        func isHeaderReference(_ fileRef: FileReference) -> Bool {
            // Check if the extension matches. Note that we do not use the full resolved path here, it would be too expensive.
            //
            // This is for compatibility purposes, but currently is more efficient than the subsequent check so we do it first.
            let ext = fileRef.path.stringRep.split(".").1
            if ProjectHeaderInfo.headerFileExtensions.contains(ext) {
                return true
            }

            // Check if the type matches.
            //
            // FIXME: Optimize this.
            guard let fileType = core.specRegistry.getSpec(fileRef.fileTypeIdentifier) as? FileTypeSpec else {
                return false
            }
            for headerType in core.specRegistry.headerFileTypes {
                if fileType.conformsTo(headerType) {
                    return true
                }
            }

            return false
        }
        func collectKnownHeaders(_ ref: Reference, _ headers: inout OrderedSet<FileReference>) {
            switch ref {
            case let group as FileGroup:
                // Traverse groups.
                for child in group.children {
                    collectKnownHeaders(child, &headers)
                }

            case let file as FileReference:
                // Check if this is a header file reference.
                if isHeaderReference(file) {
                    headers.append(file)
                }

            default:
                // Ignore all other types.
                //
                // FIXME: Ensure we don't need to traverse the custom group types.
                return
            }
        }


        // Construct the set of known header files.
        let knownHeaders = {
            var knownHeaders = OrderedSet<FileReference>()
            collectKnownHeaders(project.groupTree, &knownHeaders)
            return knownHeaders
        }()
        self.knownHeaders = knownHeaders

        // Collect the per target information.
        self.targetHeaderInfo = await Dictionary(uniqueKeysWithValues: project.targets.concurrentMap(maximumParallelism: 100, { target -> (BuildPhaseTarget, TargetHeaderInfo)? in
            if case let target as BuildPhaseTarget = target, let headerInfo = TargetHeaderInfo(target, knownHeaders, workspace) {
                return (target, headerInfo)
            }
            return nil
        }).compactMap { $0 })
    }
}

/// Information on the headers referenced by an individual target.
public struct TargetHeaderInfo: Sendable {
    public struct Entry: Sendable {
        public let fileReference: FileReference
        public let platformFilters: Set<PlatformFilter>
    }
    /// The list of target's public header source files.
    public let publicHeaders: [Entry]

    /// The list of target's private header source files.
    public let privateHeaders: [Entry]

    /// The list of target's project header source files.
    public let projectHeaders: [Entry]

    fileprivate init?(_ target: BuildPhaseTarget, _ knownHeaders: OrderedSet<FileReference>, _ workspace: Workspace) {
        // Ignore targets without a headers phase.
        guard let headersPhase = target.headersBuildPhase else { return nil }

        // FIXME: We should probably only examine targets which are actually in the current project (i.e., not ones which are target references). This shows up in Xcode w.r.t. the headermaps, we need to figure out where it fits in.

        // Build the collated lists of header types.
        var publicHeaders = [Entry]()
        var privateHeaders = [Entry]()
        var projectHeaders = [Entry]()
        for buildFile in headersPhase.buildFiles {
            // Ignore non-file references.
            guard case let .reference(guid) = buildFile.buildableItem,
                  let reference = workspace.lookupReference(for: guid),
                  let fileRef = reference as? FileReference else { continue }

            // If we don't have any entry for the target, ignore it.
            //
            // FIXME: Ensure we have a test case for this, I think it comes up for projects which have other files in their headers phase.
            guard knownHeaders.contains(fileRef) else { continue }

            switch buildFile.headerVisibility {
            case .public?:
                publicHeaders.append(.init(fileReference: fileRef, platformFilters: buildFile.platformFilters))
            case .private?:
                privateHeaders.append(.init(fileReference: fileRef, platformFilters: buildFile.platformFilters))
            case nil:
                projectHeaders.append(.init(fileReference: fileRef, platformFilters: buildFile.platformFilters))
            }
        }
        self.publicHeaders = publicHeaders
        self.privateHeaders = privateHeaders
        self.projectHeaders = projectHeaders
    }

    public struct HeaderDestDirs {
        public let publicPath : Path
        public let privatePath : Path
        public let basePath : Path

        public init(publicPath: Path, privatePath: Path, basePath: Path ) {
            self.publicPath = publicPath
            self.privatePath = privatePath
            self.basePath = basePath
        }
    }

    /// Utility method that generate top level directory paths for headers. This is primarily for the usecase
    /// of referencing headers instead of writing to the returned location.
    public static func builtProductDestDirs(scope: MacroEvaluationScope, workingDirectory: Path) -> HeaderDestDirs {
        var buildDirPath = scope.evaluate(BuiltinMacros.BUILT_PRODUCTS_DIR)
        buildDirPath = buildDirPath.makeAbsolute(relativeTo: workingDirectory) ?? buildDirPath
        let wrapperPath = buildDirPath.join(scope.evaluate(BuiltinMacros.WRAPPER_NAME))
        let publicHeadersPath = scope.evaluate(BuiltinMacros.PUBLIC_HEADERS_FOLDER_PATH)
        let privateHeadersPath = scope.evaluate(BuiltinMacros.PRIVATE_HEADERS_FOLDER_PATH)

        return HeaderDestDirs(publicPath: wrapperPath.join(publicHeadersPath.basename),
                              privatePath: wrapperPath.join(privateHeadersPath.basename),
                              basePath: wrapperPath)
    }

    /// Utility method that generates the destination dir path for a given visibility. Returns `nil` if the path does not exist for that visibility.
    public static func destDirPath(for visibility: HeaderVisibility?, scope: MacroEvaluationScope) -> Path? {
        return visibility.map { visibility in destDirPath(for: visibility, scope: scope) } ?? nil
    }

    /// Non-optional overload for generating the destination dir path for a given header visibility.
    public static func destDirPath(for visibility: HeaderVisibility, scope: MacroEvaluationScope) -> Path {
        // Compute the output path.
        let folderPath: Path
        switch visibility {
        case .private:
            folderPath = scope.evaluate(BuiltinMacros.PRIVATE_HEADERS_FOLDER_PATH)
        case .public:
            folderPath = scope.evaluate(BuiltinMacros.PUBLIC_HEADERS_FOLDER_PATH)
        }

        // Concatenate into the install location.
        let dstDirPath: Path
        if scope.evaluate(BuiltinMacros.DEPLOYMENT_LOCATION) && folderPath.isAbsolute {
            dstDirPath = scope.evaluate(BuiltinMacros.DSTROOT).join(folderPath, preserveRoot: true)
        } else {
            dstDirPath = scope.evaluate(BuiltinMacros.TARGET_BUILD_DIR).join(folderPath, preserveRoot: true)
        }

        return dstDirPath
    }

    /// Utility method which returns the path to which the given header file source would be copied by the target with the given scope.  Returns `nil` if the header would not be copied.
    public static func outputPath(for headerSourcePath: Path, visibility: HeaderVisibility?, scope: MacroEvaluationScope) -> Path? {
        return destDirPath(for: visibility, scope: scope)?.join(headerSourcePath.basename)
    }

    /// Non-optional overload for obtaining the output path for a header's source file.
    public static func outputPath(for headerSourcePath: Path, visibility: HeaderVisibility, scope: MacroEvaluationScope) -> Path {
        return destDirPath(for: visibility, scope: scope).join(headerSourcePath.basename)
    }
}