unreachable
In Debug
and ReleaseSafe
mode, and when using zig test
, unreachable
emits a call to panic
with the message reached unreachable code
.
In ReleaseFast
mode, the optimizer uses the assumption that unreachable
code will never be hit to perform optimizations. However, zig test
even in ReleaseFast
mode still emits unreachable
as calls to panic
.
Basics
test.zig
// unreachable is used to assert that control flow will never happen upon a
// particular location:
test "basic math" {
const x = 1;
const y = 2;
if (x + y != 3) {
unreachable;
}
}
$ zig test test.zig
Test [1/1] test "basic math"...
All 1 tests passed.
In fact, this is how std.debug.assert
is implemented:
test.zig
// This is how std.debug.assert is implemented
fn assert(ok: bool) void {
if (!ok) unreachable; // assertion failure
}
// This test will fail because we hit unreachable.
test "this will fail" {
assert(false);
}
$ zig test test.zig
Test [1/1] test "this will fail"...
thread 12592 panic: reached unreachable code
/home/andy/Downloads/zig/docgen_tmp/test.zig:3:14: 0x207feb in assert (test)
if (!ok) unreachable; // assertion failure
^
/home/andy/Downloads/zig/docgen_tmp/test.zig:8:11: 0x2066de in test "this will fail" (test)
assert(false);
^
/home/andy/Downloads/zig/lib/std/special/test_runner.zig:76:28: 0x22d00a in std.special.main (test)
} else test_fn.func();
^
/home/andy/Downloads/zig/lib/std/start.zig:471:37: 0x22556a in std.start.callMain (test)
const result = root.main() catch |err| {
^
/home/andy/Downloads/zig/lib/std/start.zig:413:12: 0x2093ee in std.start.callMainWithArgs (test)
return @call(.{ .modifier = .always_inline }, callMain, .{});
^
/home/andy/Downloads/zig/lib/std/start.zig:332:17: 0x208416 in std.start.posixCallMainAndExit (test)
std.os.exit(@call(.{ .modifier = .always_inline }, callMainWithArgs, .{ argc, argv, envp }));
^
/home/andy/Downloads/zig/lib/std/start.zig:245:5: 0x208222 in std.start._start (test)
@call(.{ .modifier = .never_inline }, posixCallMainAndExit, .{});
^
error: the following test command crashed:
docgen_tmp/zig-cache/o/333a8741816702dafd0ff99af380ebb1/test /home/andy/Downloads/zig/build-release/zig
At Compile-Time
test.zig
const assert = @import("std").debug.assert;
test "type of unreachable" {
comptime {
// The type of unreachable is noreturn.
// However this assertion will still fail because
// evaluating unreachable at compile-time is a compile error.
assert(@TypeOf(unreachable) == noreturn);
}
}
$ zig test test.zig
./docgen_tmp/test.zig:10:16: error: unreachable code
assert(@TypeOf(unreachable) == noreturn);
^
./docgen_tmp/test.zig:3:28: note: referenced here
test "type of unreachable" {
^
See also: