Builtin Functions

Builtin functions are provided by the compiler and are prefixed with @. The comptime keyword on a parameter means that the parameter must be known at compile time.

@addrSpaceCast

  1. @addrSpaceCast(ptr: anytype) anytype

Converts a pointer from one address space to another. The new address space is inferred based on the result type. Depending on the current target and address spaces, this cast may be a no-op, a complex operation, or illegal. If the cast is legal, then the resulting pointer points to the same memory location as the pointer operand. It is always valid to cast a pointer between the same address spaces.

@addWithOverflow

  1. @addWithOverflow(a: anytype, b: anytype) struct { @TypeOf(a, b), u1 }

Performs a + b and returns a tuple with the result and a possible overflow bit.

@alignCast

  1. @alignCast(ptr: anytype) anytype

ptr can be *T, ?*T, or []T. Changes the alignment of a pointer. The alignment to use is inferred based on the result type.

A pointer alignment safety check is added to the generated code to make sure the pointer is aligned as promised.

@alignOf

  1. @alignOf(comptime T: type) comptime_int

This function returns the number of bytes that this type should be aligned to for the current target to match the C ABI. When the child type of a pointer has this alignment, the alignment can be omitted from the type.

  1. const assert = @import("std").debug.assert;
  2. comptime {
  3. assert(*u32 == *align(@alignOf(u32)) u32);
  4. }

The result is a target-specific compile time constant. It is guaranteed to be less than or equal to @sizeOf(T).

See also:

@as

  1. @as(comptime T: type, expression) T

Performs Type Coercion. This cast is allowed when the conversion is unambiguous and safe, and is the preferred way to convert between types, whenever possible.

@atomicLoad

  1. @atomicLoad(comptime T: type, ptr: *const T, comptime ordering: builtin.AtomicOrder) T

This builtin function atomically dereferences a pointer and returns the value.

T must be a pointer, a bool, a float, an integer or an enum.

See also:

@atomicRmw

  1. @atomicRmw(comptime T: type, ptr: *T, comptime op: builtin.AtomicRmwOp, operand: T, comptime ordering: builtin.AtomicOrder) T

This builtin function atomically modifies memory and then returns the previous value.

T must be a pointer, a bool, a float, an integer or an enum.

Supported operations:

  • .Xchg - stores the operand unmodified. Supports enums, integers and floats.
  • .Add - for integers, twos complement wraparound addition. Also supports Floats.
  • .Sub - for integers, twos complement wraparound subtraction. Also supports Floats.
  • .And - bitwise and
  • .Nand - bitwise nand
  • .Or - bitwise or
  • .Xor - bitwise xor
  • .Max - stores the operand if it is larger. Supports integers and floats.
  • .Min - stores the operand if it is smaller. Supports integers and floats.

See also:

@atomicStore

  1. @atomicStore(comptime T: type, ptr: *T, value: T, comptime ordering: builtin.AtomicOrder) void

This builtin function atomically stores a value.

T must be a pointer, a bool, a float, an integer or an enum.

See also:

@bitCast

  1. @bitCast(value: anytype) anytype

Converts a value of one type to another type. The return type is the inferred result type.

Asserts that @sizeOf(@TypeOf(value)) == @sizeOf(DestType).

Asserts that @typeInfo(DestType) != .Pointer. Use @ptrCast or @ptrFromInt if you need this.

Can be used for these things for example:

  • Convert f32 to u32 bits
  • Convert i32 to u32 preserving twos complement

Works at compile-time if value is known at compile time. It’s a compile error to bitcast a value of undefined layout; this means that, besides the restriction from types which possess dedicated casting builtins (enums, pointers, error sets), bare structs, error unions, slices, optionals, and any other type without a well-defined memory layout, also cannot be used in this operation.

@bitOffsetOf

  1. @bitOffsetOf(comptime T: type, comptime field_name: []const u8) comptime_int

Returns the bit offset of a field relative to its containing struct.

For non packed structs, this will always be divisible by 8. For packed structs, non-byte-aligned fields will share a byte offset, but they will have different bit offsets.

See also:

@bitSizeOf

  1. @bitSizeOf(comptime T: type) comptime_int

This function returns the number of bits it takes to store T in memory if the type were a field in a packed struct/union. The result is a target-specific compile time constant.

This function measures the size at runtime. For types that are disallowed at runtime, such as comptime_int and type, the result is 0.

See also:

@breakpoint

  1. @breakpoint() void

This function inserts a platform-specific debug trap instruction which causes debuggers to break there. Unlike for @trap(), execution may continue after this point if the program is resumed.

This function is only valid within function scope.

See also:

@mulAdd

  1. @mulAdd(comptime T: type, a: T, b: T, c: T) T

Fused multiply-add, similar to (a * b) + c, except only rounds once, and is thus more accurate.

Supports Floats and Vectors of floats.

@byteSwap

  1. @byteSwap(operand: anytype) T

@TypeOf(operand) must be an integer type or an integer vector type with bit count evenly divisible by 8.

operand may be an integer or vector.

Swaps the byte order of the integer. This converts a big endian integer to a little endian integer, and converts a little endian integer to a big endian integer.

Note that for the purposes of memory layout with respect to endianness, the integer type should be related to the number of bytes reported by @sizeOf bytes. This is demonstrated with u24. @sizeOf(u24) == 4, which means that a u24 stored in memory takes 4 bytes, and those 4 bytes are what are swapped on a little vs big endian system. On the other hand, if T is specified to be u24, then only 3 bytes are reversed.

@bitReverse

  1. @bitReverse(integer: anytype) T

@TypeOf(anytype) accepts any integer type or integer vector type.

Reverses the bitpattern of an integer value, including the sign bit if applicable.

For example 0b10110110 (u8 = 182, i8 = -74) becomes 0b01101101 (u8 = 109, i8 = 109).

@offsetOf

  1. @offsetOf(comptime T: type, comptime field_name: []const u8) comptime_int

Returns the byte offset of a field relative to its containing struct.

See also:

@call

  1. @call(modifier: std.builtin.CallModifier, function: anytype, args: anytype) anytype

Calls a function, in the same way that invoking an expression with parentheses does:

test_call_builtin.zig

  1. const expect = @import("std").testing.expect;
  2. test "noinline function call" {
  3. try expect(@call(.auto, add, .{3, 9}) == 12);
  4. }
  5. fn add(a: i32, b: i32) i32 {
  6. return a + b;
  7. }

Shell

  1. $ zig test test_call_builtin.zig
  2. 1/1 test.noinline function call... OK
  3. All 1 tests passed.

@call allows more flexibility than normal function call syntax does. The CallModifier enum is reproduced here:

builtin.CallModifier struct.zig

  1. pub const CallModifier = enum {
  2. /// Equivalent to function call syntax.
  3. auto,
  4. /// Equivalent to async keyword used with function call syntax.
  5. async_kw,
  6. /// Prevents tail call optimization. This guarantees that the return
  7. /// address will point to the callsite, as opposed to the callsite's
  8. /// callsite. If the call is otherwise required to be tail-called
  9. /// or inlined, a compile error is emitted instead.
  10. never_tail,
  11. /// Guarantees that the call will not be inlined. If the call is
  12. /// otherwise required to be inlined, a compile error is emitted instead.
  13. never_inline,
  14. /// Asserts that the function call will not suspend. This allows a
  15. /// non-async function to call an async function.
  16. no_async,
  17. /// Guarantees that the call will be generated with tail call optimization.
  18. /// If this is not possible, a compile error is emitted instead.
  19. always_tail,
  20. /// Guarantees that the call will inlined at the callsite.
  21. /// If this is not possible, a compile error is emitted instead.
  22. always_inline,
  23. /// Evaluates the call at compile-time. If the call cannot be completed at
  24. /// compile-time, a compile error is emitted instead.
  25. compile_time,
  26. };

@cDefine

  1. @cDefine(comptime name: []const u8, value) void

This function can only occur inside @cImport.

This appends #define $name $value to the @cImport temporary buffer.

To define without a value, like this:

  1. #define _GNU_SOURCE

Use the void value, like this:

  1. @cDefine("_GNU_SOURCE", {})

See also:

@cImport

  1. @cImport(expression) type

This function parses C code and imports the functions, types, variables, and compatible macro definitions into a new empty struct type, and then returns that type.

expression is interpreted at compile time. The builtin functions @cInclude, @cDefine, and @cUndef work within this expression, appending to a temporary buffer which is then parsed as C code.

Usually you should only have one @cImport in your entire application, because it saves the compiler from invoking clang multiple times, and prevents inline functions from being duplicated.

Reasons for having multiple @cImport expressions would be:

  • To avoid a symbol collision, for example if foo.h and bar.h both #define CONNECTION_COUNT
  • To analyze the C code with different preprocessor defines

See also:

@cInclude

  1. @cInclude(comptime path: []const u8) void

This function can only occur inside @cImport.

This appends #include <$path>\n to the c_import temporary buffer.

See also:

@clz

  1. @clz(operand: anytype) anytype

@TypeOf(operand) must be an integer type or an integer vector type.

operand may be an integer or vector.

Counts the number of most-significant (leading in a big-endian sense) zeroes in an integer - “count leading zeroes”.

If operand is a comptime-known integer, the return type is comptime_int. Otherwise, the return type is an unsigned integer or vector of unsigned integers with the minimum number of bits that can represent the bit count of the integer type.

If operand is zero, @clz returns the bit width of integer type T.

See also:

@cmpxchgStrong

  1. @cmpxchgStrong(comptime T: type, ptr: *T, expected_value: T, new_value: T, success_order: AtomicOrder, fail_order: AtomicOrder) ?T

This function performs a strong atomic compare exchange operation. It’s the equivalent of this code, except atomic:

not_atomic_cmpxchgStrong.zig

  1. fn cmpxchgStrongButNotAtomic(comptime T: type, ptr: *T, expected_value: T, new_value: T) ?T {
  2. const old_value = ptr.*;
  3. if (old_value == expected_value) {
  4. ptr.* = new_value;
  5. return null;
  6. } else {
  7. return old_value;
  8. }
  9. }

If you are using cmpxchg in a loop, @cmpxchgWeak is the better choice, because it can be implemented more efficiently in machine instructions.

T must be a pointer, a bool, a float, an integer or an enum.

@typeInfo(@TypeOf(ptr)).Pointer.alignment must be >= @sizeOf(T).

See also:

@cmpxchgWeak

  1. @cmpxchgWeak(comptime T: type, ptr: *T, expected_value: T, new_value: T, success_order: AtomicOrder, fail_order: AtomicOrder) ?T

This function performs a weak atomic compare exchange operation. It’s the equivalent of this code, except atomic:

cmpxchgWeakButNotAtomic

  1. fn cmpxchgWeakButNotAtomic(comptime T: type, ptr: *T, expected_value: T, new_value: T) ?T {
  2. const old_value = ptr.*;
  3. if (old_value == expected_value and usuallyTrueButSometimesFalse()) {
  4. ptr.* = new_value;
  5. return null;
  6. } else {
  7. return old_value;
  8. }
  9. }

If you are using cmpxchg in a loop, the sporadic failure will be no problem, and cmpxchgWeak is the better choice, because it can be implemented more efficiently in machine instructions. However if you need a stronger guarantee, use @cmpxchgStrong.

T must be a pointer, a bool, a float, an integer or an enum.

@typeInfo(@TypeOf(ptr)).Pointer.alignment must be >= @sizeOf(T).

See also:

@compileError

  1. @compileError(comptime msg: []const u8) noreturn

This function, when semantically analyzed, causes a compile error with the message msg.

There are several ways that code avoids being semantically checked, such as using if or switch with compile time constants, and comptime functions.

@compileLog

  1. @compileLog(args: ...) void

This function prints the arguments passed to it at compile-time.

To prevent accidentally leaving compile log statements in a codebase, a compilation error is added to the build, pointing to the compile log statement. This error prevents code from being generated, but does not otherwise interfere with analysis.

This function can be used to do “printf debugging” on compile-time executing code.

test_compileLog_builtin.zig

  1. const print = @import("std").debug.print;
  2. const num1 = blk: {
  3. var val1: i32 = 99;
  4. @compileLog("comptime val1 = ", val1);
  5. val1 = val1 + 1;
  6. break :blk val1;
  7. };
  8. test "main" {
  9. @compileLog("comptime in main");
  10. print("Runtime in main, num1 = {}.\n", .{num1});
  11. }

Shell

  1. $ zig test test_compileLog_builtin.zig
  2. docgen_tmp/test_compileLog_builtin.zig:11:5: error: found compile log statement
  3. @compileLog("comptime in main");
  4. ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  5. docgen_tmp/test_compileLog_builtin.zig:5:5: note: also here
  6. @compileLog("comptime val1 = ", val1);
  7. ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  8. Compile Log Output:
  9. @as(*const [16:0]u8, "comptime in main")
  10. @as(*const [16:0]u8, "comptime val1 = "), @as(i32, 99)

If all @compileLog calls are removed or not encountered by analysis, the program compiles successfully and the generated executable prints:

test_without_compileLog_builtin.zig

  1. const print = @import("std").debug.print;
  2. const num1 = blk: {
  3. var val1: i32 = 99;
  4. val1 = val1 + 1;
  5. break :blk val1;
  6. };
  7. test "main" {
  8. print("Runtime in main, num1 = {}.\n", .{num1});
  9. }

Shell

  1. $ zig test test_without_compileLog_builtin.zig
  2. 1/1 test.main... Runtime in main, num1 = 100.
  3. OK
  4. All 1 tests passed.

@constCast

  1. @constCast(value: anytype) DestType

Remove const qualifier from a pointer.

@ctz

  1. @ctz(operand: anytype) anytype

@TypeOf(operand) must be an integer type or an integer vector type.

operand may be an integer or vector.

Counts the number of least-significant (trailing in a big-endian sense) zeroes in an integer - “count trailing zeroes”.

If operand is a comptime-known integer, the return type is comptime_int. Otherwise, the return type is an unsigned integer or vector of unsigned integers with the minimum number of bits that can represent the bit count of the integer type.

If operand is zero, @ctz returns the bit width of integer type T.

See also:

@cUndef

  1. @cUndef(comptime name: []const u8) void

This function can only occur inside @cImport.

This appends #undef $name to the @cImport temporary buffer.

See also:

@cVaArg

  1. @cVaArg(operand: *std.builtin.VaList, comptime T: type) T

Implements the C macro va_arg.

See also:

@cVaCopy

  1. @cVaCopy(src: *std.builtin.VaList) std.builtin.VaList

Implements the C macro va_copy.

See also:

@cVaEnd

  1. @cVaEnd(src: *std.builtin.VaList) void

Implements the C macro va_end.

See also:

@cVaStart

  1. @cVaStart() std.builtin.VaList

Implements the C macro va_start. Only valid inside a variadic function.

See also:

@divExact

  1. @divExact(numerator: T, denominator: T) T

Exact division. Caller guarantees denominator != 0 and @divTrunc(numerator, denominator) * denominator == numerator.

  • @divExact(6, 3) == 2
  • @divExact(a, b) * b == a

For a function that returns a possible error code, use @import("std").math.divExact.

See also:

@divFloor

  1. @divFloor(numerator: T, denominator: T) T

Floored division. Rounds toward negative infinity. For unsigned integers it is the same as numerator / denominator. Caller guarantees denominator != 0 and !(@typeInfo(T) == .Int and T.is_signed and numerator == std.math.minInt(T) and denominator == -1).

  • @divFloor(-5, 3) == -2
  • (@divFloor(a, b) * b) + @mod(a, b) == a

For a function that returns a possible error code, use @import("std").math.divFloor.

See also:

@divTrunc

  1. @divTrunc(numerator: T, denominator: T) T

Truncated division. Rounds toward zero. For unsigned integers it is the same as numerator / denominator. Caller guarantees denominator != 0 and !(@typeInfo(T) == .Int and T.is_signed and numerator == std.math.minInt(T) and denominator == -1).

  • @divTrunc(-5, 3) == -1
  • (@divTrunc(a, b) * b) + @rem(a, b) == a

For a function that returns a possible error code, use @import("std").math.divTrunc.

See also:

@embedFile

  1. @embedFile(comptime path: []const u8) *const [N:0]u8

This function returns a compile time constant pointer to null-terminated, fixed-size array with length equal to the byte count of the file given by path. The contents of the array are the contents of the file. This is equivalent to a string literal with the file contents.

path is absolute or relative to the current file, just like @import.

See also:

@enumFromInt

  1. @enumFromInt(integer: anytype) anytype

Converts an integer into an enum value. The return type is the inferred result type.

Attempting to convert an integer which represents no value in the chosen enum type invokes safety-checked Undefined Behavior.

See also:

@errorFromInt

  1. @errorFromInt(value: std.meta.Int(.unsigned, @sizeOf(anyerror) * 8)) anyerror

Converts from the integer representation of an error into The Global Error Set type.

It is generally recommended to avoid this cast, as the integer representation of an error is not stable across source code changes.

Attempting to convert an integer that does not correspond to any error results in safety-protected Undefined Behavior.

See also:

@errorName

  1. @errorName(err: anyerror) [:0]const u8

This function returns the string representation of an error. The string representation of error.OutOfMem is "OutOfMem".

If there are no calls to @errorName in an entire application, or all calls have a compile-time known value for err, then no error name table will be generated.

@errorReturnTrace

  1. @errorReturnTrace() ?*builtin.StackTrace

If the binary is built with error return tracing, and this function is invoked in a function that calls a function with an error or error union return type, returns a stack trace object. Otherwise returns null.

@errSetCast

  1. @errSetCast(value: anytype) anytype

Converts an error value from one error set to another error set. The return type is the inferred result type. Attempting to convert an error which is not in the destination error set results in safety-protected Undefined Behavior.

@export

  1. @export(declaration, comptime options: std.builtin.ExportOptions) void

Creates a symbol in the output object file.

declaration must be one of two things:

This builtin can be called from a comptime block to conditionally export symbols. When declaration is a function with the C calling convention and options.linkage is Strong, this is equivalent to the export keyword used on a function:

export_builtin.zig

  1. comptime {
  2. @export(internalName, .{ .name = "foo", .linkage = .Strong });
  3. }
  4. fn internalName() callconv(.C) void {}

Shell

  1. $ zig build-obj export_builtin.zig

This is equivalent to:

export_builtin_equivalent_code.zig

  1. export fn foo() void {}

Shell

  1. $ zig build-obj export_builtin_equivalent_code.zig

Note that even when using export, the @"foo" syntax for identifiers can be used to choose any string for the symbol name:

export_any_symbol_name.zig

  1. export fn @"A function name that is a complete sentence."() void {}

Shell

  1. $ zig build-obj export_any_symbol_name.zig

When looking at the resulting object, you can see the symbol is used verbatim:

  1. 00000000000001f0 T A function name that is a complete sentence.

See also:

@extern

  1. @extern(T: type, comptime options: std.builtin.ExternOptions) T

Creates a reference to an external symbol in the output object file. T must be a pointer type.

See also:

@fence

  1. @fence(order: AtomicOrder) void

The fence function is used to introduce happens-before edges between operations.

AtomicOrder can be found with @import("std").builtin.AtomicOrder.

See also:

@field

  1. @field(lhs: anytype, comptime field_name: []const u8) (field)

Performs field access by a compile-time string. Works on both fields and declarations.

test_field_builtin.zig

  1. const std = @import("std");
  2. const Point = struct {
  3. x: u32,
  4. y: u32,
  5. pub var z: u32 = 1;
  6. };
  7. test "field access by string" {
  8. const expect = std.testing.expect;
  9. var p = Point{ .x = 0, .y = 0 };
  10. @field(p, "x") = 4;
  11. @field(p, "y") = @field(p, "x") + 1;
  12. try expect(@field(p, "x") == 4);
  13. try expect(@field(p, "y") == 5);
  14. }
  15. test "decl access by string" {
  16. const expect = std.testing.expect;
  17. try expect(@field(Point, "z") == 1);
  18. @field(Point, "z") = 2;
  19. try expect(@field(Point, "z") == 2);
  20. }

Shell

  1. $ zig test test_field_builtin.zig
  2. 1/2 test.field access by string... OK
  3. 2/2 test.decl access by string... OK
  4. All 2 tests passed.

@fieldParentPtr

  1. @fieldParentPtr(comptime ParentType: type, comptime field_name: []const u8,
  2. field_ptr: *T) *ParentType

Given a pointer to a field, returns the base pointer of a struct.

@floatCast

  1. @floatCast(value: anytype) anytype

Convert from one float type to another. This cast is safe, but may cause the numeric value to lose precision. The return type is the inferred result type.

@floatFromInt

  1. @floatFromInt(int: anytype) anytype

Converts an integer to the closest floating point representation. The return type is the inferred result type. To convert the other way, use @intFromFloat. This cast is always safe.

@frameAddress

  1. @frameAddress() usize

This function returns the base pointer of the current stack frame.

The implications of this are target-specific and not consistent across all platforms. The frame address may not be available in release mode due to aggressive optimizations.

This function is only valid within function scope.

@hasDecl

  1. @hasDecl(comptime Container: type, comptime name: []const u8) bool

Returns whether or not a container has a declaration matching name.

test_hasDecl_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const Foo = struct {
  4. nope: i32,
  5. pub var blah = "xxx";
  6. const hi = 1;
  7. };
  8. test "@hasDecl" {
  9. try expect(@hasDecl(Foo, "blah"));
  10. // Even though `hi` is private, @hasDecl returns true because this test is
  11. // in the same file scope as Foo. It would return false if Foo was declared
  12. // in a different file.
  13. try expect(@hasDecl(Foo, "hi"));
  14. // @hasDecl is for declarations; not fields.
  15. try expect(!@hasDecl(Foo, "nope"));
  16. try expect(!@hasDecl(Foo, "nope1234"));
  17. }

Shell

  1. $ zig test test_hasDecl_builtin.zig
  2. 1/1 test.@hasDecl... OK
  3. All 1 tests passed.

See also:

@hasField

  1. @hasField(comptime Container: type, comptime name: []const u8) bool

Returns whether the field name of a struct, union, or enum exists.

The result is a compile time constant.

It does not include functions, variables, or constants.

See also:

@import

  1. @import(comptime path: []const u8) type

This function finds a zig file corresponding to path and adds it to the build, if it is not already added.

Zig source files are implicitly structs, with a name equal to the file’s basename with the extension truncated. @import returns the struct type corresponding to the file.

Declarations which have the pub keyword may be referenced from a different source file than the one they are declared in.

path can be a relative path or it can be the name of a package. If it is a relative path, it is relative to the file that contains the @import function call.

The following packages are always available:

  • @import("std") - Zig Standard Library
  • @import("builtin") - Target-specific information The command zig build-exe --show-builtin outputs the source to stdout for reference.
  • @import("root") - Root source file This is usually src/main.zig but depends on what file is built.

See also:

@inComptime

  1. @inComptime() bool

Returns whether the builtin was run in a comptime context. The result is a compile-time constant.

This can be used to provide alternative, comptime-friendly implementations of functions. It should not be used, for instance, to exclude certain functions from being evaluated at comptime.

See also:

@intCast

  1. @intCast(int: anytype) anytype

Converts an integer to another integer while keeping the same numerical value. The return type is the inferred result type. Attempting to convert a number which is out of range of the destination type results in safety-protected Undefined Behavior.

test_intCast_builtin.zig

  1. test "integer cast panic" {
  2. var a: u16 = 0xabcd;
  3. var b: u8 = @intCast(a);
  4. _ = b;
  5. }

Shell

  1. $ zig test test_intCast_builtin.zig
  2. 1/1 test.integer cast panic... thread 2455340 panic: integer cast truncated bits
  3. /home/ci/actions-runner/_work/zig-bootstrap/zig/docgen_tmp/test_intCast_builtin.zig:3:17: 0x2241c7 in test.integer cast panic (test)
  4. var b: u8 = @intCast(a);
  5. ^
  6. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/test_runner.zig:176:28: 0x22d3d9 in mainTerminal (test)
  7. } else test_fn.func();
  8. ^
  9. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/test_runner.zig:36:28: 0x22522a in main (test)
  10. return mainTerminal();
  11. ^
  12. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/start.zig:564:22: 0x224702 in posixCallMainAndExit (test)
  13. root.main();
  14. ^
  15. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/start.zig:243:5: 0x224251 in _start (test)
  16. asm volatile (switch (native_arch) {
  17. ^
  18. ???:?:?: 0x0 in ??? (???)
  19. error: the following test command crashed:
  20. /home/ci/actions-runner/_work/zig-bootstrap/out/zig-local-cache/o/34bca970f2215feafead7412bacb3a2c/test

To truncate the significant bits of a number out of range of the destination type, use @truncate.

If T is comptime_int, then this is semantically equivalent to Type Coercion.

@intFromBool

  1. @intFromBool(value: bool) u1

Converts true to @as(u1, 1) and false to @as(u1, 0).

@intFromEnum

  1. @intFromEnum(enum_or_tagged_union: anytype) anytype

Converts an enumeration value into its integer tag type. When a tagged union is passed, the tag value is used as the enumeration value.

If there is only one possible enum value, the result is a comptime_int known at comptime.

See also:

@intFromError

  1. @intFromError(err: anytype) std.meta.Int(.unsigned, @sizeOf(anyerror) * 8)

Supports the following types:

Converts an error to the integer representation of an error.

It is generally recommended to avoid this cast, as the integer representation of an error is not stable across source code changes.

See also:

@intFromFloat

  1. @intFromFloat(float: anytype) anytype

Converts the integer part of a floating point number to the inferred result type.

If the integer part of the floating point number cannot fit in the destination type, it invokes safety-checked Undefined Behavior.

See also:

@intFromPtr

  1. @intFromPtr(value: anytype) usize

Converts value to a usize which is the address of the pointer. value can be *T or ?*T.

To convert the other way, use @ptrFromInt

@max

  1. @max(a: T, b: T) T

Returns the maximum value of a and b. This builtin accepts integers, floats, and vectors of either. In the latter case, the operation is performed element wise.

NaNs are handled as follows: if one of the operands of a (pairwise) operation is NaN, the other operand is returned. If both operands are NaN, NaN is returned.

See also:

@memcpy

  1. @memcpy(noalias dest, noalias source) void

This function copies bytes from one region of memory to another.

dest must be a mutable slice, a mutable pointer to an array, or a mutable many-item pointer. It may have any alignment, and it may have any element type.

source must be a slice, a pointer to an array, or a many-item pointer. It may have any alignment, and it may have any element type.

The source element type must support Type Coercion into the dest element type. The element types may have different ABI size, however, that may incur a performance penalty.

Similar to for loops, at least one of source and dest must provide a length, and if two lengths are provided, they must be equal.

Finally, the two memory regions must not overlap.

@memset

  1. @memset(dest, elem) void

This function sets all the elements of a memory region to elem.

dest must be a mutable slice or a mutable pointer to an array. It may have any alignment, and it may have any element type.

elem is coerced to the element type of dest.

For securely zeroing out sensitive contents from memory, you should use std.crypto.utils.secureZero

@min

  1. @min(a: T, b: T) T

Returns the minimum value of a and b. This builtin accepts integers, floats, and vectors of either. In the latter case, the operation is performed element wise.

NaNs are handled as follows: if one of the operands of a (pairwise) operation is NaN, the other operand is returned. If both operands are NaN, NaN is returned.

See also:

@wasmMemorySize

  1. @wasmMemorySize(index: u32) u32

This function returns the size of the Wasm memory identified by index as an unsigned value in units of Wasm pages. Note that each Wasm page is 64KB in size.

This function is a low level intrinsic with no safety mechanisms usually useful for allocator designers targeting Wasm. So unless you are writing a new allocator from scratch, you should use something like @import("std").heap.WasmPageAllocator.

See also:

@wasmMemoryGrow

  1. @wasmMemoryGrow(index: u32, delta: u32) i32

This function increases the size of the Wasm memory identified by index by delta in units of unsigned number of Wasm pages. Note that each Wasm page is 64KB in size. On success, returns previous memory size; on failure, if the allocation fails, returns -1.

This function is a low level intrinsic with no safety mechanisms usually useful for allocator designers targeting Wasm. So unless you are writing a new allocator from scratch, you should use something like @import("std").heap.WasmPageAllocator.

test_wasmMemoryGrow_builtin.zig

  1. const std = @import("std");
  2. const native_arch = @import("builtin").target.cpu.arch;
  3. const expect = std.testing.expect;
  4. test "@wasmMemoryGrow" {
  5. if (native_arch != .wasm32) return error.SkipZigTest;
  6. var prev = @wasmMemorySize(0);
  7. try expect(prev == @wasmMemoryGrow(0, 1));
  8. try expect(prev + 1 == @wasmMemorySize(0));
  9. }

Shell

  1. $ zig test test_wasmMemoryGrow_builtin.zig
  2. 1/1 test.@wasmMemoryGrow... SKIP
  3. 0 passed; 1 skipped; 0 failed.

See also:

@mod

  1. @mod(numerator: T, denominator: T) T

Modulus division. For unsigned integers this is the same as numerator % denominator. Caller guarantees denominator > 0, otherwise the operation will result in a Remainder Division by Zero when runtime safety checks are enabled.

  • @mod(-5, 3) == 1
  • (@divFloor(a, b) * b) + @mod(a, b) == a

For a function that returns an error code, see @import("std").math.mod.

See also:

@mulWithOverflow

  1. @mulWithOverflow(a: anytype, b: anytype) struct { @TypeOf(a, b), u1 }

Performs a * b and returns a tuple with the result and a possible overflow bit.

@panic

  1. @panic(message: []const u8) noreturn

Invokes the panic handler function. By default the panic handler function calls the public panic function exposed in the root source file, or if there is not one specified, the std.builtin.default_panic function from std/builtin.zig.

Generally it is better to use @import("std").debug.panic. However, @panic can be useful for 2 scenarios:

  • From library code, calling the programmer’s panic function if they exposed one in the root source file.
  • When mixing C and Zig code, calling the canonical panic implementation across multiple .o files.

See also:

@popCount

  1. @popCount(operand: anytype) anytype

@TypeOf(operand) must be an integer type.

operand may be an integer or vector.

Counts the number of bits set in an integer - “population count”.

If operand is a comptime-known integer, the return type is comptime_int. Otherwise, the return type is an unsigned integer or vector of unsigned integers with the minimum number of bits that can represent the bit count of the integer type.

See also:

@prefetch

  1. @prefetch(ptr: anytype, comptime options: std.builtin.PrefetchOptions) void

This builtin tells the compiler to emit a prefetch instruction if supported by the target CPU. If the target CPU does not support the requested prefetch instruction, this builtin is a no-op. This function has no effect on the behavior of the program, only on the performance characteristics.

The ptr argument may be any pointer type and determines the memory address to prefetch. This function does not dereference the pointer, it is perfectly legal to pass a pointer to invalid memory to this function and no illegal behavior will result.

The options argument is the following struct:

builtin.zig

  1. /// This data structure is used by the Zig language code generation and
  2. /// therefore must be kept in sync with the compiler implementation.
  3. pub const PrefetchOptions = struct {
  4. /// Whether the prefetch should prepare for a read or a write.
  5. rw: Rw = .read,
  6. /// The data's locality in an inclusive range from 0 to 3.
  7. ///
  8. /// 0 means no temporal locality. That is, the data can be immediately
  9. /// dropped from the cache after it is accessed.
  10. ///
  11. /// 3 means high temporal locality. That is, the data should be kept in
  12. /// the cache as it is likely to be accessed again soon.
  13. locality: u2 = 3,
  14. /// The cache that the prefetch should be preformed on.
  15. cache: Cache = .data,
  16. pub const Rw = enum(u1) {
  17. read,
  18. write,
  19. };
  20. pub const Cache = enum(u1) {
  21. instruction,
  22. data,
  23. };
  24. };

@ptrCast

  1. @ptrCast(value: anytype) anytype

Converts a pointer of one type to a pointer of another type. The return type is the inferred result type.

Optional Pointers are allowed. Casting an optional pointer which is null to a non-optional pointer invokes safety-checked Undefined Behavior.

@ptrCast cannot be used for:

  • Removing const qualifier, use @constCast.
  • Removing volatile qualifier, use @volatileCast.
  • Changing pointer address space, use @addrSpaceCast.
  • Increasing pointer alignment, use @alignCast.
  • Casting a non-slice pointer to a slice, use slicing syntax ptr[start..end].

@ptrFromInt

  1. @ptrFromInt(address: usize) anytype

Converts an integer to a pointer. The return type is the inferred result type. To convert the other way, use @intFromPtr. Casting an address of 0 to a destination type which in not optional and does not have the allowzero attribute will result in a Pointer Cast Invalid Null panic when runtime safety checks are enabled.

If the destination pointer type does not allow address zero and address is zero, this invokes safety-checked Undefined Behavior.

@rem

  1. @rem(numerator: T, denominator: T) T

Remainder division. For unsigned integers this is the same as numerator % denominator. Caller guarantees denominator > 0, otherwise the operation will result in a Remainder Division by Zero when runtime safety checks are enabled.

  • @rem(-5, 3) == -2
  • (@divTrunc(a, b) * b) + @rem(a, b) == a

For a function that returns an error code, see @import("std").math.rem.

See also:

@returnAddress

  1. @returnAddress() usize

This function returns the address of the next machine code instruction that will be executed when the current function returns.

The implications of this are target-specific and not consistent across all platforms.

This function is only valid within function scope. If the function gets inlined into a calling function, the returned address will apply to the calling function.

@select

  1. @select(comptime T: type, pred: @Vector(len, bool), a: @Vector(len, T), b: @Vector(len, T)) @Vector(len, T)

Selects values element-wise from a or b based on pred. If pred[i] is true, the corresponding element in the result will be a[i] and otherwise b[i].

See also:

@setAlignStack

  1. @setAlignStack(comptime alignment: u29) void

Ensures that a function will have a stack alignment of at least alignment bytes.

@setCold

  1. @setCold(comptime is_cold: bool) void

Tells the optimizer that a function is rarely called.

@setEvalBranchQuota

  1. @setEvalBranchQuota(comptime new_quota: u32) void

Changes the maximum number of backwards branches that compile-time code execution can use before giving up and making a compile error.

If the new_quota is smaller than the default quota (1000) or a previously explicitly set quota, it is ignored.

Example:

test_without_setEvalBranchQuota_builtin.zig

  1. test "foo" {
  2. comptime {
  3. var i = 0;
  4. while (i < 1001) : (i += 1) {}
  5. }
  6. }

Shell

  1. $ zig test test_without_setEvalBranchQuota_builtin.zig
  2. docgen_tmp/test_without_setEvalBranchQuota_builtin.zig:4:9: error: evaluation exceeded 1000 backwards branches
  3. while (i < 1001) : (i += 1) {}
  4. ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  5. docgen_tmp/test_without_setEvalBranchQuota_builtin.zig:4:9: note: use @setEvalBranchQuota() to raise the branch limit from 1000

Now we use @setEvalBranchQuota:

test_setEvalBranchQuota_builtin.zig

  1. test "foo" {
  2. comptime {
  3. @setEvalBranchQuota(1001);
  4. var i = 0;
  5. while (i < 1001) : (i += 1) {}
  6. }
  7. }

Shell

  1. $ zig test test_setEvalBranchQuota_builtin.zig
  2. 1/1 test.foo... OK
  3. All 1 tests passed.

See also:

@setFloatMode

  1. @setFloatMode(comptime mode: @import("std").builtin.FloatMode) void

Sets the floating point mode of the current scope. Possible values are:

FloatMode.zig

  1. pub const FloatMode = enum {
  2. Strict,
  3. Optimized,
  4. };
  • Strict (default) - Floating point operations follow strict IEEE compliance.
  • Optimized - Floating point operations may do all of the following:

    • Assume the arguments and result are not NaN. Optimizations are required to retain defined behavior over NaNs, but the value of the result is undefined.
    • Assume the arguments and result are not +/-Inf. Optimizations are required to retain defined behavior over +/-Inf, but the value of the result is undefined.
    • Treat the sign of a zero argument or result as insignificant.
    • Use the reciprocal of an argument rather than perform division.
    • Perform floating-point contraction (e.g. fusing a multiply followed by an addition into a fused multiply-add).
    • Perform algebraically equivalent transformations that may change results in floating point (e.g. reassociate).

    This is equivalent to -ffast-math in GCC.

The floating point mode is inherited by child scopes, and can be overridden in any scope. You can set the floating point mode in a struct or module scope by using a comptime block.

See also:

@setRuntimeSafety

  1. @setRuntimeSafety(comptime safety_on: bool) void

Sets whether runtime safety checks are enabled for the scope that contains the function call.

test_setRuntimeSafety_builtin.zig

  1. test "@setRuntimeSafety" {
  2. // The builtin applies to the scope that it is called in. So here, integer overflow
  3. // will not be caught in ReleaseFast and ReleaseSmall modes:
  4. // var x: u8 = 255;
  5. // x += 1; // undefined behavior in ReleaseFast/ReleaseSmall modes.
  6. {
  7. // However this block has safety enabled, so safety checks happen here,
  8. // even in ReleaseFast and ReleaseSmall modes.
  9. @setRuntimeSafety(true);
  10. var x: u8 = 255;
  11. x += 1;
  12. {
  13. // The value can be overridden at any scope. So here integer overflow
  14. // would not be caught in any build mode.
  15. @setRuntimeSafety(false);
  16. // var x: u8 = 255;
  17. // x += 1; // undefined behavior in all build modes.
  18. }
  19. }
  20. }

Shell

  1. $ zig test test_setRuntimeSafety_builtin.zig -OReleaseFast
  2. 1/1 test.@setRuntimeSafety... thread 2455486 panic: integer overflow
  3. /home/ci/actions-runner/_work/zig-bootstrap/zig/docgen_tmp/test_setRuntimeSafety_builtin.zig:11:11: 0x20bd61 in test.@setRuntimeSafety (test)
  4. x += 1;
  5. ^
  6. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/test_runner.zig:176:28: 0x20cbfb in main (test)
  7. } else test_fn.func();
  8. ^
  9. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/start.zig:564:22: 0x20be54 in posixCallMainAndExit (test)
  10. root.main();
  11. ^
  12. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/start.zig:243:5: 0x20bd81 in _start (test)
  13. asm volatile (switch (native_arch) {
  14. ^
  15. ???:?:?: 0x0 in ??? (???)
  16. error: the following test command crashed:
  17. /home/ci/actions-runner/_work/zig-bootstrap/out/zig-local-cache/o/03b1a10fe075355702464d1e69bf1fa9/test

Note: it is planned to replace @setRuntimeSafety with @optimizeFor

@shlExact

  1. @shlExact(value: T, shift_amt: Log2T) T

Performs the left shift operation (<<). For unsigned integers, the result is undefined if any 1 bits are shifted out. For signed integers, the result is undefined if any bits that disagree with the resultant sign bit are shifted out.

The type of shift_amt is an unsigned integer with log2(@typeInfo(T).Int.bits) bits. This is because shift_amt >= @typeInfo(T).Int.bits is undefined behavior.

See also:

@shlWithOverflow

  1. @shlWithOverflow(a: anytype, shift_amt: Log2T) struct { @TypeOf(a), u1 }

Performs a << b and returns a tuple with the result and a possible overflow bit.

The type of shift_amt is an unsigned integer with log2(@typeInfo(@TypeOf(a)).Int.bits) bits. This is because shift_amt >= @typeInfo(@TypeOf(a)).Int.bits is undefined behavior.

See also:

@shrExact

  1. @shrExact(value: T, shift_amt: Log2T) T

Performs the right shift operation (>>). Caller guarantees that the shift will not shift any 1 bits out.

The type of shift_amt is an unsigned integer with log2(@typeInfo(T).Int.bits) bits. This is because shift_amt >= @typeInfo(T).Int.bits is undefined behavior.

See also:

@shuffle

  1. @shuffle(comptime E: type, a: @Vector(a_len, E), b: @Vector(b_len, E), comptime mask: @Vector(mask_len, i32)) @Vector(mask_len, E)

Constructs a new vector by selecting elements from a and b based on mask.

Each element in mask selects an element from either a or b. Positive numbers select from a starting at 0. Negative values select from b, starting at -1 and going down. It is recommended to use the ~ operator for indexes from b so that both indexes can start from 0 (i.e. ~@as(i32, 0) is -1).

For each element of mask, if it or the selected value from a or b is undefined, then the resulting element is undefined.

a_len and b_len may differ in length. Out-of-bounds element indexes in mask result in compile errors.

If a or b is undefined, it is equivalent to a vector of all undefined with the same length as the other vector. If both vectors are undefined, @shuffle returns a vector with all elements undefined.

E must be an integer, float, pointer, or bool. The mask may be any vector length, and its length determines the result length.

test_shuffle_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "vector @shuffle" {
  4. const a = @Vector(7, u8){ 'o', 'l', 'h', 'e', 'r', 'z', 'w' };
  5. const b = @Vector(4, u8){ 'w', 'd', '!', 'x' };
  6. // To shuffle within a single vector, pass undefined as the second argument.
  7. // Notice that we can re-order, duplicate, or omit elements of the input vector
  8. const mask1 = @Vector(5, i32){ 2, 3, 1, 1, 0 };
  9. const res1: @Vector(5, u8) = @shuffle(u8, a, undefined, mask1);
  10. try expect(std.mem.eql(u8, &@as([5]u8, res1), "hello"));
  11. // Combining two vectors
  12. const mask2 = @Vector(6, i32){ -1, 0, 4, 1, -2, -3 };
  13. const res2: @Vector(6, u8) = @shuffle(u8, a, b, mask2);
  14. try expect(std.mem.eql(u8, &@as([6]u8, res2), "world!"));
  15. }

Shell

  1. $ zig test test_shuffle_builtin.zig
  2. 1/1 test.vector @shuffle... OK
  3. All 1 tests passed.

See also:

@sizeOf

  1. @sizeOf(comptime T: type) comptime_int

This function returns the number of bytes it takes to store T in memory. The result is a target-specific compile time constant.

This size may contain padding bytes. If there were two consecutive T in memory, this would be the offset in bytes between element at index 0 and the element at index 1. For integer, consider whether you want to use @sizeOf(T) or @typeInfo(T).Int.bits.

This function measures the size at runtime. For types that are disallowed at runtime, such as comptime_int and type, the result is 0.

See also:

@splat

  1. @splat(scalar: anytype) anytype

Produces a vector where each element is the value scalar. The return type and thus the length of the vector is inferred.

test_splat_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "vector @splat" {
  4. const scalar: u32 = 5;
  5. const result: @Vector(4, u32) = @splat(scalar);
  6. try expect(std.mem.eql(u32, &@as([4]u32, result), &[_]u32{ 5, 5, 5, 5 }));
  7. }

Shell

  1. $ zig test test_splat_builtin.zig
  2. 1/1 test.vector @splat... OK
  3. All 1 tests passed.

scalar must be an integer, bool, float, or pointer.

See also:

@reduce

  1. @reduce(comptime op: std.builtin.ReduceOp, value: anytype) E

Transforms a vector into a scalar value (of type E) by performing a sequential horizontal reduction of its elements using the specified operator op.

Not every operator is available for every vector element type:

  • Every operator is available for integer vectors.
  • .And, .Or, .Xor are additionally available for bool vectors,
  • .Min, .Max, .Add, .Mul are additionally available for floating point vectors,

Note that .Add and .Mul reductions on integral types are wrapping; when applied on floating point types the operation associativity is preserved, unless the float mode is set to Optimized.

test_reduce_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "vector @reduce" {
  4. const V = @Vector(4, i32);
  5. const value = V{ 1, -1, 1, -1 };
  6. const result = value > @as(V, @splat(0));
  7. // result is { true, false, true, false };
  8. try comptime expect(@TypeOf(result) == @Vector(4, bool));
  9. const is_all_true = @reduce(.And, result);
  10. try comptime expect(@TypeOf(is_all_true) == bool);
  11. try expect(is_all_true == false);
  12. }

Shell

  1. $ zig test test_reduce_builtin.zig
  2. 1/1 test.vector @reduce... OK
  3. All 1 tests passed.

See also:

@src

  1. @src() std.builtin.SourceLocation

Returns a SourceLocation struct representing the function’s name and location in the source code. This must be called in a function.

test_src_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "@src" {
  4. try doTheTest();
  5. }
  6. fn doTheTest() !void {
  7. const src = @src();
  8. try expect(src.line == 9);
  9. try expect(src.column == 17);
  10. try expect(std.mem.endsWith(u8, src.fn_name, "doTheTest"));
  11. try expect(std.mem.endsWith(u8, src.file, "test_src_builtin.zig"));
  12. }

Shell

  1. $ zig test test_src_builtin.zig
  2. 1/1 test.@src... OK
  3. All 1 tests passed.

@sqrt

  1. @sqrt(value: anytype) @TypeOf(value)

Performs the square root of a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@sin

  1. @sin(value: anytype) @TypeOf(value)

Sine trigonometric function on a floating point number in radians. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@cos

  1. @cos(value: anytype) @TypeOf(value)

Cosine trigonometric function on a floating point number in radians. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@tan

  1. @tan(value: anytype) @TypeOf(value)

Tangent trigonometric function on a floating point number in radians. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@exp

  1. @exp(value: anytype) @TypeOf(value)

Base-e exponential function on a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@exp2

  1. @exp2(value: anytype) @TypeOf(value)

Base-2 exponential function on a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@log

  1. @log(value: anytype) @TypeOf(value)

Returns the natural logarithm of a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@log2

  1. @log2(value: anytype) @TypeOf(value)

Returns the logarithm to the base 2 of a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@log10

  1. @log10(value: anytype) @TypeOf(value)

Returns the logarithm to the base 10 of a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@fabs

  1. @fabs(value: anytype) @TypeOf(value)

Returns the absolute value of a floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@floor

  1. @floor(value: anytype) @TypeOf(value)

Returns the largest integral value not greater than the given floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@ceil

  1. @ceil(value: anytype) @TypeOf(value)

Returns the smallest integral value not less than the given floating point number. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@trunc

  1. @trunc(value: anytype) @TypeOf(value)

Rounds the given floating point number to an integer, towards zero. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@round

  1. @round(value: anytype) @TypeOf(value)

Rounds the given floating point number to an integer, away from zero. Uses a dedicated hardware instruction when available.

Supports Floats and Vectors of floats.

@subWithOverflow

  1. @subWithOverflow(a: anytype, b: anytype) struct { @TypeOf(a, b), u1 }

Performs a - b and returns a tuple with the result and a possible overflow bit.

@tagName

  1. @tagName(value: anytype) [:0]const u8

Converts an enum value or union value to a string literal representing the name.

If the enum is non-exhaustive and the tag value does not map to a name, it invokes safety-checked Undefined Behavior.

@This

  1. @This() type

Returns the innermost struct, enum, or union that this function call is inside. This can be useful for an anonymous struct that needs to refer to itself:

test_this_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "@This()" {
  4. var items = [_]i32{ 1, 2, 3, 4 };
  5. const list = List(i32){ .items = items[0..] };
  6. try expect(list.length() == 4);
  7. }
  8. fn List(comptime T: type) type {
  9. return struct {
  10. const Self = @This();
  11. items: []T,
  12. fn length(self: Self) usize {
  13. return self.items.len;
  14. }
  15. };
  16. }

Shell

  1. $ zig test test_this_builtin.zig
  2. 1/1 test.@This()... OK
  3. All 1 tests passed.

When @This() is used at file scope, it returns a reference to the struct that corresponds to the current file.

@trap

  1. @trap() noreturn

This function inserts a platform-specific trap/jam instruction which can be used to exit the program abnormally. This may be implemented by explicitly emitting an invalid instruction which may cause an illegal instruction exception of some sort. Unlike for @breakpoint(), execution does not continue after this point.

Outside function scope, this builtin causes a compile error.

See also:

@truncate

  1. @truncate(integer: anytype) anytype

This function truncates bits from an integer type, resulting in a smaller or same-sized integer type. The return type is the inferred result type.

This function always truncates the significant bits of the integer, regardless of endianness on the target platform.

Calling @truncate on a number out of range of the destination type is well defined and working code:

test_truncate_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "integer truncation" {
  4. var a: u16 = 0xabcd;
  5. var b: u8 = @truncate(a);
  6. try expect(b == 0xcd);
  7. }

Shell

  1. $ zig test test_truncate_builtin.zig
  2. 1/1 test.integer truncation... OK
  3. All 1 tests passed.

Use @intCast to convert numbers guaranteed to fit the destination type.

@Type

  1. @Type(comptime info: std.builtin.Type) type

This function is the inverse of @typeInfo. It reifies type information into a type.

It is available for the following types:

@typeInfo

  1. @typeInfo(comptime T: type) std.builtin.Type

Provides type reflection.

Type information of structs, unions, enums, and error sets has fields which are guaranteed to be in the same order as appearance in the source file.

Type information of structs, unions, enums, and opaques has declarations, which are also guaranteed to be in the same order as appearance in the source file.

@typeName

  1. @typeName(T: type) *const [N:0]u8

This function returns the string representation of a type, as an array. It is equivalent to a string literal of the type name. The returned type name is fully qualified with the parent namespace included as part of the type name with a series of dots.

@TypeOf

  1. @TypeOf(...) type

@TypeOf is a special builtin function that takes any (nonzero) number of expressions as parameters and returns the type of the result, using Peer Type Resolution.

The expressions are evaluated, however they are guaranteed to have no runtime side-effects:

test_TypeOf_builtin.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "no runtime side effects" {
  4. var data: i32 = 0;
  5. const T = @TypeOf(foo(i32, &data));
  6. try comptime expect(T == i32);
  7. try expect(data == 0);
  8. }
  9. fn foo(comptime T: type, ptr: *T) T {
  10. ptr.* += 1;
  11. return ptr.*;
  12. }

Shell

  1. $ zig test test_TypeOf_builtin.zig
  2. 1/1 test.no runtime side effects... OK
  3. All 1 tests passed.

@unionInit

  1. @unionInit(comptime Union: type, comptime active_field_name: []const u8, init_expr) Union

This is the same thing as union initialization syntax, except that the field name is a comptime-known value rather than an identifier token.

@unionInit forwards its result location to init_expr.

@Vector

  1. @Vector(len: comptime_int, Element: type) type

Creates Vectors.

@volatileCast

  1. @volatileCast(value: anytype) DestType

Remove volatile qualifier from a pointer.

@workGroupId

  1. @workGroupId(comptime dimension: u32) u32

Returns the index of the work group in the current kernel invocation in dimension dimension.

@workGroupSize

  1. @workGroupSize(comptime dimension: u32) u32

Returns the number of work items that a work group has in dimension dimension.

@workItemId

  1. @workItemId(comptime dimension: u32) u32

Returns the index of the work item in the work group in dimension dimension. This function returns values between 0 (inclusive) and @workGroupSize(dimension) (exclusive).