File: TestUtilities.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 (314 lines) | stat: -rw-r--r-- 13,262 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
//===----------------------------------------------------------------------===//
//
// 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
//
//===----------------------------------------------------------------------===//

package import class Foundation.Bundle
package import struct Foundation.OperatingSystemVersion
package import struct Foundation.URL

import Testing

@_spi(Testing) package import SwiftBuild

package import class SWBCore.Core
package import struct SWBCore.UserPreferences
package import SWBTestSupport
package import SWBUtil

package enum TestSWBSessionError: Error {
    case unableToCreateSession(_ underlyingError: any Error, diagnostics: [SwiftBuildMessage.DiagnosticInfo])
    case unableToSendWorkspace(_ underlyingError: any Error)
    case pifTransferFailed(_ underlyingError: any Error)
}

/// Manages an `SWBBuildService` and `SWBBuildServiceSession` object which can be used to perform build operations.
package actor TestSWBSession {
    package nonisolated let tmpDir: NamedTemporaryDirectory
    package nonisolated let service: SWBBuildService
    package nonisolated let session: SWBBuildServiceSession
    package nonisolated let sessionDiagnostics: [SwiftBuildMessage.DiagnosticInfo]
    private var closed = false

    package init(connectionMode: SWBBuildServiceConnectionMode = .default, variant: SWBBuildServiceVariant = .default, temporaryDirectory: NamedTemporaryDirectory?) async throws {
        self.tmpDir = try temporaryDirectory ?? NamedTemporaryDirectory()
        // Construct the test session.
        self.service = try await SWBBuildService(connectionMode: connectionMode, variant: variant)
        let (result, sessionDiagnostics) = await service.createSession(name: #function, cachePath: tmpDir.path.str)
        self.sessionDiagnostics = sessionDiagnostics
        do {
            self.session = try result.get()
        } catch {
            await self.service.close()
            throw TestSWBSessionError.unableToCreateSession(error, diagnostics: sessionDiagnostics)
        }
    }

    deinit {
        if !closed {
            Issue.record("Session must be closed before being deallocated.")
        }
    }

    /// Closes the underlying session and service managed by this object.
    ///
    /// This method must be called before the object is deallocated.
    package nonisolated func close() async throws {
        let wasAlreadyClosed = await beginClose()
        if wasAlreadyClosed {
            return
        }

        // Capture the session closure in a Result so we can still close the service below before (potentially) throwing any error.
        let result = await Result.catching { try await session.close() }

        await service.close()

        _ = try result.get()
    }

    private func beginClose() -> Bool {
        if closed {
            return true
        }
        closed = true
        return false
    }

    /// Send a workspace to the session
    package func sendPIF(_ testWorkspace: TestWorkspace) async throws {
        // Send the workspace context.
        do {
            try await session.sendPIF(.init(testWorkspace.toObjects().propertyListItem))
        } catch {
            throw TestSWBSessionError.unableToSendWorkspace(error)
        }

        // Initialize mock session info.
        try await sendMockSessionInfo()
    }

    /// Send a workspace to the session, incrementally.
    ///
    /// - Returns: The signatures of all objects which were transferred.
    package func sendPIFIncrementally(_ testWorkspace: TestWorkspace, auditWorkspace: TestWorkspace? = nil, file: StaticString = #filePath, line: UInt = #line) async throws -> [String] {
        // Build a map of all the objects.
        let objects = LockedValue<[String: PropertyListItem]>([:])
        let pifObjects = try testWorkspace.toObjects()
        for object in pifObjects {
            guard let signature = object.dictValue?["signature"]?.stringValue else {
                throw StubError.error("Missing signature for PIF object")
            }
            objects.withLock { $0[signature] = object }
        }

        let auditPifObjects = try auditWorkspace?.toObjects()

        let transferredSignatures = LockedValue<[String]>([])
        do {
            // Send the workspace context.
            try await session.sendPIF(workspaceSignature: testWorkspace.signature, auditPIF: (auditPifObjects?.propertyListItem).map { try .init($0) }) { (objectType, signature) async throws -> SWBPropertyListItem in
                transferredSignatures.withLock { $0.append(signature) }
                guard let object = objects.withLock({ $0[signature] }) else {
                    throw StubError.error("unexpected incremental PIF request for \(signature)")
                }
                return try .init(object)
            }
        } catch {
            throw TestSWBSessionError.pifTransferFailed(error)
        }

        // Initialize mock session info.
        try await sendMockSessionInfo()

        return transferredSignatures.withLock { $0 }
    }

    private func sendMockSessionInfo() async throws {
        do {
            try await session.setUserPreferences(.defaultForTesting)
        } catch {
            throw TestSWBSessionError.unableToSendWorkspace(error)
        }

        do {
            try await session.setSystemInfo(.defaultForTesting)
        } catch {
            throw TestSWBSessionError.unableToSendWorkspace(error)
        }

        do {
            try await session.setUserInfo(.defaultForTesting)
        } catch {
            throw TestSWBSessionError.unableToSendWorkspace(error)
        }
    }

    /// Start a build operation and wait for it to complete, returning the event stream.
    @discardableResult package nonisolated func runBuildOperation(request: SWBBuildRequest, delegate: any SWBPlanningOperationDelegate) async throws -> [SwiftBuildMessage] {
        let operation = try await session.createBuildOperation(request: request, delegate: delegate)
        let events = try await operation.start()
        await operation.waitForCompletion()
        return await events.collect()
    }

    /// Start a build description creation operation and wait for it to complete, discarding the event stream.
    @discardableResult package nonisolated func runBuildDescriptionCreationOperation(request: SWBBuildRequest, delegate: any SWBPlanningOperationDelegate, checkNoErrors: Bool = true) async throws -> SwiftBuildMessage.ReportBuildDescriptionInfo {
        return try await runBuildDescriptionCreationOperation(request: request, delegate: delegate, checkNoErrors: checkNoErrors).1
    }

    /// Start a build description creation operation and wait for it to complete, discarding the event stream.
    @_disfavoredOverload @discardableResult package nonisolated func runBuildDescriptionCreationOperation(request: SWBBuildRequest, delegate: any SWBPlanningOperationDelegate, checkNoErrors: Bool = true) async throws -> ([SwiftBuildMessage], SwiftBuildMessage.ReportBuildDescriptionInfo) {
        let operation = try await session.createBuildOperationForBuildDescriptionOnly(request: request, delegate: delegate)
        let events = try await operation.start().collect()
        if checkNoErrors {
            for event in events {
                if case let .diagnostic(diagnostic) = event, diagnostic.kind == .error {
                    Issue.record(Comment(rawValue: LoggedDiagnostic(diagnostic).description))
                }
            }
        }
        await operation.waitForCompletion()
        guard let only = events.reportBuildDescriptionMessage else {
            throw StubError.error("Expected exactly one build description info event")
        }
        return (events, only)
    }
}

extension SWBBuildParameters {
    package init(action: String? = nil, configuration: String, activeRunDestination: SWBRunDestinationInfo? = nil, overrides: [String: String] = [:]) {
        self.init()
        if let action { self.action = action }
        self.configurationName = configuration
        self.activeRunDestination = activeRunDestination
        if !overrides.isEmpty {
            self.overrides.commandLine = SWBSettingsTable()
            for (key, value) in overrides {
                self.overrides.commandLine?.set(value: value, for: key)
            }
        }
    }
}

extension SWBRunDestinationInfo: _RunDestinationInfo {
}

extension SWBBuildService {
    /// Overload of `createSession` which supplies an inferior products path.
    package func createSession(name: String, developerPath: String? = nil, cachePath: String?) async -> (Result<SWBBuildServiceSession, any Error>, [SwiftBuildMessage.DiagnosticInfo]) {
        return await createSession(name: name, developerPath: developerPath, cachePath: cachePath, inferiorProductsPath: Core.inferiorProductsPath()?.str, environment: [:])
    }
}

extension SWBBuildServiceSession {
    package func setUserPreferences(_ userPreferences: UserPreferences) async throws {
        try await setUserPreferences(
            enableDebugActivityLogs: userPreferences.enableDebugActivityLogs,
            enableBuildDebugging: userPreferences.enableBuildDebugging,
            enableBuildSystemCaching: userPreferences.enableBuildSystemCaching,
            activityTextShorteningLevel: userPreferences.activityTextShorteningLevel.rawValue,
            usePerConfigurationBuildLocations: userPreferences.usePerConfigurationBuildLocations,
            allowsExternalToolExecution: userPreferences.allowsExternalToolExecution)
    }

    package func generateIndexingFileSettings(for request: SWBBuildRequest, targetID: String, delegate: any SWBIndexingDelegate) async throws -> SWBIndexingFileSettings {
        try await generateIndexingFileSettings(for: request, targetID: targetID, filePath: nil, outputPathOnly: false, delegate: delegate)
    }
}

extension SWBSystemInfo {
    package static let defaultForTesting = Self(
        operatingSystemVersion: OperatingSystemVersion(majorVersion: 99, minorVersion: 99, patchVersion: 0),
        productBuildVersion: "99A1",
        nativeArchitecture: "x86_64")
}

extension SWBUserInfo {
    package static let defaultForTesting = {
        var env: [String: String] = [:]
        let homeDirectory: String
        #if os(Windows)
        homeDirectory = "C:\\Users\\exampleUser"
        env = ["PATH": "FOO;BAR;BAZ"]
        if let vcToolsInstallDir = getEnvironmentVariable("VCToolsInstallDir") {
            env["VCToolsInstallDir"] = vcToolsInstallDir
        }
        #else
        homeDirectory = "/Users/exampleUser"
        env = ["PATH": "FOO:BAR:BAZ"]
        #endif
        return Self(
            userName: "exampleUser",
            groupName: "exampleGroup",
            uid: 1234,
            gid: 5678,
            homeDirectory: homeDirectory,
            processEnvironment: env,
            buildSystemEnvironment: env)
    }()
}

extension URL {
    package static var swb_buildServicePluginsURL: URL? {
        let bundle = (SWBBuildServiceConnection.serviceExecutableURL?.deletingLastPathComponent().deletingLastPathComponent().deletingLastPathComponent()).map(Bundle.init(url:)) ?? nil
        return bundle?.builtInPlugInsURL
    }
}

// MARK: Copied from SWBPropertyList.swift because we can't expose methods which use implementation only types as SPI

extension SWBPropertyListItem {
    package init(_ propertyListItem: PropertyListItem) throws {
        switch propertyListItem {
        case let .plBool(value):
            self = .plBool(value)
        case let .plInt(value):
            self = .plInt(value)
        case let .plString(value):
            self = .plString(value)
        case let .plData(value):
            self = .plData(value)
        case let .plDate(value):
            self = .plDate(value)
        case let .plDouble(value):
            self = .plDouble(value)
        case let .plArray(value):
            self = try .plArray(value.map { try .init($0 ) })
        case let .plDict(value):
            self = try .plDict(value.mapValues { try .init($0) })
        case let .plOpaque(value):
            throw StubError.error("Invalid property list object: \(value)")
        }
    }

    package var propertyListItem: PropertyListItem {
        switch self {
        case let .plBool(value):
            return .plBool(value)
        case let .plInt(value):
            return .plInt(value)
        case let .plString(value):
            return .plString(value)
        case let .plData(value):
            return .plData(value)
        case let .plDate(value):
            return .plDate(value)
        case let .plDouble(value):
            return .plDouble(value)
        case let .plArray(value):
            return .plArray(value.map { $0.propertyListItem })
        case let .plDict(value):
            return .plDict(value.mapValues { $0.propertyListItem })
        @unknown default:
            preconditionFailure()
        }
    }
}