File: CopyTool.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 (198 lines) | stat: -rw-r--r-- 10,814 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
//===----------------------------------------------------------------------===//
//
// 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
import SWBMacro

public final class CopyToolSpec : CompilerSpec, SpecIdentifierType, @unchecked Sendable {
    public static let identifier = "com.apple.compilers.pbxcp"

    /// Construct a `Copy` task to copy a source file to a destination with default behaviors.
    ///
    /// This is the entry point when `Copy` is set as the tool for a custom build rule in a target.  Most clients should use `constructCopyTasks()` directly.
    public override func constructTasks(_ cbc: CommandBuildContext, _ delegate: any TaskGenerationDelegate) async {
        await constructCopyTasks(cbc, delegate)
    }

    /// Construct a `Copy` task to copy a source file to a destination.
    public func constructCopyTasks(
        _ cbc: CommandBuildContext, _ delegate: any TaskGenerationDelegate,
        ruleName: String? = nil, executionDescription: String? = nil,
        removeHeaderDirectories: Bool = false, removeStaticExecutables: Bool = false,
        excludeSubpaths: [String] = [], includeOnlySubpaths: [String] = [],
        stripUnsignedBinaries: Bool? = nil, stripSubpaths: [String] = [],
        stripBitcode: Bool = false, skipCopyIfContentsEqual: Bool = false,
        additionalFilesToRemove: [String]? = nil,
        additionalPresumedOutputs: [any PlannedNode] = [],
        ignoreMissingInputs: Bool = false,
        additionalTaskOrderingOptions: TaskOrderingOptions = [],
        repairViaOwnershipAnalysis: Bool = false
    ) async {
        let input = cbc.input
        let inputPath = input.absolutePath
        let outputPath = cbc.output

        // Lookup function for computing the command line.
        func lookup(_ macro: MacroDeclaration) -> MacroExpression? {
            switch macro {
            case BuiltinMacros.COPY_PHASE_STRIP, BuiltinMacros.PBXCP_STRIP_UNSIGNED_BINARIES:
                return stripUnsignedBinaries.map { enable in
                    if enable {
                        return Static { cbc.scope.namespace.parseLiteralString("YES") } as MacroStringExpression
                    } else {
                        return Static { cbc.scope.namespace.parseLiteralString("NO") } as MacroStringExpression
                    }
                } ?? nil
            case BuiltinMacros.PBXCP_STRIP_SUBPATHS:
                guard !stripSubpaths.isEmpty else {
                    return nil
                }
                return cbc.scope.namespace.parseStringList(stripSubpaths + ["$(inherited)"])
            case BuiltinMacros.PBXCP_STRIP_BITCODE:
                guard stripBitcode else {
                    return nil
                }
                // Always strip all bitcode.
                return Static { cbc.scope.namespace.parseLiteralString("YES") } as MacroStringExpression
            case BuiltinMacros.PBXCP_BITCODE_STRIP_MODE:
                guard stripBitcode else {
                    return nil
                }
                // Always strip all bitcode.
                return Static { cbc.scope.namespace.parseLiteralString("all") } as MacroStringExpression
            case BuiltinMacros.PBXCP_BITCODE_STRIP_TOOL:
                guard stripBitcode else {
                    return nil
                }
                // FIXME: We should change the .xcspec file to make this setting conditional on $(PBXCP_STRIP_BITCODE).  Then we can just always generate this value.
                // Find bitcode_strip in our effective toolchains.
                if let bitcodeStripPath = cbc.producer.toolchains.lazy.compactMap({ $0.executableSearchPaths.lookup(Path("bitcode_strip")) }).first {
                    return cbc.scope.namespace.parseLiteralString(bitcodeStripPath.str) as MacroStringExpression
                }
                return nil
            case BuiltinMacros.PBXCP_EXCLUDE_SUBPATHS:
                guard !excludeSubpaths.isEmpty else {
                    return nil
                }
                return cbc.scope.namespace.parseStringList(excludeSubpaths + ["$(inherited)"])
            case BuiltinMacros.PBXCP_INCLUDE_ONLY_SUBPATHS:
                guard !includeOnlySubpaths.isEmpty else {
                    return nil
                }
                return cbc.scope.namespace.parseStringList(includeOnlySubpaths + ["$(inherited)"])
            default:
                return nil
            }
        }

        // We manually add the executable, input, and output here, since we are not using the command line template.
        //
        // FIXME: <rdar://problem/41991658> Pass a lookup block to commandLineFromOptions() here which maps the build settings in PbxCp.xcspec to the parameters passed in to this method.  Then we can get rid of a bunch of the special-case code below which adds the options those settings represent.
        var commandLine = ["builtin-copy"]
        await commandLine.append(contentsOf: commandLineFromOptions(cbc, delegate, optionContext: discoveredCommandLineToolSpecInfo(cbc.producer, cbc.scope, delegate), lookup: lookup).map(\.asString))

        // We enact `removeHeaderDirectories` by manually adding the arguments in the right place.
        //
        // FIXME: Figure out the right way to do this, going forward. Xcode does this by injecting build settings, but we don't have infrastructure for that yet. We could easily changed commandLineFromOptions to support custom overrides, if we do want to go that approach, although it might also make sense to design a more strict / efficient / type safe mechanism that directly allowed the generic spec data to delegate to methods on the spec class.
        if removeHeaderDirectories {
            let insertIndex = commandLine.firstIndex(of: ".hg").map({ $0 + 1 }) ?? commandLine.endIndex
            commandLine.replaceSubrange(insertIndex..<insertIndex, with: ["-exclude", "Headers", "-exclude", "PrivateHeaders", "-exclude", "Modules", "-exclude", "*.tbd"])
        }

        if removeStaticExecutables {
            commandLine.append("-remove-static-executable")
        }

        if skipCopyIfContentsEqual {
            commandLine.append("-skip-copy-if-contents-equal")
        }

        // If we were passed additional files to remove, then add -exclude options for them.
        //
        // FIXME: Note that unlike the above there is presently no way to do this via the xcspec.
        if let additionalFilesToRemove {
            let insertIndex = commandLine.firstIndex(of: "-strip-unsigned-binaries") ?? commandLine.endIndex
            commandLine.replaceSubrange(insertIndex..<insertIndex, with: additionalFilesToRemove.flatMap({ ["-exclude", $0] }))
        }

        // If one of the strip options are enabled, also pass the strip tool path.
        //
        // FIXME: The same comment above (w.r.t. how to bind this logic) applies here.
        if cbc.scope.evaluate(BuiltinMacros.PBXCP_STRIP_UNSIGNED_BINARIES, lookup: lookup) || !cbc.scope.evaluate(BuiltinMacros.PBXCP_STRIP_SUBPATHS, lookup: lookup).isEmpty {
            let insertIndex = commandLine.firstIndex(of: "-resolve-src-symlinks") ?? commandLine.endIndex
            commandLine.replaceSubrange(insertIndex..<insertIndex, with: ["-strip-tool", resolveExecutablePath(cbc, Path("strip")).str])
        }

        // Skip the copy without erroring if the input item is missing. This is used for handling embedded bundles with the installloc action.
        if ignoreMissingInputs {
            commandLine.append("-ignore-missing-inputs")
        }

        // The copy tool expects a destination directory, unless specifying a rename for the output file name.
        if inputPath.basename != outputPath.basename {
            commandLine.append("-rename")
            commandLine.append(inputPath.str)
            commandLine.append(outputPath.str)
        } else {
            commandLine.append(inputPath.str)
            commandLine.append(outputPath.dirname.str)
        }

        // Create rule info and add index of input path to payload.
        let ruleInfo = [ruleName ?? "Copy", outputPath.str, inputPath.str]
        let payload = CopyToolTaskPayload(inputIndexInRuleInfo: 2)
        assert(inputPath.str == ruleInfo[payload.inputIndexInRuleInfo])

        // Note that the order of rule info here is against the usual conventions.
        let action = delegate.taskActionCreationDelegate.createFileCopyTaskAction(FileCopyTaskActionContext(cbc))
        let inputs: [any PlannedNode] = cbc.inputs.map{ delegate.createDirectoryTreeNode($0.absolutePath) } + cbc.commandOrderingInputs
        let outputs: [any PlannedNode] = [delegate.createNode(outputPath)] + additionalPresumedOutputs + cbc.commandOrderingOutputs
        delegate.createTask(
            type: self, payload: payload, ruleInfo: ruleInfo,
            commandLine: commandLine, environment: environmentFromSpec(cbc, delegate),
            workingDirectory: cbc.producer.defaultWorkingDirectory,
            inputs: inputs, outputs: outputs, action: action,
            execDescription: executionDescription ?? resolveExecutionDescription(cbc, delegate),
            preparesForIndexing: cbc.preparesForIndexing, enableSandboxing: enableSandboxing,
            additionalTaskOrderingOptions: additionalTaskOrderingOptions,
            repairViaOwnershipAnalysis: repairViaOwnershipAnalysis
        )
    }

    public override func interestingPath(for task: any ExecutableTask) -> Path? {
        let payload = task.payload! as! CopyToolTaskPayload
        return Path(task.ruleInfo[payload.inputIndexInRuleInfo])
    }

    public override var payloadType: (any TaskPayload.Type)? { return CopyToolTaskPayload.self }

    /// Copy tool task payload.
    private struct CopyToolTaskPayload: TaskPayload {
        /// Contains the index of input path in rule info.
        let inputIndexInRuleInfo: Int

        init(inputIndexInRuleInfo: Int) {
            self.inputIndexInRuleInfo = inputIndexInRuleInfo
        }

        public func serialize<T: Serializer>(to serializer: T) {
            serializer.serializeAggregate(1) {
                serializer.serialize(inputIndexInRuleInfo)
            }
        }

        public init(from deserializer: any Deserializer) throws {
            try deserializer.beginAggregate(1)
            self.inputIndexInRuleInfo = try deserializer.deserialize()
        }
    }
}