Skip to content

Commit e48d355

Browse files
committed
Fixes to exit tests.
This PR supersedes #603, #613, and #614. Exit tests remain an experimental feature. ## Clarify that 8-bit exit codes aren't a problem on macOS and Windows. (#603) The documentation for the experimental exit tests feature currently says that on POSIX-like systems, only the low 8 bits of a process' exit code are preserved. This would be true if we used `wait()`, `wait4()`, etc. and `WEXITSTATUS()`, but we use `waitid()` instead which is [supposed to](https://pubs.opengroup.org/onlinepubs/9699919799/functions/exit.html) preserve the full exit code. It does so on Darwin, but not on Linux; Windows doesn't use `waitid()` but does report the full exit code. Now, we're not currently building for any other POSIX-like systems that support processes (WASI/Wasm doesn't count here), so I've left in some weasel words and added a canary unit test. It will let us know if/when we add a platform that where `waitid()` doesn't preserve all the bits of the exit code, and we can amend the documentation in that case. ## Implement an equality operator for ExitCondition. (#613) This PR implements `==` and `===` for `ExitCondition`, part of the experimental exit tests feature. These operators are necessary in order to allow for exit tests to support more complex matching by trailing closure (e.g. to support inspecting `stdout`.) Because `.failure` is a fuzzy case, `==` fuzzy-matches while `===` exactly matches. `Hashable` conformance is unavailable. Example usage: ```swift let lhs: ExitCondition = .failure let rhs: ExitCondition = .signal(SIGTERM) print(lhs == rhs) // prints "true" print(lhs === rhs) // prints "false" ``` ## Allow throwing an error from an exit test's body. (#614) This PR amends the signatures of the exit test macros (`#expect(exitsWith:) {}` and `try #require(exitsWith:) {}`) to allow bodies to throw errors. If they do, they are treated as uncaught errors and the child process terminates abnormally (in the same way it does if an error is thrown from the main function of a Swift program.)
1 parent ade1954 commit e48d355

File tree

7 files changed

+131
-38
lines changed

7 files changed

+131
-38
lines changed

Sources/Testing/ExitTests/ExitCondition.swift

+50-22
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,17 @@ private import _TestingInternals
1717
/// ``expect(exitsWith:_:sourceLocation:performing:)`` or
1818
/// ``require(exitsWith:_:sourceLocation:performing:)`` to configure which exit
1919
/// statuses should be considered successful.
20+
///
21+
/// Two instances of this type can be compared; if either instance is equal to
22+
/// ``failure``, it will compare equal to any instance except ``success``. To
23+
/// check if two instances are exactly equal, use the `===` operator:
24+
///
25+
/// ```swift
26+
/// let lhs: ExitCondition = .failure
27+
/// let rhs: ExitCondition = .signal(SIGINT)
28+
/// print(lhs == rhs) // prints "true"
29+
/// print(lhs === rhs) // prints "false"
30+
/// ```
2031
@_spi(Experimental)
2132
#if SWT_NO_EXIT_TESTS
2233
@available(*, unavailable, message: "Exit tests are not available on this platform.")
@@ -44,9 +55,9 @@ public enum ExitCondition: Sendable {
4455
/// | Linux | [`<stdlib.h>`](https://sourceware.org/glibc/manual/latest/html_node/Exit-Status.html), `<sysexits.h>` |
4556
/// | Windows | [`<stdlib.h>`](https://learn.microsoft.com/en-us/cpp/c-runtime-library/exit-success-exit-failure) |
4657
///
47-
/// On POSIX-like systems including macOS and Linux, only the low unsigned 8
48-
/// bits (0&ndash;255) of the exit code are reliably preserved and reported to
49-
/// a parent process.
58+
/// On macOS and Windows, the full exit code reported by the process is
59+
/// yielded to the parent process. Linux and other POSIX-like systems may only
60+
/// reliably report the low unsigned 8 bits (0&ndash;255) of the exit code.
5061
case exitCode(_ exitCode: CInt)
5162

5263
/// The process terminated with the given signal.
@@ -62,43 +73,60 @@ public enum ExitCondition: Sendable {
6273
/// | macOS | [`<signal.h>`](https://developer.apple.com/library/archive/documentation/System/Conceptual/ManPages_iPhoneOS/man3/signal.3.html) |
6374
/// | Linux | [`<signal.h>`](https://sourceware.org/glibc/manual/latest/html_node/Standard-Signals.html) |
6475
/// | Windows | [`<signal.h>`](https://learn.microsoft.com/en-us/cpp/c-runtime-library/signal-constants) |
76+
///
77+
/// On Windows, by default, the C runtime will terminate a process with exit
78+
/// code `-3` if a raised signal is not handled, exactly as if `exit(-3)` were
79+
/// called. As a result, this case is unavailable on that platform. Developers
80+
/// should use ``failure`` instead when testing signal handling on Windows.
6581
#if os(Windows)
6682
@available(*, unavailable, message: "On Windows, use .failure instead.")
6783
#endif
6884
case signal(_ signal: CInt)
6985
}
7086

71-
// MARK: -
87+
// MARK: - Equatable, Hashable
7288

7389
#if SWT_NO_EXIT_TESTS
7490
@available(*, unavailable, message: "Exit tests are not available on this platform.")
7591
#endif
76-
extension ExitCondition {
77-
/// Check whether this instance matches another.
78-
///
79-
/// - Parameters:
80-
/// - other: The other instance to compare against.
81-
///
82-
/// - Returns: Whether or not this instance is equal to, or at least covers,
83-
/// the other instance.
84-
func matches(_ other: ExitCondition) -> Bool {
85-
return switch (self, other) {
86-
case (.failure, .failure):
87-
true
92+
extension ExitCondition: Equatable {
93+
public static func ==(lhs: Self, rhs: Self) -> Bool {
94+
return switch (lhs, rhs) {
8895
case let (.failure, .exitCode(exitCode)), let (.exitCode(exitCode), .failure):
8996
exitCode != EXIT_SUCCESS
97+
#if !os(Windows)
98+
case (.failure, .signal), (.signal, .failure):
99+
// All terminating signals are considered failures.
100+
true
101+
#endif
102+
default:
103+
lhs === rhs
104+
}
105+
}
106+
107+
public static func ===(lhs: Self, rhs: Self) -> Bool {
108+
return switch (lhs, rhs) {
109+
case (.failure, .failure):
110+
true
90111
case let (.exitCode(lhs), .exitCode(rhs)):
91112
lhs == rhs
92113
#if !os(Windows)
93114
case let (.signal(lhs), .signal(rhs)):
94115
lhs == rhs
95-
case (.signal, .failure), (.failure, .signal):
96-
// All terminating signals are considered failures.
97-
true
98-
case (.signal, .exitCode), (.exitCode, .signal):
99-
// Signals do not match exit codes.
100-
false
101116
#endif
117+
default:
118+
false
102119
}
103120
}
121+
122+
public static func !==(lhs: Self, rhs: Self) -> Bool {
123+
!(lhs === rhs)
124+
}
125+
}
126+
127+
@available(*, unavailable, message: "ExitCondition does not conform to Hashable.")
128+
extension ExitCondition: Hashable {
129+
public func hash(into hasher: inout Hasher) {
130+
fatalError("Unsupported")
131+
}
104132
}

Sources/Testing/ExitTests/ExitTest.swift

+10-6
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ public struct ExitTest: Sendable {
2121
public var expectedExitCondition: ExitCondition
2222

2323
/// The body closure of the exit test.
24-
fileprivate var body: @Sendable () async -> Void
24+
fileprivate var body: @Sendable () async throws -> Void
2525

2626
/// The source location of the exit test.
2727
///
@@ -37,12 +37,16 @@ public struct ExitTest: Sendable {
3737
/// terminate the process in a way that causes the corresponding expectation
3838
/// to fail.
3939
public func callAsFunction() async -> Never {
40-
await body()
40+
do {
41+
try await body()
42+
} catch {
43+
_errorInMain(error)
44+
}
4145

4246
// Run some glue code that terminates the process with an exit condition
4347
// that does not match the expected one. If the exit test's body doesn't
4448
// terminate, we'll manually call exit() and cause the test to fail.
45-
let expectingFailure = expectedExitCondition.matches(.failure)
49+
let expectingFailure = expectedExitCondition == .failure
4650
exit(expectingFailure ? EXIT_SUCCESS : EXIT_FAILURE)
4751
}
4852
}
@@ -63,7 +67,7 @@ public protocol __ExitTestContainer {
6367
static var __sourceLocation: SourceLocation { get }
6468

6569
/// The body function of the exit test.
66-
static var __body: @Sendable () async -> Void { get }
70+
static var __body: @Sendable () async throws -> Void { get }
6771
}
6872

6973
extension ExitTest {
@@ -118,7 +122,7 @@ extension ExitTest {
118122
/// convention.
119123
func callExitTest(
120124
exitsWith expectedExitCondition: ExitCondition,
121-
performing body: @escaping @Sendable () async -> Void,
125+
performing body: @escaping @Sendable () async throws -> Void,
122126
expression: __Expression,
123127
comments: @autoclosure () -> [Comment],
124128
isRequired: Bool,
@@ -150,7 +154,7 @@ func callExitTest(
150154
}
151155

152156
return __checkValue(
153-
expectedExitCondition.matches(actualExitCondition),
157+
expectedExitCondition == actualExitCondition,
154158
expression: expression,
155159
expressionWithCapturedRuntimeValues: expression.capturingRuntimeValues(actualExitCondition),
156160
mismatchedExitConditionDescription: String(describingForTest: expectedExitCondition),

Sources/Testing/Expectations/Expectation+Macro.swift

+9-5
Original file line numberDiff line numberDiff line change
@@ -440,7 +440,9 @@ public macro require(
440440
/// a clean environment for execution, it is not called within the context of
441441
/// the original test. If `expression` does not terminate the child process, the
442442
/// process is terminated automatically as if the main function of the child
443-
/// process were allowed to return naturally.
443+
/// process were allowed to return naturally. If an error is thrown from
444+
/// `expression`, it is handed as if the error were thrown from `main()` and the
445+
/// process is terminated.
444446
///
445447
/// Once the child process terminates, the parent process resumes and compares
446448
/// its exit status against `exitCondition`. If they match, the exit test has
@@ -488,8 +490,8 @@ public macro require(
488490
/// issues should be attributed.
489491
/// - expression: The expression to be evaluated.
490492
///
491-
/// - Throws: An instance of ``ExpectationFailedError`` if `condition` evaluates
492-
/// to `false`.
493+
/// - Throws: An instance of ``ExpectationFailedError`` if the exit condition of
494+
/// the child process does not equal `expectedExitCondition`.
493495
///
494496
/// Use this overload of `#require()` when an expression will cause the current
495497
/// process to terminate and the nature of that termination will determine if
@@ -515,7 +517,9 @@ public macro require(
515517
/// a clean environment for execution, it is not called within the context of
516518
/// the original test. If `expression` does not terminate the child process, the
517519
/// process is terminated automatically as if the main function of the child
518-
/// process were allowed to return naturally.
520+
/// process were allowed to return naturally. If an error is thrown from
521+
/// `expression`, it is handed as if the error were thrown from `main()` and the
522+
/// process is terminated.
519523
///
520524
/// Once the child process terminates, the parent process resumes and compares
521525
/// its exit status against `exitCondition`. If they match, the exit test has
@@ -550,5 +554,5 @@ public macro require(
550554
exitsWith expectedExitCondition: ExitCondition,
551555
_ comment: @autoclosure () -> Comment? = nil,
552556
sourceLocation: SourceLocation = #_sourceLocation,
553-
performing expression: @convention(thin) () async -> Void
557+
performing expression: @convention(thin) () async throws -> Void
554558
) = #externalMacro(module: "TestingMacros", type: "ExitTestRequireMacro")

Sources/Testing/Expectations/ExpectationChecking+Macro.swift

+2-2
Original file line numberDiff line numberDiff line change
@@ -1103,15 +1103,15 @@ public func __checkClosureCall<R>(
11031103
@_spi(Experimental)
11041104
public func __checkClosureCall(
11051105
exitsWith expectedExitCondition: ExitCondition,
1106-
performing body: @convention(thin) () async -> Void,
1106+
performing body: @convention(thin) () async throws -> Void,
11071107
expression: __Expression,
11081108
comments: @autoclosure () -> [Comment],
11091109
isRequired: Bool,
11101110
sourceLocation: SourceLocation
11111111
) async -> Result<Void, any Error> {
11121112
await callExitTest(
11131113
exitsWith: expectedExitCondition,
1114-
performing: { await body() },
1114+
performing: { try await body() },
11151115
expression: expression,
11161116
comments: comments(),
11171117
isRequired: isRequired,

Sources/TestingMacros/ConditionMacro.swift

+10-2
Original file line numberDiff line numberDiff line change
@@ -362,15 +362,23 @@ extension ExitTestConditionMacro {
362362
static var __sourceLocation: Testing.SourceLocation {
363363
\(createSourceLocationExpr(of: macro, context: context))
364364
}
365-
static var __body: @Sendable () async -> Void {
365+
static var __body: @Sendable () async throws -> Void {
366366
\(bodyArgumentExpr.trimmed)
367367
}
368368
static var __expectedExitCondition: Testing.ExitCondition {
369369
\(arguments[expectedExitConditionIndex].expression.trimmed)
370370
}
371371
}
372372
"""
373-
arguments[trailingClosureIndex].expression = "{ \(enumDecl) }"
373+
374+
// Explicitly include a closure signature to work around a compiler bug
375+
// type-checking thin throwing functions after macro expansion.
376+
// SEE: rdar://133979438
377+
arguments[trailingClosureIndex].expression = """
378+
{ () async throws in
379+
\(enumDecl)
380+
}
381+
"""
374382

375383
// Replace the exit test body (as an argument to the macro) with a stub
376384
// closure that hosts the type we created above.

Tests/TestingTests/ExitTestTests.swift

+39
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,9 @@ private import _TestingInternals
3232
await Task.yield()
3333
exit(123)
3434
}
35+
await #expect(exitsWith: .failure) {
36+
throw MyError()
37+
}
3538
#if !os(Windows)
3639
await #expect(exitsWith: .signal(SIGKILL)) {
3740
_ = kill(getpid(), SIGKILL)
@@ -197,6 +200,42 @@ private import _TestingInternals
197200
}.run(configuration: configuration)
198201
}
199202
}
203+
204+
#if !os(Linux)
205+
@Test("Exit test reports > 8 bits of the exit code")
206+
func fullWidthExitCode() async {
207+
// On macOS and Linux, we use waitid() which per POSIX should report the
208+
// full exit code, not just the low 8 bits. This behaviour is not
209+
// well-documented and while Darwin correctly reports the full value, Linux
210+
// does not (at least as of this writing) and other POSIX-like systems may
211+
// also have issues. This test serves as a canary when adding new platforms
212+
// that we need to document the difference.
213+
//
214+
// Windows does not have the 8-bit exit code restriction and always reports
215+
// the full CInt value back to the testing library.
216+
await #expect(exitsWith: .exitCode(512)) {
217+
exit(512)
218+
}
219+
}
220+
#endif
221+
222+
@Test("Exit condition exact matching (===)")
223+
func exitConditionMatching() {
224+
#expect(ExitCondition.success === .success)
225+
#expect(ExitCondition.success === .exitCode(EXIT_SUCCESS))
226+
#expect(ExitCondition.success !== .exitCode(EXIT_FAILURE))
227+
228+
#expect(ExitCondition.failure === .failure)
229+
230+
#expect(ExitCondition.exitCode(EXIT_FAILURE &+ 1) !== .exitCode(EXIT_FAILURE))
231+
232+
#if !os(Windows)
233+
#expect(ExitCondition.success !== .exitCode(EXIT_FAILURE))
234+
#expect(ExitCondition.success !== .signal(SIGINT))
235+
#expect(ExitCondition.signal(SIGINT) === .signal(SIGINT))
236+
#expect(ExitCondition.signal(SIGTERM) !== .signal(SIGINT))
237+
#endif
238+
}
200239
}
201240

202241
// MARK: - Fixtures

Tests/TestingTests/Support/FileHandleTests.swift

+11-1
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@
88
// See https://swift.org/CONTRIBUTORS.txt for Swift project authors
99
//
1010

11-
@testable import Testing
11+
@testable @_spi(Experimental) import Testing
1212
private import _TestingInternals
1313

1414
#if !SWT_NO_FILE_IO
@@ -63,6 +63,16 @@ struct FileHandleTests {
6363
}
6464
}
6565

66+
#if !SWT_NO_EXIT_TESTS
67+
@Test("Writing requires contiguous storage")
68+
func writeIsContiguous() async {
69+
await #expect(exitsWith: .failure) {
70+
let fileHandle = try FileHandle.null(mode: "wb")
71+
try fileHandle.write([1, 2, 3, 4, 5].lazy.filter { $0 == 1 })
72+
}
73+
}
74+
#endif
75+
6676
@Test("Can read from a file")
6777
func canRead() throws {
6878
let bytes: [UInt8] = (0 ..< 8192).map { _ in

0 commit comments

Comments
 (0)