Zig Language Reference

{#header_open|Introduction#}

Zig is a general-purpose programming language and toolchain for maintaining robust, optimal, and reusable software.

Robust
Behavior is correct even for edge cases such as out of memory.
Optimal
Write programs the best way they can behave and perform.
Reusable
The same code works in many environments which have different constraints.
Maintainable
Precisely communicate intent to the compiler and other programmers. The language imposes a low overhead to reading code and is resilient to changing requirements and environments.

Often the most efficient way to learn something new is to see examples, so this documentation shows how to use each of Zig's features. It is all on one page so you can search with your browser's search tool.

The code samples in this document are compiled and tested as part of the main test suite of Zig.

This HTML document depends on no external files, so you can use it offline.

{#header_close#} {#header_open|Zig Standard Library#}

The Zig Standard Library has its own documentation.

Zig's Standard Library contains commonly used algorithms, data structures, and definitions to help you build programs or libraries. You will see many examples of Zig's Standard Library used in this documentation. To learn more about the Zig Standard Library, visit the link above.

{#header_close#} {#header_open|Hello World#} {#code|hello.zig#}

Most of the time, it is more appropriate to write to stderr rather than stdout, and whether or not the message is successfully written to the stream is irrelevant. For this common case, there is a simpler API:

{#code|hello_again.zig#}

In this case, the {#syntax#}!{#endsyntax#} may be omitted from the return type because no errors are returned from the function.

{#see_also|Values|@import|Errors|Root Source File|Source Encoding#} {#header_close#} {#header_open|Comments#}

Zig supports 3 types of comments. Normal comments are ignored, but doc comments and top-level doc comments are used by the compiler to generate the package documentation.

The generated documentation is still experimental, and can be produced with:

{#shell_samp#}zig test -femit-docs main.zig{#end_shell_samp#} {#code|comments.zig#}

There are no multiline comments in Zig (e.g. like /* */ comments in C). This allows Zig to have the property that each line of code can be tokenized out of context.

{#header_open|Doc Comments#}

A doc comment is one that begins with exactly three slashes (i.e. {#syntax#}///{#endsyntax#} but not {#syntax#}////{#endsyntax#}); multiple doc comments in a row are merged together to form a multiline doc comment. The doc comment documents whatever immediately follows it.

{#code|doc_comments.zig#}

Doc comments are only allowed in certain places; it is a compile error to have a doc comment in an unexpected place, such as in the middle of an expression, or just before a non-doc comment.

{#code|invalid_doc-comment.zig#} {#code|unattached_doc-comment.zig#}

Doc comments can be interleaved with normal comments. Currently, when producing the package documentation, normal comments are merged with doc comments.

{#header_close#} {#header_open|Top-Level Doc Comments#}

A top-level doc comment is one that begins with two slashes and an exclamation point: {#syntax#}//!{#endsyntax#}; it documents the current module.

It is a compile error if a top-level doc comment is not placed at the start of a {#link|container|Containers#}, before any expressions.

{#code|tldoc_comments.zig#} {#header_close#} {#header_close#} {#header_open|Values#} {#code|values.zig#} {#header_open|Primitive Types#}
Primitive Types
Type C Equivalent Description
{#syntax#}i8{#endsyntax#} int8_t signed 8-bit integer
{#syntax#}u8{#endsyntax#} uint8_t unsigned 8-bit integer
{#syntax#}i16{#endsyntax#} int16_t signed 16-bit integer
{#syntax#}u16{#endsyntax#} uint16_t unsigned 16-bit integer
{#syntax#}i32{#endsyntax#} int32_t signed 32-bit integer
{#syntax#}u32{#endsyntax#} uint32_t unsigned 32-bit integer
{#syntax#}i64{#endsyntax#} int64_t signed 64-bit integer
{#syntax#}u64{#endsyntax#} uint64_t unsigned 64-bit integer
{#syntax#}i128{#endsyntax#} __int128 signed 128-bit integer
{#syntax#}u128{#endsyntax#} unsigned __int128 unsigned 128-bit integer
{#syntax#}isize{#endsyntax#} intptr_t signed pointer sized integer
{#syntax#}usize{#endsyntax#} uintptr_t, size_t unsigned pointer sized integer. Also see #5185
{#syntax#}c_char{#endsyntax#} char for ABI compatibility with C
{#syntax#}c_short{#endsyntax#} short for ABI compatibility with C
{#syntax#}c_ushort{#endsyntax#} unsigned short for ABI compatibility with C
{#syntax#}c_int{#endsyntax#} int for ABI compatibility with C
{#syntax#}c_uint{#endsyntax#} unsigned int for ABI compatibility with C
{#syntax#}c_long{#endsyntax#} long for ABI compatibility with C
{#syntax#}c_ulong{#endsyntax#} unsigned long for ABI compatibility with C
{#syntax#}c_longlong{#endsyntax#} long long for ABI compatibility with C
{#syntax#}c_ulonglong{#endsyntax#} unsigned long long for ABI compatibility with C
{#syntax#}c_longdouble{#endsyntax#} long double for ABI compatibility with C
{#syntax#}f16{#endsyntax#} _Float16 16-bit floating point (10-bit mantissa) IEEE-754-2008 binary16
{#syntax#}f32{#endsyntax#} float 32-bit floating point (23-bit mantissa) IEEE-754-2008 binary32
{#syntax#}f64{#endsyntax#} double 64-bit floating point (52-bit mantissa) IEEE-754-2008 binary64
{#syntax#}f80{#endsyntax#} double 80-bit floating point (64-bit mantissa) IEEE-754-2008 80-bit extended precision
{#syntax#}f128{#endsyntax#} _Float128 128-bit floating point (112-bit mantissa) IEEE-754-2008 binary128
{#syntax#}bool{#endsyntax#} bool {#syntax#}true{#endsyntax#} or {#syntax#}false{#endsyntax#}
{#syntax#}anyopaque{#endsyntax#} void Used for type-erased pointers.
{#syntax#}void{#endsyntax#} (none) Always the value {#syntax#}void{}{#endsyntax#}
{#syntax#}noreturn{#endsyntax#} (none) the type of {#syntax#}break{#endsyntax#}, {#syntax#}continue{#endsyntax#}, {#syntax#}return{#endsyntax#}, {#syntax#}unreachable{#endsyntax#}, and {#syntax#}while (true) {}{#endsyntax#}
{#syntax#}type{#endsyntax#} (none) the type of types
{#syntax#}anyerror{#endsyntax#} (none) an error code
{#syntax#}comptime_int{#endsyntax#} (none) Only allowed for {#link|comptime#}-known values. The type of integer literals.
{#syntax#}comptime_float{#endsyntax#} (none) Only allowed for {#link|comptime#}-known values. The type of float literals.

In addition to the integer types above, arbitrary bit-width integers can be referenced by using an identifier of i or u followed by digits. For example, the identifier {#syntax#}i7{#endsyntax#} refers to a signed 7-bit integer. The maximum allowed bit-width of an integer type is {#syntax#}65535{#endsyntax#}.

{#see_also|Integers|Floats|void|Errors|@Type#} {#header_close#} {#header_open|Primitive Values#}
Primitive Values
Name Description
{#syntax#}true{#endsyntax#} and {#syntax#}false{#endsyntax#} {#syntax#}bool{#endsyntax#} values
{#syntax#}null{#endsyntax#} used to set an optional type to {#syntax#}null{#endsyntax#}
{#syntax#}undefined{#endsyntax#} used to leave a value unspecified
{#see_also|Optionals|undefined#} {#header_close#} {#header_open|String Literals and Unicode Code Point Literals#}

String literals are constant single-item {#link|Pointers#} to null-terminated byte arrays. The type of string literals encodes both the length, and the fact that they are null-terminated, and thus they can be {#link|coerced|Type Coercion#} to both {#link|Slices#} and {#link|Null-Terminated Pointers|Sentinel-Terminated Pointers#}. Dereferencing string literals converts them to {#link|Arrays#}.

Because Zig source code is {#link|UTF-8 encoded|Source Encoding#}, any non-ASCII bytes appearing within a string literal in source code carry their UTF-8 meaning into the content of the string in the Zig program; the bytes are not modified by the compiler. It is possible to embed non-UTF-8 bytes into a string literal using \xNN notation.

Indexing into a string containing non-ASCII bytes returns individual bytes, whether valid UTF-8 or not.

Unicode code point literals have type {#syntax#}comptime_int{#endsyntax#}, the same as {#link|Integer Literals#}. All {#link|Escape Sequences#} are valid in both string literals and Unicode code point literals.

{#code|string_literals.zig#} {#see_also|Arrays|Source Encoding#} {#header_open|Escape Sequences#}
Escape Sequences
Escape Sequence Name
\n Newline
\r Carriage Return
\t Tab
\\ Backslash
\' Single Quote
\" Double Quote
\xNN hexadecimal 8-bit byte value (2 digits)
\u{NNNNNN} hexadecimal Unicode code point UTF-8 encoded (1 or more digits)

Note that the maximum valid Unicode point is {#syntax#}0x10ffff{#endsyntax#}.

{#header_close#} {#header_open|Multiline String Literals#}

Multiline string literals have no escapes and can span across multiple lines. To start a multiline string literal, use the {#syntax#}\\{#endsyntax#} token. Just like a comment, the string literal goes until the end of the line. The end of the line is not included in the string literal. However, if the next line begins with {#syntax#}\\{#endsyntax#} then a newline is appended and the string literal continues.

{#code|multiline_string_literals.zig#} {#see_also|@embedFile#} {#header_close#} {#header_close#} {#header_open|Assignment#}

Use the {#syntax#}const{#endsyntax#} keyword to assign a value to an identifier:

{#code|constant_identifier_cannot_change.zig#}

{#syntax#}const{#endsyntax#} applies to all of the bytes that the identifier immediately addresses. {#link|Pointers#} have their own const-ness.

If you need a variable that you can modify, use the {#syntax#}var{#endsyntax#} keyword:

{#code|mutable_var.zig#}

Variables must be initialized:

{#code|var_must_be_initialized.zig#} {#header_open|undefined#}

Use {#syntax#}undefined{#endsyntax#} to leave variables uninitialized:

{#code|assign_undefined.zig#}

{#syntax#}undefined{#endsyntax#} can be {#link|coerced|Type Coercion#} to any type. Once this happens, it is no longer possible to detect that the value is {#syntax#}undefined{#endsyntax#}. {#syntax#}undefined{#endsyntax#} means the value could be anything, even something that is nonsense according to the type. Translated into English, {#syntax#}undefined{#endsyntax#} means "Not a meaningful value. Using this value would be a bug. The value will be unused, or overwritten before being used."

In {#link|Debug#} mode, Zig writes {#syntax#}0xaa{#endsyntax#} bytes to undefined memory. This is to catch bugs early, and to help detect use of undefined memory in a debugger. However, this behavior is only an implementation feature, not a language semantic, so it is not guaranteed to be observable to code.

{#header_close#} {#header_close#} {#header_close#} {#header_open|Zig Test#}

Code written within one or more {#syntax#}test{#endsyntax#} declarations can be used to ensure behavior meets expectations:

{#code|testing_introduction.zig#}

The testing_introduction.zig code sample tests the {#link|function|Functions#} {#syntax#}addOne{#endsyntax#} to ensure that it returns {#syntax#}42{#endsyntax#} given the input {#syntax#}41{#endsyntax#}. From this test's perspective, the {#syntax#}addOne{#endsyntax#} function is said to be code under test.

zig test is a tool that creates and runs a test build. By default, it builds and runs an executable program using the default test runner provided by the {#link|Zig Standard Library#} as its main entry point. During the build, {#syntax#}test{#endsyntax#} declarations found while {#link|resolving|Root Source File#} the given Zig source file are included for the default test runner to run and report on.

The shell output shown above displays two lines after the zig test command. These lines are printed to standard error by the default test runner:

1/2 testing_introduction.test.expect addOne adds one to 41...
Lines like this indicate which test, out of the total number of tests, is being run. In this case, 1/2 indicates that the first test, out of a total of two tests, is being run. Note that, when the test runner program's standard error is output to the terminal, these lines are cleared when a test succeeds.
2/2 testing_introduction.decltest.addOne...
When the test name is an identifier, the default test runner uses the text decltest instead of test.
All 2 tests passed.
This line indicates the total number of tests that have passed.
{#header_open|Test Declarations#}

Test declarations contain the {#link|keyword|Keyword Reference#} {#syntax#}test{#endsyntax#}, followed by an optional name written as a {#link|string literal|String Literals and Unicode Code Point Literals#} or an {#link|identifier|Identifiers#}, followed by a {#link|block|Blocks#} containing any valid Zig code that is allowed in a {#link|function|Functions#}.

Non-named test blocks always run during test builds and are exempt from {#link|Skip Tests#}.

Test declarations are similar to {#link|Functions#}: they have a return type and a block of code. The implicit return type of {#syntax#}test{#endsyntax#} is the {#link|Error Union Type#} {#syntax#}anyerror!void{#endsyntax#}, and it cannot be changed. When a Zig source file is not built using the zig test tool, the test declarations are omitted from the build.

Test declarations can be written in the same file, where code under test is written, or in a separate Zig source file. Since test declarations are top-level declarations, they are order-independent and can be written before or after the code under test.

{#see_also|The Global Error Set|Grammar#} {#header_open|Doctests#}

Test declarations named using an identifier are doctests. The identifier must refer to another declaration in scope. A doctest, like a {#link|doc comment|Doc Comments#}, serves as documentation for the associated declaration, and will appear in the generated documentation for the declaration.

An effective doctest should be self-contained and focused on the declaration being tested, answering questions a new user might have about its interface or intended usage, while avoiding unnecessary or confusing details. A doctest is not a substitute for a doc comment, but rather a supplement and companion providing a testable, code-driven example, verified by zig test.

{#header_close#} {#header_close#} {#header_open|Test Failure#}

The default test runner checks for an {#link|error|Errors#} returned from a test. When a test returns an error, the test is considered a failure and its {#link|error return trace|Error Return Traces#} is output to standard error. The total number of failures will be reported after all tests have run.

{#code|testing_failure.zig#} {#header_close#} {#header_open|Skip Tests#}

One way to skip tests is to filter them out by using the zig test command line parameter --test-filter [text]. This makes the test build only include tests whose name contains the supplied filter text. Note that non-named tests are run even when using the --test-filter [text] command line parameter.

To programmatically skip a test, make a {#syntax#}test{#endsyntax#} return the error {#syntax#}error.SkipZigTest{#endsyntax#} and the default test runner will consider the test as being skipped. The total number of skipped tests will be reported after all tests have run.

{#code|testing_skip.zig#} {#header_close#} {#header_open|Report Memory Leaks#}

When code allocates {#link|Memory#} using the {#link|Zig Standard Library#}'s testing allocator, {#syntax#}std.testing.allocator{#endsyntax#}, the default test runner will report any leaks that are found from using the testing allocator:

{#code|testing_detect_leak.zig#} {#see_also|defer|Memory#} {#header_close#} {#header_open|Detecting Test Build#}

Use the {#link|compile variable|Compile Variables#} {#syntax#}@import("builtin").is_test{#endsyntax#} to detect a test build:

{#code|testing_detect_test.zig#} {#header_close#} {#header_open|Test Output and Logging#}

The default test runner and the Zig Standard Library's testing namespace output messages to standard error.

{#header_close#} {#header_open|The Testing Namespace#}

The Zig Standard Library's testing namespace contains useful functions to help you create tests. In addition to the expect function, this document uses a couple of more functions as exemplified here:

{#code|testing_namespace.zig#}

The Zig Standard Library also contains functions to compare {#link|Slices#}, strings, and more. See the rest of the {#syntax#}std.testing{#endsyntax#} namespace in the {#link|Zig Standard Library#} for more available functions.

{#header_close#} {#header_open|Test Tool Documentation#}

zig test has a few command line parameters which affect the compilation. See zig test --help for a full list.

{#header_close#} {#header_close#} {#header_open|Variables#}

A variable is a unit of {#link|Memory#} storage.

It is generally preferable to use {#syntax#}const{#endsyntax#} rather than {#syntax#}var{#endsyntax#} when declaring a variable. This causes less work for both humans and computers to do when reading code, and creates more optimization opportunities.

The {#syntax#}extern{#endsyntax#} keyword or {#link|@extern#} builtin function can be used to link against a variable that is exported from another object. The {#syntax#}export{#endsyntax#} keyword or {#link|@export#} builtin function can be used to make a variable available to other objects at link time. In both cases, the type of the variable must be C ABI compatible.

{#see_also|Exporting a C Library#} {#header_open|Identifiers#}

Variable identifiers are never allowed to shadow identifiers from an outer scope.

Identifiers must start with an alphabetic character or underscore and may be followed by any number of alphanumeric characters or underscores. They must not overlap with any keywords. See {#link|Keyword Reference#}.

If a name that does not fit these requirements is needed, such as for linking with external libraries, the {#syntax#}@""{#endsyntax#} syntax may be used.

{#code|identifiers.zig#} {#header_close#} {#header_open|Container Level Variables#}

{#link|Container|Containers#} level variables have static lifetime and are order-independent and lazily analyzed. The initialization value of container level variables is implicitly {#link|comptime#}. If a container level variable is {#syntax#}const{#endsyntax#} then its value is {#syntax#}comptime{#endsyntax#}-known, otherwise it is runtime-known.

{#code|test_container_level_variables.zig#}

Container level variables may be declared inside a {#link|struct#}, {#link|union#}, {#link|enum#}, or {#link|opaque#}:

{#code|test_namespaced_container_level_variable.zig#} {#header_close#} {#header_open|Static Local Variables#}

It is also possible to have local variables with static lifetime by using containers inside functions.

{#code|test_static_local_variable.zig#} {#header_close#} {#header_open|Thread Local Variables#}

A variable may be specified to be a thread-local variable using the {#syntax#}threadlocal{#endsyntax#} keyword, which makes each thread work with a separate instance of the variable:

{#code|test_thread_local_variables.zig#}

For {#link|Single Threaded Builds#}, all thread local variables are treated as regular {#link|Container Level Variables#}.

Thread local variables may not be {#syntax#}const{#endsyntax#}.

{#header_close#} {#header_open|Local Variables#}

Local variables occur inside {#link|Functions#}, {#link|comptime#} blocks, and {#link|@cImport#} blocks.

When a local variable is {#syntax#}const{#endsyntax#}, it means that after initialization, the variable's value will not change. If the initialization value of a {#syntax#}const{#endsyntax#} variable is {#link|comptime#}-known, then the variable is also {#syntax#}comptime{#endsyntax#}-known.

A local variable may be qualified with the {#syntax#}comptime{#endsyntax#} keyword. This causes the variable's value to be {#syntax#}comptime{#endsyntax#}-known, and all loads and stores of the variable to happen during semantic analysis of the program, rather than at runtime. All variables declared in a {#syntax#}comptime{#endsyntax#} expression are implicitly {#syntax#}comptime{#endsyntax#} variables.

{#code|test_comptime_variables.zig#} {#header_close#} {#header_close#} {#header_open|Integers#} {#header_open|Integer Literals#} {#code|integer_literals.zig#} {#header_close#} {#header_open|Runtime Integer Values#}

Integer literals have no size limitation, and if any undefined behavior occurs, the compiler catches it.

However, once an integer value is no longer known at compile-time, it must have a known size, and is vulnerable to undefined behavior.

{#code|runtime_vs_comptime.zig#}

In this function, values {#syntax#}a{#endsyntax#} and {#syntax#}b{#endsyntax#} are known only at runtime, and thus this division operation is vulnerable to both {#link|Integer Overflow#} and {#link|Division by Zero#}.

Operators such as {#syntax#}+{#endsyntax#} and {#syntax#}-{#endsyntax#} cause undefined behavior on integer overflow. Alternative operators are provided for wrapping and saturating arithmetic on all targets. {#syntax#}+%{#endsyntax#} and {#syntax#}-%{#endsyntax#} perform wrapping arithmetic while {#syntax#}+|{#endsyntax#} and {#syntax#}-|{#endsyntax#} perform saturating arithmetic.

Zig supports arbitrary bit-width integers, referenced by using an identifier of i or u followed by digits. For example, the identifier {#syntax#}i7{#endsyntax#} refers to a signed 7-bit integer. The maximum allowed bit-width of an integer type is {#syntax#}65535{#endsyntax#}. For signed integer types, Zig uses a two's complement representation.

{#see_also|Wrapping Operations#} {#header_close#} {#header_close#} {#header_open|Floats#}

Zig has the following floating point types:

  • {#syntax#}f16{#endsyntax#} - IEEE-754-2008 binary16
  • {#syntax#}f32{#endsyntax#} - IEEE-754-2008 binary32
  • {#syntax#}f64{#endsyntax#} - IEEE-754-2008 binary64
  • {#syntax#}f80{#endsyntax#} - IEEE-754-2008 80-bit extended precision
  • {#syntax#}f128{#endsyntax#} - IEEE-754-2008 binary128
  • {#syntax#}c_longdouble{#endsyntax#} - matches long double for the target C ABI
{#header_open|Float Literals#}

Float literals have type {#syntax#}comptime_float{#endsyntax#} which is guaranteed to have the same precision and operations of the largest other floating point type, which is {#syntax#}f128{#endsyntax#}.

Float literals {#link|coerce|Type Coercion#} to any floating point type, and to any {#link|integer|Integers#} type when there is no fractional component.

{#code|float_literals.zig#}

There is no syntax for NaN, infinity, or negative infinity. For these special values, one must use the standard library:

{#code|float_special_values.zig#} {#header_close#} {#header_open|Floating Point Operations#}

By default floating point operations use {#syntax#}Strict{#endsyntax#} mode, but you can switch to {#syntax#}Optimized{#endsyntax#} mode on a per-block basis:

{#code|float_mode_obj.zig#}

For this test we have to separate code into two object files - otherwise the optimizer figures out all the values at compile-time, which operates in strict mode.

{#code|float_mode_exe.zig#} {#see_also|@setFloatMode|Division by Zero#} {#header_close#} {#header_close#} {#header_open|Operators#}

There is no operator overloading. When you see an operator in Zig, you know that it is doing something from this table, and nothing else.

{#header_open|Table of Operators#}
Name Syntax Types Remarks Example
Addition
{#syntax#}a + b
a += b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • Can cause {#link|overflow|Default Operations#} for integers.
  • Invokes {#link|Peer Type Resolution#} for the operands.
  • See also {#link|@addWithOverflow#}.
{#syntax#}2 + 5 == 7{#endsyntax#}
Wrapping Addition
{#syntax#}a +% b
a +%= b{#endsyntax#}
  • {#link|Integers#}
  • Twos-complement wrapping behavior.
  • Invokes {#link|Peer Type Resolution#} for the operands.
  • See also {#link|@addWithOverflow#}.
{#syntax#}@as(u32, 0xffffffff) +% 1 == 0{#endsyntax#}
Saturating Addition
{#syntax#}a +| b
a +|= b{#endsyntax#}
  • {#link|Integers#}
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}@as(u8, 255) +| 1 == @as(u8, 255){#endsyntax#}
Subtraction
{#syntax#}a - b
a -= b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • Can cause {#link|overflow|Default Operations#} for integers.
  • Invokes {#link|Peer Type Resolution#} for the operands.
  • See also {#link|@subWithOverflow#}.
{#syntax#}2 - 5 == -3{#endsyntax#}
Wrapping Subtraction
{#syntax#}a -% b
a -%= b{#endsyntax#}
  • {#link|Integers#}
  • Twos-complement wrapping behavior.
  • Invokes {#link|Peer Type Resolution#} for the operands.
  • See also {#link|@subWithOverflow#}.
{#syntax#}@as(u8, 0) -% 1 == 255{#endsyntax#}
Saturating Subtraction
{#syntax#}a -| b
a -|= b{#endsyntax#}
  • {#link|Integers#}
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}@as(u32, 0) -| 1 == 0{#endsyntax#}
Negation
{#syntax#}-a{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • Can cause {#link|overflow|Default Operations#} for integers.
{#syntax#}-1 == 0 - 1{#endsyntax#}
Wrapping Negation
{#syntax#}-%a{#endsyntax#}
  • {#link|Integers#}
  • Twos-complement wrapping behavior.
{#syntax#}-%@as(i8, -128) == -128{#endsyntax#}
Multiplication
{#syntax#}a * b
a *= b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • Can cause {#link|overflow|Default Operations#} for integers.
  • Invokes {#link|Peer Type Resolution#} for the operands.
  • See also {#link|@mulWithOverflow#}.
{#syntax#}2 * 5 == 10{#endsyntax#}
Wrapping Multiplication
{#syntax#}a *% b
a *%= b{#endsyntax#}
  • {#link|Integers#}
  • Twos-complement wrapping behavior.
  • Invokes {#link|Peer Type Resolution#} for the operands.
  • See also {#link|@mulWithOverflow#}.
{#syntax#}@as(u8, 200) *% 2 == 144{#endsyntax#}
Saturating Multiplication
{#syntax#}a *| b
a *|= b{#endsyntax#}
  • {#link|Integers#}
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}@as(u8, 200) *| 2 == 255{#endsyntax#}
Division
{#syntax#}a / b
a /= b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • Can cause {#link|overflow|Default Operations#} for integers.
  • Can cause {#link|Division by Zero#} for integers.
  • Can cause {#link|Division by Zero#} for floats in {#link|FloatMode.Optimized Mode|Floating Point Operations#}.
  • Signed integer operands must be comptime-known and positive. In other cases, use {#link|@divTrunc#}, {#link|@divFloor#}, or {#link|@divExact#} instead.
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}10 / 5 == 2{#endsyntax#}
Remainder Division
{#syntax#}a % b
a %= b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • Can cause {#link|Division by Zero#} for integers.
  • Can cause {#link|Division by Zero#} for floats in {#link|FloatMode.Optimized Mode|Floating Point Operations#}.
  • Signed or floating-point operands must be comptime-known and positive. In other cases, use {#link|@rem#} or {#link|@mod#} instead.
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}10 % 3 == 1{#endsyntax#}
Bit Shift Left
{#syntax#}a << b
a <<= b{#endsyntax#}
  • {#link|Integers#}
  • Moves all bits to the left, inserting new zeroes at the least-significant bit.
  • {#syntax#}b{#endsyntax#} must be {#link|comptime-known|comptime#} or have a type with log2 number of bits as {#syntax#}a{#endsyntax#}.
  • See also {#link|@shlExact#}.
  • See also {#link|@shlWithOverflow#}.
{#syntax#}0b1 << 8 == 0b100000000{#endsyntax#}
Saturating Bit Shift Left
{#syntax#}a <<| b
a <<|= b{#endsyntax#}
  • {#link|Integers#}
  • See also {#link|@shlExact#}.
  • See also {#link|@shlWithOverflow#}.
{#syntax#}@as(u8, 1) <<| 8 == 255{#endsyntax#}
Bit Shift Right
{#syntax#}a >> b
a >>= b{#endsyntax#}
  • {#link|Integers#}
  • Moves all bits to the right, inserting zeroes at the most-significant bit.
  • {#syntax#}b{#endsyntax#} must be {#link|comptime-known|comptime#} or have a type with log2 number of bits as {#syntax#}a{#endsyntax#}.
  • See also {#link|@shrExact#}.
{#syntax#}0b1010 >> 1 == 0b101{#endsyntax#}
Bitwise And
{#syntax#}a & b
a &= b{#endsyntax#}
  • {#link|Integers#}
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}0b011 & 0b101 == 0b001{#endsyntax#}
Bitwise Or
{#syntax#}a | b
a |= b{#endsyntax#}
  • {#link|Integers#}
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}0b010 | 0b100 == 0b110{#endsyntax#}
Bitwise Xor
{#syntax#}a ^ b
a ^= b{#endsyntax#}
  • {#link|Integers#}
  • Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}0b011 ^ 0b101 == 0b110{#endsyntax#}
Bitwise Not
{#syntax#}~a{#endsyntax#}
  • {#link|Integers#}
{#syntax#}~@as(u8, 0b10101111) == 0b01010000{#endsyntax#}
Defaulting Optional Unwrap
{#syntax#}a orelse b{#endsyntax#}
  • {#link|Optionals#}
If {#syntax#}a{#endsyntax#} is {#syntax#}null{#endsyntax#}, returns {#syntax#}b{#endsyntax#} ("default value"), otherwise returns the unwrapped value of {#syntax#}a{#endsyntax#}. Note that {#syntax#}b{#endsyntax#} may be a value of type {#link|noreturn#}.
{#syntax#}const value: ?u32 = null;
const unwrapped = value orelse 1234;
unwrapped == 1234{#endsyntax#}
Optional Unwrap
{#syntax#}a.?{#endsyntax#}
  • {#link|Optionals#}
Equivalent to:
{#syntax#}a orelse unreachable{#endsyntax#}
{#syntax#}const value: ?u32 = 5678;
value.? == 5678{#endsyntax#}
Defaulting Error Unwrap
{#syntax#}a catch b
a catch |err| b{#endsyntax#}
  • {#link|Error Unions|Errors#}
If {#syntax#}a{#endsyntax#} is an {#syntax#}error{#endsyntax#}, returns {#syntax#}b{#endsyntax#} ("default value"), otherwise returns the unwrapped value of {#syntax#}a{#endsyntax#}. Note that {#syntax#}b{#endsyntax#} may be a value of type {#link|noreturn#}. {#syntax#}err{#endsyntax#} is the {#syntax#}error{#endsyntax#} and is in scope of the expression {#syntax#}b{#endsyntax#}.
{#syntax#}const value: anyerror!u32 = error.Broken;
const unwrapped = value catch 1234;
unwrapped == 1234{#endsyntax#}
Logical And
{#syntax#}a and b{#endsyntax#}
  • {#link|bool|Primitive Types#}
If {#syntax#}a{#endsyntax#} is {#syntax#}false{#endsyntax#}, returns {#syntax#}false{#endsyntax#} without evaluating {#syntax#}b{#endsyntax#}. Otherwise, returns {#syntax#}b{#endsyntax#}.
{#syntax#}(false and true) == false{#endsyntax#}
Logical Or
{#syntax#}a or b{#endsyntax#}
  • {#link|bool|Primitive Types#}
If {#syntax#}a{#endsyntax#} is {#syntax#}true{#endsyntax#}, returns {#syntax#}true{#endsyntax#} without evaluating {#syntax#}b{#endsyntax#}. Otherwise, returns {#syntax#}b{#endsyntax#}.
{#syntax#}(false or true) == true{#endsyntax#}
Boolean Not
{#syntax#}!a{#endsyntax#}
  • {#link|bool|Primitive Types#}
{#syntax#}!false == true{#endsyntax#}
Equality
{#syntax#}a == b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • {#link|bool|Primitive Types#}
  • {#link|type|Primitive Types#}
Returns {#syntax#}true{#endsyntax#} if a and b are equal, otherwise returns {#syntax#}false{#endsyntax#}. Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}(1 == 1) == true{#endsyntax#}
Null Check
{#syntax#}a == null{#endsyntax#}
  • {#link|Optionals#}
Returns {#syntax#}true{#endsyntax#} if a is {#syntax#}null{#endsyntax#}, otherwise returns {#syntax#}false{#endsyntax#}.
{#syntax#}const value: ?u32 = null;
(value == null) == true{#endsyntax#}
Inequality
{#syntax#}a != b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
  • {#link|bool|Primitive Types#}
  • {#link|type|Primitive Types#}
Returns {#syntax#}false{#endsyntax#} if a and b are equal, otherwise returns {#syntax#}true{#endsyntax#}. Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}(1 != 1) == false{#endsyntax#}
Non-Null Check
{#syntax#}a != null{#endsyntax#}
  • {#link|Optionals#}
Returns {#syntax#}false{#endsyntax#} if a is {#syntax#}null{#endsyntax#}, otherwise returns {#syntax#}true{#endsyntax#}.
{#syntax#}const value: ?u32 = null;
(value != null) == false{#endsyntax#}
Greater Than
{#syntax#}a > b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
Returns {#syntax#}true{#endsyntax#} if a is greater than b, otherwise returns {#syntax#}false{#endsyntax#}. Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}(2 > 1) == true{#endsyntax#}
Greater or Equal
{#syntax#}a >= b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
Returns {#syntax#}true{#endsyntax#} if a is greater than or equal to b, otherwise returns {#syntax#}false{#endsyntax#}. Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}(2 >= 1) == true{#endsyntax#}
Less Than
{#syntax#}a < b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
Returns {#syntax#}true{#endsyntax#} if a is less than b, otherwise returns {#syntax#}false{#endsyntax#}. Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}(1 < 2) == true{#endsyntax#}
Lesser or Equal
{#syntax#}a <= b{#endsyntax#}
  • {#link|Integers#}
  • {#link|Floats#}
Returns {#syntax#}true{#endsyntax#} if a is less than or equal to b, otherwise returns {#syntax#}false{#endsyntax#}. Invokes {#link|Peer Type Resolution#} for the operands.
{#syntax#}(1 <= 2) == true{#endsyntax#}
Array Concatenation
{#syntax#}a ++ b{#endsyntax#}
  • {#link|Arrays#}
  • Only available when the lengths of both {#syntax#}a{#endsyntax#} and {#syntax#}b{#endsyntax#} are {#link|compile-time known|comptime#}.
{#syntax#}const mem = @import("std").mem;
const array1 = [_]u32{1,2};
const array2 = [_]u32{3,4};
const together = array1 ++ array2;
mem.eql(u32, &together, &[_]u32{1,2,3,4}){#endsyntax#}
Array Multiplication
{#syntax#}a ** b{#endsyntax#}
  • {#link|Arrays#}
  • Only available when the length of {#syntax#}a{#endsyntax#} and {#syntax#}b{#endsyntax#} are {#link|compile-time known|comptime#}.
{#syntax#}const mem = @import("std").mem;
const pattern = "ab" ** 3;
mem.eql(u8, pattern, "ababab"){#endsyntax#}
Pointer Dereference
{#syntax#}a.*{#endsyntax#}
  • {#link|Pointers#}
Pointer dereference.
{#syntax#}const x: u32 = 1234;
const ptr = &x;
ptr.* == 1234{#endsyntax#}
Address Of
{#syntax#}&a{#endsyntax#}
All types
{#syntax#}const x: u32 = 1234;
const ptr = &x;
ptr.* == 1234{#endsyntax#}
Error Set Merge
{#syntax#}a || b{#endsyntax#}
  • {#link|Error Set Type#}
{#link|Merging Error Sets#}
{#syntax#}const A = error{One};
const B = error{Two};
(A || B) == error{One, Two}{#endsyntax#}
{#header_close#} {#header_open|Precedence#}
{#syntax#}x() x[] x.y x.* x.?
a!b
x{}
!x -x -%x ~x &x ?x
* / % ** *% *| ||
+ - ++ +% -% +| -|
<< >> <<|
& ^ | orelse catch
== != < > <= >=
and
or
= *= *%= *|= /= %= += +%= +|= -= -%= -|= <<= <<|= >>= &= ^= |={#endsyntax#}
{#header_close#} {#header_close#} {#header_open|Arrays#} {#code|test_arrays.zig#} {#see_also|for|Slices#} {#header_open|Multidimensional Arrays#}

Multidimensional arrays can be created by nesting arrays:

{#code|test_multidimensional_arrays.zig#} {#header_close#} {#header_open|Sentinel-Terminated Arrays#}

The syntax {#syntax#}[N:x]T{#endsyntax#} describes an array which has a sentinel element of value {#syntax#}x{#endsyntax#} at the index corresponding to the length {#syntax#}N{#endsyntax#}.

{#code|test_null_terminated_array.zig#} {#see_also|Sentinel-Terminated Pointers|Sentinel-Terminated Slices#} {#header_close#} {#header_close#} {#header_open|Vectors#}

A vector is a group of booleans, {#link|Integers#}, {#link|Floats#}, or {#link|Pointers#} which are operated on in parallel, using SIMD instructions if possible. Vector types are created with the builtin function {#link|@Vector#}.

Vectors support the same builtin operators as their underlying base types. These operations are performed element-wise, and return a vector of the same length as the input vectors. This includes:

  • Arithmetic ({#syntax#}+{#endsyntax#}, {#syntax#}-{#endsyntax#}, {#syntax#}/{#endsyntax#}, {#syntax#}*{#endsyntax#}, {#syntax#}@divFloor{#endsyntax#}, {#syntax#}@sqrt{#endsyntax#}, {#syntax#}@ceil{#endsyntax#}, {#syntax#}@log{#endsyntax#}, etc.)
  • Bitwise operators ({#syntax#}>>{#endsyntax#}, {#syntax#}<<{#endsyntax#}, {#syntax#}&{#endsyntax#}, {#syntax#}|{#endsyntax#}, {#syntax#}~{#endsyntax#}, etc.)
  • Comparison operators ({#syntax#}<{#endsyntax#}, {#syntax#}>{#endsyntax#}, {#syntax#}=={#endsyntax#}, etc.)

It is prohibited to use a math operator on a mixture of scalars (individual numbers) and vectors. Zig provides the {#link|@splat#} builtin to easily convert from scalars to vectors, and it supports {#link|@reduce#} and array indexing syntax to convert from vectors to scalars. Vectors also support assignment to and from fixed-length arrays with comptime-known length.

For rearranging elements within and between vectors, Zig provides the {#link|@shuffle#} and {#link|@select#} functions.

Operations on vectors shorter than the target machine's native SIMD size will typically compile to single SIMD instructions, while vectors longer than the target machine's native SIMD size will compile to multiple SIMD instructions. If a given operation doesn't have SIMD support on the target architecture, the compiler will default to operating on each vector element one at a time. Zig supports any comptime-known vector length up to 2^32-1, although small powers of two (2-64) are most typical. Note that excessively long vector lengths (e.g. 2^20) may result in compiler crashes on current versions of Zig.

{#code|test_vector.zig#}

TODO talk about C ABI interop
TODO consider suggesting std.MultiArrayList

{#see_also|@splat|@shuffle|@select|@reduce#} {#header_close#} {#header_open|Pointers#}

Zig has two kinds of pointers: single-item and many-item.

  • {#syntax#}*T{#endsyntax#} - single-item pointer to exactly one item.
    • Supports deref syntax: {#syntax#}ptr.*{#endsyntax#}
  • {#syntax#}[*]T{#endsyntax#} - many-item pointer to unknown number of items.
    • Supports index syntax: {#syntax#}ptr[i]{#endsyntax#}
    • Supports slice syntax: {#syntax#}ptr[start..end]{#endsyntax#} and {#syntax#}ptr[start..]{#endsyntax#}
    • Supports pointer arithmetic: {#syntax#}ptr + x{#endsyntax#}, {#syntax#}ptr - x{#endsyntax#}
    • {#syntax#}T{#endsyntax#} must have a known size, which means that it cannot be {#syntax#}anyopaque{#endsyntax#} or any other {#link|opaque type|opaque#}.

These types are closely related to {#link|Arrays#} and {#link|Slices#}:

  • {#syntax#}*[N]T{#endsyntax#} - pointer to N items, same as single-item pointer to an array.
    • Supports index syntax: {#syntax#}array_ptr[i]{#endsyntax#}
    • Supports slice syntax: {#syntax#}array_ptr[start..end]{#endsyntax#}
    • Supports len property: {#syntax#}array_ptr.len{#endsyntax#}
  • {#syntax#}[]T{#endsyntax#} - is a slice (a fat pointer, which contains a pointer of type {#syntax#}[*]T{#endsyntax#} and a length).
    • Supports index syntax: {#syntax#}slice[i]{#endsyntax#}
    • Supports slice syntax: {#syntax#}slice[start..end]{#endsyntax#}
    • Supports len property: {#syntax#}slice.len{#endsyntax#}

Use {#syntax#}&x{#endsyntax#} to obtain a single-item pointer:

{#code|test_single_item_pointer.zig#}

Zig supports pointer arithmetic. It's better to assign the pointer to {#syntax#}[*]T{#endsyntax#} and increment that variable. For example, directly incrementing the pointer from a slice will corrupt it.

{#code|test_pointer_arithmetic.zig#}

In Zig, we generally prefer {#link|Slices#} rather than {#link|Sentinel-Terminated Pointers#}. You can turn an array or pointer into a slice using slice syntax.

Slices have bounds checking and are therefore protected against this kind of undefined behavior. This is one reason we prefer slices to pointers.

{#code|test_slice_bounds.zig#}

Pointers work at compile-time too, as long as the code does not depend on an undefined memory layout:

{#code|test_comptime_pointers.zig#}

To convert an integer address into a pointer, use {#syntax#}@ptrFromInt{#endsyntax#}. To convert a pointer to an integer, use {#syntax#}@intFromPtr{#endsyntax#}:

{#code|test_integer_pointer_conversion.zig#}

Zig is able to preserve memory addresses in comptime code, as long as the pointer is never dereferenced:

{#code|test_comptime_pointer_conversion.zig#} {#see_also|Optional Pointers|@ptrFromInt|@intFromPtr|C Pointers#} {#header_open|volatile#}

Loads and stores are assumed to not have side effects. If a given load or store should have side effects, such as Memory Mapped Input/Output (MMIO), use {#syntax#}volatile{#endsyntax#}. In the following code, loads and stores with {#syntax#}mmio_ptr{#endsyntax#} are guaranteed to all happen and in the same order as in source code:

{#code|test_volatile.zig#}

Note that {#syntax#}volatile{#endsyntax#} is unrelated to concurrency and {#link|Atomics#}. If you see code that is using {#syntax#}volatile{#endsyntax#} for something other than Memory Mapped Input/Output, it is probably a bug.

{#header_close#}

{#link|@ptrCast#} converts a pointer's element type to another. This creates a new pointer that can cause undetectable illegal behavior depending on the loads and stores that pass through it. Generally, other kinds of type conversions are preferable to {#syntax#}@ptrCast{#endsyntax#} if possible.

{#code|test_pointer_casting.zig#} {#header_open|Alignment#}

Each type has an alignment - a number of bytes such that, when a value of the type is loaded from or stored to memory, the memory address must be evenly divisible by this number. You can use {#link|@alignOf#} to find out this value for any type.

Alignment depends on the CPU architecture, but is always a power of two, and less than {#syntax#}1 << 29{#endsyntax#}.

In Zig, a pointer type has an alignment value. If the value is equal to the alignment of the underlying type, it can be omitted from the type:

{#code|test_variable_alignment.zig#}

In the same way that a {#syntax#}*i32{#endsyntax#} can be {#link|coerced|Type Coercion#} to a {#syntax#}*const i32{#endsyntax#}, a pointer with a larger alignment can be implicitly cast to a pointer with a smaller alignment, but not vice versa.

You can specify alignment on variables and functions. If you do this, then pointers to them get the specified alignment:

{#code|test_variable_func_alignment.zig#}

If you have a pointer or a slice that has a small alignment, but you know that it actually has a bigger alignment, use {#link|@alignCast#} to change the pointer into a more aligned pointer. This is a no-op at runtime, but inserts a {#link|safety check|Incorrect Pointer Alignment#}:

{#code|test_incorrect_pointer_alignment.zig#} {#header_close#} {#header_open|allowzero#}

This pointer attribute allows a pointer to have address zero. This is only ever needed on the freestanding OS target, where the address zero is mappable. If you want to represent null pointers, use {#link|Optional Pointers#} instead. {#link|Optional Pointers#} with {#syntax#}allowzero{#endsyntax#} are not the same size as pointers. In this code example, if the pointer did not have the {#syntax#}allowzero{#endsyntax#} attribute, this would be a {#link|Pointer Cast Invalid Null#} panic:

{#code|test_allowzero.zig#} {#header_close#} {#header_open|Sentinel-Terminated Pointers#}

The syntax {#syntax#}[*:x]T{#endsyntax#} describes a pointer that has a length determined by a sentinel value. This provides protection against buffer overflow and overreads.

{#code|sentinel-terminated_pointer.zig#} {#see_also|Sentinel-Terminated Slices|Sentinel-Terminated Arrays#} {#header_close#} {#header_close#} {#header_open|Slices#}

A slice is a pointer and a length. The difference between an array and a slice is that the array's length is part of the type and known at compile-time, whereas the slice's length is known at runtime. Both can be accessed with the `len` field.

{#code|test_basic_slices.zig#}

This is one reason we prefer slices to pointers.

{#code|test_slices.zig#} {#see_also|Pointers|for|Arrays#} {#header_open|Sentinel-Terminated Slices#}

The syntax {#syntax#}[:x]T{#endsyntax#} is a slice which has a runtime-known length and also guarantees a sentinel value at the element indexed by the length. The type does not guarantee that there are no sentinel elements before that. Sentinel-terminated slices allow element access to the {#syntax#}len{#endsyntax#} index.

{#code|test_null_terminated_slice.zig#}

Sentinel-terminated slices can also be created using a variation of the slice syntax {#syntax#}data[start..end :x]{#endsyntax#}, where {#syntax#}data{#endsyntax#} is a many-item pointer, array or slice and {#syntax#}x{#endsyntax#} is the sentinel value.

{#code|test_null_terminated_slicing.zig#}

Sentinel-terminated slicing asserts that the element in the sentinel position of the backing data is actually the sentinel value. If this is not the case, safety-protected {#link|Undefined Behavior#} results.

{#code|test_sentinel_mismatch.zig#} {#see_also|Sentinel-Terminated Pointers|Sentinel-Terminated Arrays#} {#header_close#} {#header_close#} {#header_open|struct#} {#code|test_structs.zig#} {#header_open|Default Field Values#}

Each struct field may have an expression indicating the default field value. Such expressions are executed at {#link|comptime#}, and allow the field to be omitted in a struct literal expression:

{#code|struct_default_field_values.zig#}

Default field values are only appropriate when the data invariants of a struct cannot be violated by omitting that field from an initialization.

For example, here is an inappropriate use of default struct field initialization:

{#code|bad_default_value.zig#}

Above you can see the danger of ignoring this principle. The default field values caused the data invariant to be violated, causing illegal behavior.

To fix this, remove the default values from all the struct fields, and provide a named default value:

{#code|struct_default_value.zig#}

If a struct value requires a runtime-known value in order to be initialized without violating data invariants, then use an initialization method that accepts those runtime values, and populates the remaining fields.

{#header_close#} {#header_open|extern struct#}

An {#syntax#}extern struct{#endsyntax#} has in-memory layout matching the C ABI for the target.

If well-defined in-memory layout is not required, {#link|struct#} is a better choice because it places fewer restrictions on the compiler.

See {#link|packed struct#} for a struct that has the ABI of its backing integer, which can be useful for modeling flags.

{#see_also|extern union|extern enum#} {#header_close#} {#header_open|packed struct#}

Unlike normal structs, {#syntax#}packed{#endsyntax#} structs have guaranteed in-memory layout:

  • Fields remain in the order declared, least to most significant.
  • There is no padding between fields.
  • Zig supports arbitrary width {#link|Integers#} and although normally, integers with fewer than 8 bits will still use 1 byte of memory, in packed structs, they use exactly their bit width.
  • {#syntax#}bool{#endsyntax#} fields use exactly 1 bit.
  • An {#link|enum#} field uses exactly the bit width of its integer tag type.
  • A {#link|packed union#} field uses exactly the bit width of the union field with the largest bit width.

This means that a {#syntax#}packed struct{#endsyntax#} can participate in a {#link|@bitCast#} or a {#link|@ptrCast#} to reinterpret memory. This even works at {#link|comptime#}:

{#code|test_packed_structs.zig#}

The backing integer is inferred from the fields' total bit width. Optionally, it can be explicitly provided and enforced at compile time:

{#code|test_missized_packed_struct.zig#}

Zig allows the address to be taken of a non-byte-aligned field:

{#code|test_pointer_to_non-byte_aligned_field.zig#}

However, the pointer to a non-byte-aligned field has special properties and cannot be passed when a normal pointer is expected:

{#code|test_misaligned_pointer.zig#}

In this case, the function {#syntax#}bar{#endsyntax#} cannot be called because the pointer to the non-ABI-aligned field mentions the bit offset, but the function expects an ABI-aligned pointer.

Pointers to non-ABI-aligned fields share the same address as the other fields within their host integer:

{#code|test_packed_struct_field_address.zig#}

This can be observed with {#link|@bitOffsetOf#} and {#link|offsetOf#}:

{#code|test_bitOffsetOf_offsetOf.zig#}

Packed structs have the same alignment as their backing integer, however, overaligned pointers to packed structs can override this:

{#code|test_overaligned_packed_struct.zig#}

It's also possible to set alignment of struct fields:

{#code|test_aligned_struct_fields.zig#}

Using packed structs with {#link|volatile#} is problematic, and may be a compile error in the future. For details on this subscribe to this issue. TODO update these docs with a recommendation on how to use packed structs with MMIO (the use case for volatile packed structs) once this issue is resolved. Don't worry, there will be a good solution for this use case in zig.

{#header_close#} {#header_open|Struct Naming#}

Since all structs are anonymous, Zig infers the type name based on a few rules.

  • If the struct is in the initialization expression of a variable, it gets named after that variable.
  • If the struct is in the {#syntax#}return{#endsyntax#} expression, it gets named after the function it is returning from, with the parameter values serialized.
  • Otherwise, the struct gets a name such as (filename.funcname.__struct_ID).
  • If the struct is declared inside another struct, it gets named after both the parent struct and the name inferred by the previous rules, separated by a dot.
{#code|struct_name.zig#} {#header_close#} {#header_open|Anonymous Struct Literals#}

Zig allows omitting the struct type of a literal. When the result is {#link|coerced|Type Coercion#}, the struct literal will directly instantiate the {#link|result location|Result Location Semantics#}, with no copy:

{#code|test_struct_result.zig#}

The struct type can be inferred. Here the {#link|result location|Result Location Semantics#} does not include a type, and so Zig infers the type:

{#code|test_anonymous_struct.zig#} {#header_close#} {#header_open|Tuples#}

Anonymous structs can be created without specifying field names, and are referred to as "tuples".

The fields are implicitly named using numbers starting from 0. Because their names are integers, they cannot be accessed with {#syntax#}.{#endsyntax#} syntax without also wrapping them in {#syntax#}@""{#endsyntax#}. Names inside {#syntax#}@""{#endsyntax#} are always recognised as {#link|identifiers|Identifiers#}.

Like arrays, tuples have a .len field, can be indexed (provided the index is comptime-known) and work with the ++ and ** operators. They can also be iterated over with {#link|inline for#}.

{#code|test_tuples.zig#} {#header_close#} {#see_also|comptime|@fieldParentPtr#} {#header_close#} {#header_open|enum#} {#code|test_enums.zig#} {#see_also|@typeInfo|@tagName|@sizeOf#} {#header_open|extern enum#}

By default, enums are not guaranteed to be compatible with the C ABI:

{#code|enum_export_error.zig#}

For a C-ABI-compatible enum, provide an explicit tag type to the enum:

{#code|enum_export.zig#} {#header_close#} {#header_open|Enum Literals#}

Enum literals allow specifying the name of an enum field without specifying the enum type:

{#code|test_enum_literals.zig#} {#header_close#} {#header_open|Non-exhaustive enum#}

A non-exhaustive enum can be created by adding a trailing {#syntax#}_{#endsyntax#} field. The enum must specify a tag type and cannot consume every enumeration value.

{#link|@enumFromInt#} on a non-exhaustive enum involves the safety semantics of {#link|@intCast#} to the integer tag type, but beyond that always results in a well-defined enum value.

A switch on a non-exhaustive enum can include a {#syntax#}_{#endsyntax#} prong as an alternative to an {#syntax#}else{#endsyntax#} prong. With a {#syntax#}_{#endsyntax#} prong the compiler errors if all the known tag names are not handled by the switch.

{#code|test_switch_non-exhaustive.zig#} {#header_close#} {#header_close#} {#header_open|union#}

A bare {#syntax#}union{#endsyntax#} defines a set of possible types that a value can be as a list of fields. Only one field can be active at a time. The in-memory representation of bare unions is not guaranteed. Bare unions cannot be used to reinterpret memory. For that, use {#link|@ptrCast#}, or use an {#link|extern union#} or a {#link|packed union#} which have guaranteed in-memory layout. {#link|Accessing the non-active field|Wrong Union Field Access#} is safety-checked {#link|Undefined Behavior#}:

{#code|test_wrong_union_access.zig#}

You can activate another field by assigning the entire union:

{#code|test_simple_union.zig#}

In order to use {#link|switch#} with a union, it must be a {#link|Tagged union#}.

To initialize a union when the tag is a {#link|comptime#}-known name, see {#link|@unionInit#}.

{#header_open|Tagged union#}

Unions can be declared with an enum tag type. This turns the union into a tagged union, which makes it eligible to use with {#link|switch#} expressions. Tagged unions coerce to their tag type: {#link|Type Coercion: Unions and Enums#}.

{#code|test_tagged_union.zig#}

In order to modify the payload of a tagged union in a switch expression, place a {#syntax#}*{#endsyntax#} before the variable name to make it a pointer:

{#code|test_switch_modify_tagged_union.zig#}

Unions can be made to infer the enum tag type. Further, unions can have methods just like structs and enums.

{#code|test_union_method.zig#}

{#link|@tagName#} can be used to return a {#link|comptime#} {#syntax#}[:0]const u8{#endsyntax#} value representing the field name:

{#code|test_tagName.zig#} {#header_close#} {#header_open|extern union#}

An {#syntax#}extern union{#endsyntax#} has memory layout guaranteed to be compatible with the target C ABI.

{#see_also|extern struct#} {#header_close#} {#header_open|packed union#}

A {#syntax#}packed union{#endsyntax#} has well-defined in-memory layout and is eligible to be in a {#link|packed struct#}.

{#header_close#} {#header_open|Anonymous Union Literals#}

{#link|Anonymous Struct Literals#} syntax can be used to initialize unions without specifying the type:

{#code|test_anonymous_union.zig#} {#header_close#} {#header_close#} {#header_open|opaque#}

{#syntax#}opaque {}{#endsyntax#} declares a new type with an unknown (but non-zero) size and alignment. It can contain declarations the same as {#link|structs|struct#}, {#link|unions|union#}, and {#link|enums|enum#}.

This is typically used for type safety when interacting with C code that does not expose struct details. Example:

{#code|test_opaque.zig#} {#header_close#} {#header_open|Blocks#}

Blocks are used to limit the scope of variable declarations:

{#code|test_blocks.zig#}

Blocks are expressions. When labeled, {#syntax#}break{#endsyntax#} can be used to return a value from the block:

{#code|test_labeled_break.zig#}

Here, {#syntax#}blk{#endsyntax#} can be any name.

{#see_also|Labeled while|Labeled for#} {#header_open|Shadowing#}

{#link|Identifiers#} are never allowed to "hide" other identifiers by using the same name:

{#code|test_shadowing.zig#}

Because of this, when you read Zig code you can always rely on an identifier to consistently mean the same thing within the scope it is defined. Note that you can, however, use the same name if the scopes are separate:

{#code|test_scopes.zig#} {#header_close#} {#header_open|Empty Blocks#}

An empty block is equivalent to {#syntax#}void{}{#endsyntax#}:

{#code|test_empty_block.zig#} {#header_close#} {#header_close#} {#header_open|switch#} {#code|test_switch.zig#}

{#syntax#}switch{#endsyntax#} can be used to capture the field values of a {#link|Tagged union#}. Modifications to the field values can be done by placing a {#syntax#}*{#endsyntax#} before the capture variable name, turning it into a pointer.

{#code|test_switch_tagged_union.zig#} {#see_also|comptime|enum|@compileError|Compile Variables#} {#header_open|Exhaustive Switching#}

When a {#syntax#}switch{#endsyntax#} expression does not have an {#syntax#}else{#endsyntax#} clause, it must exhaustively list all the possible values. Failure to do so is a compile error:

{#code|test_unhandled_enumeration_value.zig#} {#header_close#} {#header_open|Switching with Enum Literals#}

{#link|Enum Literals#} can be useful to use with {#syntax#}switch{#endsyntax#} to avoid repetitively specifying {#link|enum#} or {#link|union#} types:

{#code|test_exhaustive_switch.zig#} {#header_close#} {#header_open|Inline Switch Prongs#}

Switch prongs can be marked as {#syntax#}inline{#endsyntax#} to generate the prong's body for each possible value it could have, making the captured value {#link|comptime#}.

{#code|test_inline_switch.zig#}

The {#syntax#}inline{#endsyntax#} keyword may also be combined with ranges:

{#code|inline_prong_range.zig#}

{#syntax#}inline else{#endsyntax#} prongs can be used as a type safe alternative to {#syntax#}inline for{#endsyntax#} loops:

{#code|test_inline_else.zig#}

When using an inline prong switching on an union an additional capture can be used to obtain the union's enum tag value.

{#code|test_inline_switch_union_tag.zig#} {#see_also|inline while|inline for#} {#header_close#} {#header_close#} {#header_open|while#}

A while loop is used to repeatedly execute an expression until some condition is no longer true.

{#code|test_while.zig#}

Use {#syntax#}break{#endsyntax#} to exit a while loop early.

{#code|test_while_break.zig#}

Use {#syntax#}continue{#endsyntax#} to jump back to the beginning of the loop.

{#code|test_while_continue.zig#}

While loops support a continue expression which is executed when the loop is continued. The {#syntax#}continue{#endsyntax#} keyword respects this expression.

{#code|test_while_continue_expression.zig#}

While loops are expressions. The result of the expression is the result of the {#syntax#}else{#endsyntax#} clause of a while loop, which is executed when the condition of the while loop is tested as false.

{#syntax#}break{#endsyntax#}, like {#syntax#}return{#endsyntax#}, accepts a value parameter. This is the result of the {#syntax#}while{#endsyntax#} expression. When you {#syntax#}break{#endsyntax#} from a while loop, the {#syntax#}else{#endsyntax#} branch is not evaluated.

{#code|test_while_else.zig#} {#header_open|Labeled while#}

When a {#syntax#}while{#endsyntax#} loop is labeled, it can be referenced from a {#syntax#}break{#endsyntax#} or {#syntax#}continue{#endsyntax#} from within a nested loop:

{#code|test_while_nested_break.zig#} {#header_close#} {#header_open|while with Optionals#}

Just like {#link|if#} expressions, while loops can take an optional as the condition and capture the payload. When {#link|null#} is encountered the loop exits.

When the {#syntax#}|x|{#endsyntax#} syntax is present on a {#syntax#}while{#endsyntax#} expression, the while condition must have an {#link|Optional Type#}.

The {#syntax#}else{#endsyntax#} branch is allowed on optional iteration. In this case, it will be executed on the first null value encountered.

{#code|test_while_null_capture.zig#} {#header_close#} {#header_open|while with Error Unions#}

Just like {#link|if#} expressions, while loops can take an error union as the condition and capture the payload or the error code. When the condition results in an error code the else branch is evaluated and the loop is finished.

When the {#syntax#}else |x|{#endsyntax#} syntax is present on a {#syntax#}while{#endsyntax#} expression, the while condition must have an {#link|Error Union Type#}.

{#code|test_while_error_capture.zig#} {#header_close#} {#header_open|inline while#}

While loops can be inlined. This causes the loop to be unrolled, which allows the code to do some things which only work at compile time, such as use types as first class values.

{#code|test_inline_while.zig#}

It is recommended to use {#syntax#}inline{#endsyntax#} loops only for one of these reasons:

  • You need the loop to execute at {#link|comptime#} for the semantics to work.
  • You have a benchmark to prove that forcibly unrolling the loop in this way is measurably faster.
{#header_close#} {#see_also|if|Optionals|Errors|comptime|unreachable#} {#header_close#} {#header_open|for#} {#code|test_for.zig#} {#header_open|Labeled for#}

When a {#syntax#}for{#endsyntax#} loop is labeled, it can be referenced from a {#syntax#}break{#endsyntax#} or {#syntax#}continue{#endsyntax#} from within a nested loop:

{#code|test_for_nested_break.zig#} {#header_close#} {#header_open|inline for#}

For loops can be inlined. This causes the loop to be unrolled, which allows the code to do some things which only work at compile time, such as use types as first class values. The capture value and iterator value of inlined for loops are compile-time known.

{#code|test_inline_for.zig#}

It is recommended to use {#syntax#}inline{#endsyntax#} loops only for one of these reasons:

  • You need the loop to execute at {#link|comptime#} for the semantics to work.
  • You have a benchmark to prove that forcibly unrolling the loop in this way is measurably faster.
{#header_close#} {#see_also|while|comptime|Arrays|Slices#} {#header_close#} {#header_open|if#} {#code|test_if.zig#} {#header_open|if with Optionals#} {#code|test_if_optionals.zig#} {#header_close#} {#see_also|Optionals|Errors#} {#header_close#} {#header_open|defer#}

Executes an expression unconditionally at scope exit.

{#code|test_defer.zig#}

Defer expressions are evaluated in reverse order.

{#code|defer_unwind.zig#}

Inside a defer expression the return statement is not allowed.

{#code|test_invalid_defer.zig#} {#see_also|Errors#} {#header_close#} {#header_open|unreachable#}

In {#link|Debug#} and {#link|ReleaseSafe#} mode {#syntax#}unreachable{#endsyntax#} emits a call to {#syntax#}panic{#endsyntax#} with the message reached unreachable code.

In {#link|ReleaseFast#} and {#link|ReleaseSmall#} mode, the optimizer uses the assumption that {#syntax#}unreachable{#endsyntax#} code will never be hit to perform optimizations.

{#header_open|Basics#} {#code|test_unreachable.zig#}

In fact, this is how {#syntax#}std.debug.assert{#endsyntax#} is implemented:

{#code|test_assertion_failure.zig#} {#header_close#} {#header_open|At Compile-Time#} {#code|test_comptime_unreachable.zig#} {#see_also|Zig Test|Build Mode|comptime#} {#header_close#} {#header_close#} {#header_open|noreturn#}

{#syntax#}noreturn{#endsyntax#} is the type of:

  • {#syntax#}break{#endsyntax#}
  • {#syntax#}continue{#endsyntax#}
  • {#syntax#}return{#endsyntax#}
  • {#syntax#}unreachable{#endsyntax#}
  • {#syntax#}while (true) {}{#endsyntax#}

When resolving types together, such as {#syntax#}if{#endsyntax#} clauses or {#syntax#}switch{#endsyntax#} prongs, the {#syntax#}noreturn{#endsyntax#} type is compatible with every other type. Consider:

{#code|test_noreturn.zig#}

Another use case for {#syntax#}noreturn{#endsyntax#} is the {#syntax#}exit{#endsyntax#} function:

{#code|test_noreturn_from_exit.zig#} {#header_close#} {#header_open|Functions#} {#code|test_functions.zig#}

There is a difference between a function body and a function pointer. Function bodies are {#link|comptime#}-only types while function {#link|Pointers#} may be runtime-known.

{#header_open|Pass-by-value Parameters#}

Primitive types such as {#link|Integers#} and {#link|Floats#} passed as parameters are copied, and then the copy is available in the function body. This is called "passing by value". Copying a primitive type is essentially free and typically involves nothing more than setting a register.

Structs, unions, and arrays can sometimes be more efficiently passed as a reference, since a copy could be arbitrarily expensive depending on the size. When these types are passed as parameters, Zig may choose to copy and pass by value, or pass by reference, whichever way Zig decides will be faster. This is made possible, in part, by the fact that parameters are immutable.

{#code|test_pass_by_reference_or_value.zig#}

For extern functions, Zig follows the C ABI for passing structs and unions by value.

{#header_close#} {#header_open|Function Parameter Type Inference#}

Function parameters can be declared with {#syntax#}anytype{#endsyntax#} in place of the type. In this case the parameter types will be inferred when the function is called. Use {#link|@TypeOf#} and {#link|@typeInfo#} to get information about the inferred type.

{#code|test_fn_type_inference.zig#} {#header_close#} {#header_open|inline fn#}

Adding the {#syntax#}inline{#endsyntax#} keyword to a function definition makes that function become semantically inlined at the callsite. This is not a hint to be possibly observed by optimization passes, but has implications on the types and values involved in the function call.

Unlike normal function calls, arguments at an inline function callsite which are compile-time known are treated as {#link|Compile Time Parameters#}. This can potentially propagate all the way to the return value:

{#code|inline_call.zig#}

If {#syntax#}inline{#endsyntax#} is removed, the test fails with the compile error instead of passing.

It is generally better to let the compiler decide when to inline a function, except for these scenarios:

  • To change how many stack frames are in the call stack, for debugging purposes.
  • To force comptime-ness of the arguments to propagate to the return value of the function, as in the above example.
  • Real world performance measurements demand it.

Note that {#syntax#}inline{#endsyntax#} actually restricts what the compiler is allowed to do. This can harm binary size, compilation speed, and even runtime performance.

{#header_close#} {#header_open|Function Reflection#} {#code|test_fn_reflection.zig#} {#header_close#} {#header_close#} {#header_open|Errors#} {#header_open|Error Set Type#}

An error set is like an {#link|enum#}. However, each error name across the entire compilation gets assigned an unsigned integer greater than 0. You are allowed to declare the same error name more than once, and if you do, it gets assigned the same integer value.

The error set type defaults to a {#syntax#}u16{#endsyntax#}, though if the maximum number of distinct error values is provided via the --error-limit [num] command line parameter an integer type with the minimum number of bits required to represent all of the error values will be used.

You can {#link|coerce|Type Coercion#} an error from a subset to a superset:

{#code|test_coerce_error_subset_to_superset.zig#}

But you cannot {#link|coerce|Type Coercion#} an error from a superset to a subset:

{#code|test_coerce_error_superset_to_subset.zig#}

There is a shortcut for declaring an error set with only 1 value, and then getting that value:

{#code|single_value_error_set_shortcut.zig#}

This is equivalent to:

{#code|single_value_error_set.zig#}

This becomes useful when using {#link|Inferred Error Sets#}.

{#header_open|The Global Error Set#}

{#syntax#}anyerror{#endsyntax#} refers to the global error set. This is the error set that contains all errors in the entire compilation unit. It is a superset of all other error sets and a subset of none of them.

You can {#link|coerce|Type Coercion#} any error set to the global one, and you can explicitly cast an error of the global error set to a non-global one. This inserts a language-level assert to make sure the error value is in fact in the destination error set.

The global error set should generally be avoided because it prevents the compiler from knowing what errors are possible at compile-time. Knowing the error set at compile-time is better for generated documentation and helpful error messages, such as forgetting a possible error value in a {#link|switch#}.

{#header_close#} {#header_close#} {#header_open|Error Union Type#}

An error set type and normal type can be combined with the {#syntax#}!{#endsyntax#} binary operator to form an error union type. You are likely to use an error union type more often than an error set type by itself.

Here is a function to parse a string into a 64-bit integer:

{#code|error_union_parsing_u64.zig#}

Notice the return type is {#syntax#}!u64{#endsyntax#}. This means that the function either returns an unsigned 64 bit integer, or an error. We left off the error set to the left of the {#syntax#}!{#endsyntax#}, so the error set is inferred.

Within the function definition, you can see some return statements that return an error, and at the bottom a return statement that returns a {#syntax#}u64{#endsyntax#}. Both types {#link|coerce|Type Coercion#} to {#syntax#}anyerror!u64{#endsyntax#}.

What it looks like to use this function varies depending on what you're trying to do. One of the following:

  • You want to provide a default value if it returned an error.
  • If it returned an error then you want to return the same error.
  • You know with complete certainty it will not return an error, so want to unconditionally unwrap it.
  • You want to take a different action for each possible error.
{#header_open|catch#}

If you want to provide a default value, you can use the {#syntax#}catch{#endsyntax#} binary operator:

{#code|catch.zig#}

In this code, {#syntax#}number{#endsyntax#} will be equal to the successfully parsed string, or a default value of 13. The type of the right hand side of the binary {#syntax#}catch{#endsyntax#} operator must match the unwrapped error union type, or be of type {#syntax#}noreturn{#endsyntax#}.

If you want to provide a default value with {#syntax#}catch{#endsyntax#} after performing some logic, you can combine {#syntax#}catch{#endsyntax#} with named {#link|Blocks#}:

{#code|handle_error_with_catch_block.zig.zig#} {#header_close#} {#header_open|try#}

Let's say you wanted to return the error if you got one, otherwise continue with the function logic:

{#code|catch_err_return.zig#}

There is a shortcut for this. The {#syntax#}try{#endsyntax#} expression:

{#code|try.zig#}

{#syntax#}try{#endsyntax#} evaluates an error union expression. If it is an error, it returns from the current function with the same error. Otherwise, the expression results in the unwrapped value.

{#header_close#}

Maybe you know with complete certainty that an expression will never be an error. In this case you can do this:

{#syntax#}const number = parseU64("1234", 10) catch unreachable;{#endsyntax#}

Here we know for sure that "1234" will parse successfully. So we put the {#syntax#}unreachable{#endsyntax#} value on the right hand side. {#syntax#}unreachable{#endsyntax#} generates a panic in {#link|Debug#} and {#link|ReleaseSafe#} modes and undefined behavior in {#link|ReleaseFast#} and {#link|ReleaseSmall#} modes. So, while we're debugging the application, if there was a surprise error here, the application would crash appropriately.

You may want to take a different action for every situation. For that, we combine the {#link|if#} and {#link|switch#} expression:

{#syntax_block|zig|handle_all_error_scenarios.zig#} fn doAThing(str: []u8) void { if (parseU64(str, 10)) |number| { doSomethingWithNumber(number); } else |err| switch (err) { error.Overflow => { // handle overflow... }, // we promise that InvalidChar won't happen (or crash in debug mode if it does) error.InvalidChar => unreachable, } } {#end_syntax_block#}

Finally, you may want to handle only some errors. For that, you can capture the unhandled errors in the {#syntax#}else{#endsyntax#} case, which now contains a narrower error set:

{#syntax_block|zig|handle_some_error_scenarios.zig#} fn doAnotherThing(str: []u8) error{InvalidChar}!void { if (parseU64(str, 10)) |number| { doSomethingWithNumber(number); } else |err| switch (err) { error.Overflow => { // handle overflow... }, else => |leftover_err| return leftover_err, } } {#end_syntax_block#}

You must use the variable capture syntax. If you don't need the variable, you can capture with {#syntax#}_{#endsyntax#} and avoid the {#syntax#}switch{#endsyntax#}.

{#syntax_block|zig|handle_no_error_scenarios.zig#} fn doADifferentThing(str: []u8) void { if (parseU64(str, 10)) |number| { doSomethingWithNumber(number); } else |_| { // do as you'd like } } {#end_syntax_block#} {#header_open|errdefer#}

The other component to error handling is defer statements. In addition to an unconditional {#link|defer#}, Zig has {#syntax#}errdefer{#endsyntax#}, which evaluates the deferred expression on block exit path if and only if the function returned with an error from the block.

Example:

{#syntax_block|zig|errdefer_example.zig#} fn createFoo(param: i32) !Foo { const foo = try tryToAllocateFoo(); // now we have allocated foo. we need to free it if the function fails. // but we want to return it if the function succeeds. errdefer deallocateFoo(foo); const tmp_buf = allocateTmpBuffer() orelse return error.OutOfMemory; // tmp_buf is truly a temporary resource, and we for sure want to clean it up // before this block leaves scope defer deallocateTmpBuffer(tmp_buf); if (param > 1337) return error.InvalidParam; // here the errdefer will not run since we're returning success from the function. // but the defer will run! return foo; } {#end_syntax_block#}

The neat thing about this is that you get robust error handling without the verbosity and cognitive overhead of trying to make sure every exit path is covered. The deallocation code is always directly following the allocation code.

{#header_close#} {#header_open|Common errdefer Slip-Ups#}

It should be noted that {#syntax#}errdefer{#endsyntax#} statements only last until the end of the block they are written in, and therefore are not run if an error is returned outside of that block:

{#code|test_errdefer_slip_ups.zig#}

To ensure that {#syntax#}deallocateFoo{#endsyntax#} is properly called when returning an error, you must add an {#syntax#}errdefer{#endsyntax#} outside of the block:

{#code|test_errdefer_block.zig#}

The fact that errdefers only last for the block they are declared in is especially important when using loops:

{#code|test_errdefer_loop_leak.zig#}

Special care must be taken with code that allocates in a loop to make sure that no memory is leaked when returning an error:

{#code|test_errdefer_loop.zig#} {#header_close#}

A couple of other tidbits about error handling:

  • These primitives give enough expressiveness that it's completely practical to have failing to check for an error be a compile error. If you really want to ignore the error, you can add {#syntax#}catch unreachable{#endsyntax#} and get the added benefit of crashing in Debug and ReleaseSafe modes if your assumption was wrong.
  • Since Zig understands error types, it can pre-weight branches in favor of errors not occurring. Just a small optimization benefit that is not available in other languages.
{#see_also|defer|if|switch#}

An error union is created with the {#syntax#}!{#endsyntax#} binary operator. You can use compile-time reflection to access the child type of an error union:

{#code|test_error_union.zig#} {#header_open|Merging Error Sets#}

Use the {#syntax#}||{#endsyntax#} operator to merge two error sets together. The resulting error set contains the errors of both error sets. Doc comments from the left-hand side override doc comments from the right-hand side. In this example, the doc comments for {#syntax#}C.PathNotFound{#endsyntax#} is A doc comment.

This is especially useful for functions which return different error sets depending on {#link|comptime#} branches. For example, the Zig standard library uses {#syntax#}LinuxFileOpenError || WindowsFileOpenError{#endsyntax#} for the error set of opening files.

{#code|test_merging_error_sets.zig#} {#header_close#} {#header_open|Inferred Error Sets#}

Because many functions in Zig return a possible error, Zig supports inferring the error set. To infer the error set for a function, prepend the {#syntax#}!{#endsyntax#} operator to the function’s return type, like {#syntax#}!T{#endsyntax#}:

{#code|test_inferred_error_sets.zig#}

When a function has an inferred error set, that function becomes generic and thus it becomes trickier to do certain things with it, such as obtain a function pointer, or have an error set that is consistent across different build targets. Additionally, inferred error sets are incompatible with recursion.

In these situations, it is recommended to use an explicit error set. You can generally start with an empty error set and let compile errors guide you toward completing the set.

These limitations may be overcome in a future version of Zig.

{#header_close#} {#header_close#} {#header_open|Error Return Traces#}

Error Return Traces show all the points in the code that an error was returned to the calling function. This makes it practical to use {#link|try#} everywhere and then still be able to know what happened if an error ends up bubbling all the way out of your application.

{#code|error_return_trace.zig#}

Look closely at this example. This is no stack trace.

You can see that the final error bubbled up was {#syntax#}PermissionDenied{#endsyntax#}, but the original error that started this whole thing was {#syntax#}FileNotFound{#endsyntax#}. In the {#syntax#}bar{#endsyntax#} function, the code handles the original error code, and then returns another one, from the switch statement. Error Return Traces make this clear, whereas a stack trace would look like this:

{#code|stack_trace.zig#}

Here, the stack trace does not explain how the control flow in {#syntax#}bar{#endsyntax#} got to the {#syntax#}hello(){#endsyntax#} call. One would have to open a debugger or further instrument the application in order to find out. The error return trace, on the other hand, shows exactly how the error bubbled up.

This debugging feature makes it easier to iterate quickly on code that robustly handles all error conditions. This means that Zig developers will naturally find themselves writing correct, robust code in order to increase their development pace.

Error Return Traces are enabled by default in {#link|Debug#} and {#link|ReleaseSafe#} builds and disabled by default in {#link|ReleaseFast#} and {#link|ReleaseSmall#} builds.

There are a few ways to activate this error return tracing feature:

  • Return an error from main
  • An error makes its way to {#syntax#}catch unreachable{#endsyntax#} and you have not overridden the default panic handler
  • Use {#link|errorReturnTrace#} to access the current return trace. You can use {#syntax#}std.debug.dumpStackTrace{#endsyntax#} to print it. This function returns comptime-known {#link|null#} when building without error return tracing support.
{#header_open|Implementation Details#}

To analyze performance cost, there are two cases:

  • when no errors are returned
  • when returning errors

For the case when no errors are returned, the cost is a single memory write operation, only in the first non-failable function in the call graph that calls a failable function, i.e. when a function returning {#syntax#}void{#endsyntax#} calls a function returning {#syntax#}error{#endsyntax#}. This is to initialize this struct in the stack memory:

{#syntax_block|zig|stack_trace_struct.zig#} pub const StackTrace = struct { index: usize, instruction_addresses: [N]usize, }; {#end_syntax_block#}

Here, N is the maximum function call depth as determined by call graph analysis. Recursion is ignored and counts for 2.

A pointer to {#syntax#}StackTrace{#endsyntax#} is passed as a secret parameter to every function that can return an error, but it's always the first parameter, so it can likely sit in a register and stay there.

That's it for the path when no errors occur. It's practically free in terms of performance.

When generating the code for a function that returns an error, just before the {#syntax#}return{#endsyntax#} statement (only for the {#syntax#}return{#endsyntax#} statements that return errors), Zig generates a call to this function:

{#syntax_block|zig|zig_return_error_fn.zig#} // marked as "no-inline" in LLVM IR fn __zig_return_error(stack_trace: *StackTrace) void { stack_trace.instruction_addresses[stack_trace.index] = @returnAddress(); stack_trace.index = (stack_trace.index + 1) % N; } {#end_syntax_block#}

The cost is 2 math operations plus some memory reads and writes. The memory accessed is constrained and should remain cached for the duration of the error return bubbling.

As for code size cost, 1 function call before a return statement is no big deal. Even so, I have a plan to make the call to {#syntax#}__zig_return_error{#endsyntax#} a tail call, which brings the code size cost down to actually zero. What is a return statement in code without error return tracing can become a jump instruction in code with error return tracing.

{#header_close#} {#header_close#} {#header_close#} {#header_open|Optionals#}

One area that Zig provides safety without compromising efficiency or readability is with the optional type.

The question mark symbolizes the optional type. You can convert a type to an optional type by putting a question mark in front of it, like this:

{#code|optional_integer.zig#}

Now the variable {#syntax#}optional_int{#endsyntax#} could be an {#syntax#}i32{#endsyntax#}, or {#syntax#}null{#endsyntax#}.

Instead of integers, let's talk about pointers. Null references are the source of many runtime exceptions, and even stand accused of being the worst mistake of computer science.

Zig does not have them.

Instead, you can use an optional pointer. This secretly compiles down to a normal pointer, since we know we can use 0 as the null value for the optional type. But the compiler can check your work and make sure you don't assign null to something that can't be null.

Typically the downside of not having null is that it makes the code more verbose to write. But, let's compare some equivalent C code and Zig code.

Task: call malloc, if the result is null, return null.

C code

{#syntax_block|c|call_malloc_in_c.c#} // malloc prototype included for reference void *malloc(size_t size); struct Foo *do_a_thing(void) { char *ptr = malloc(1234); if (!ptr) return NULL; // ... } {#end_syntax_block#}

Zig code

{#syntax_block|zig|call_malloc_from_zig.zig#} // malloc prototype included for reference extern fn malloc(size: usize) ?[*]u8; fn doAThing() ?*Foo { const ptr = malloc(1234) orelse return null; _ = ptr; // ... } {#end_syntax_block#}

Here, Zig is at least as convenient, if not more, than C. And, the type of "ptr" is {#syntax#}[*]u8{#endsyntax#} not {#syntax#}?[*]u8{#endsyntax#}. The {#syntax#}orelse{#endsyntax#} keyword unwrapped the optional type and therefore {#syntax#}ptr{#endsyntax#} is guaranteed to be non-null everywhere it is used in the function.

The other form of checking against NULL you might see looks like this:

{#syntax_block|c|checking_null_in_c.c#} void do_a_thing(struct Foo *foo) { // do some stuff if (foo) { do_something_with_foo(foo); } // do some stuff } {#end_syntax_block#}

In Zig you can accomplish the same thing:

{#code|checking_null_in_zig.zig#}

Once again, the notable thing here is that inside the if block, {#syntax#}foo{#endsyntax#} is no longer an optional pointer, it is a pointer, which cannot be null.

One benefit to this is that functions which take pointers as arguments can be annotated with the "nonnull" attribute - __attribute__((nonnull)) in GCC. The optimizer can sometimes make better decisions knowing that pointer arguments cannot be null.

{#header_open|Optional Type#}

An optional is created by putting {#syntax#}?{#endsyntax#} in front of a type. You can use compile-time reflection to access the child type of an optional:

{#code|test_optional_type.zig#} {#header_close#} {#header_open|null#}

Just like {#link|undefined#}, {#syntax#}null{#endsyntax#} has its own type, and the only way to use it is to cast it to a different type:

{#code|null.zig#} {#header_close#} {#header_open|Optional Pointers#}

An optional pointer is guaranteed to be the same size as a pointer. The {#syntax#}null{#endsyntax#} of the optional is guaranteed to be address 0.

{#code|test_optional_pointer.zig#} {#header_close#} {#see_also|while with Optionals|if with Optionals#} {#header_close#} {#header_open|Casting#}

A type cast converts a value of one type to another. Zig has {#link|Type Coercion#} for conversions that are known to be completely safe and unambiguous, and {#link|Explicit Casts#} for conversions that one would not want to happen on accident. There is also a third kind of type conversion called {#link|Peer Type Resolution#} for the case when a result type must be decided given multiple operand types.

{#header_open|Type Coercion#}

Type coercion occurs when one type is expected, but different type is provided:

{#code|test_type_coercion.zig#}

Type coercions are only allowed when it is completely unambiguous how to get from one type to another, and the transformation is guaranteed to be safe. There is one exception, which is {#link|C Pointers#}.

{#header_open|Type Coercion: Stricter Qualification#}

Values which have the same representation at runtime can be cast to increase the strictness of the qualifiers, no matter how nested the qualifiers are:

  • {#syntax#}const{#endsyntax#} - non-const to const is allowed
  • {#syntax#}volatile{#endsyntax#} - non-volatile to volatile is allowed
  • {#syntax#}align{#endsyntax#} - bigger to smaller alignment is allowed
  • {#link|error sets|Error Set Type#} to supersets is allowed

These casts are no-ops at runtime since the value representation does not change.

{#code|test_no_op_casts.zig#}

In addition, pointers coerce to const optional pointers:

{#code|test_pointer_coerce_const_optional.zig#} {#header_close#} {#header_open|Type Coercion: Integer and Float Widening#}

{#link|Integers#} coerce to integer types which can represent every value of the old type, and likewise {#link|Floats#} coerce to float types which can represent every value of the old type.

{#code|test_integer_widening.zig#} {#header_close#} {#header_open|Type Coercion: Float to Int#}

A compiler error is appropriate because this ambiguous expression leaves the compiler two choices about the coercion.

  • Cast {#syntax#}54.0{#endsyntax#} to {#syntax#}comptime_int{#endsyntax#} resulting in {#syntax#}@as(comptime_int, 10){#endsyntax#}, which is casted to {#syntax#}@as(f32, 10){#endsyntax#}
  • Cast {#syntax#}5{#endsyntax#} to {#syntax#}comptime_float{#endsyntax#} resulting in {#syntax#}@as(comptime_float, 10.8){#endsyntax#}, which is casted to {#syntax#}@as(f32, 10.8){#endsyntax#}
{#code|test_ambiguous_coercion.zig#} {#header_close#} {#header_open|Type Coercion: Slices, Arrays and Pointers#} {#code|test_coerce_slices_arrays_and_pointers.zig#} {#see_also|C Pointers#} {#header_close#} {#header_open|Type Coercion: Optionals#}

The payload type of {#link|Optionals#}, as well as {#link|null#}, coerce to the optional type.

{#code|test_coerce_optionals.zig#}

Optionals work nested inside the {#link|Error Union Type#}, too:

{#code|test_coerce_optional_wrapped_error_union.zig#} {#header_close#} {#header_open|Type Coercion: Error Unions#}

The payload type of an {#link|Error Union Type#} as well as the {#link|Error Set Type#} coerce to the error union type:

{#code|test_coerce_to_error_union.zig#} {#header_close#} {#header_open|Type Coercion: Compile-Time Known Numbers#}

When a number is {#link|comptime#}-known to be representable in the destination type, it may be coerced:

{#code|test_coerce_large_to_small.zig#} {#header_close#} {#header_open|Type Coercion: Unions and Enums#}

Tagged unions can be coerced to enums, and enums can be coerced to tagged unions when they are {#link|comptime#}-known to be a field of the union that has only one possible value, such as {#link|void#}:

{#code|test_coerce_unions_enums.zig#} {#see_also|union|enum#} {#header_close#} {#header_open|Type Coercion: undefined#}

{#link|undefined#} can be coerced to any type.

{#header_close#} {#header_open|Type Coercion: Tuples to Arrays#}

{#link|Tuples#} can be coerced to arrays, if all of the fields have the same type.

{#code|test_coerce_tuples_arrays.zig#} {#header_close#} {#header_close#} {#header_open|Explicit Casts#}

Explicit casts are performed via {#link|Builtin Functions#}. Some explicit casts are safe; some are not. Some explicit casts perform language-level assertions; some do not. Some explicit casts are no-ops at runtime; some are not.

  • {#link|@bitCast#} - change type but maintain bit representation
  • {#link|@alignCast#} - make a pointer have more alignment
  • {#link|@enumFromInt#} - obtain an enum value based on its integer tag value
  • {#link|@errorFromInt#} - obtain an error code based on its integer value
  • {#link|@errorCast#} - convert to a smaller error set
  • {#link|@floatCast#} - convert a larger float to a smaller float
  • {#link|@floatFromInt#} - convert an integer to a float value
  • {#link|@intCast#} - convert between integer types
  • {#link|@intFromBool#} - convert true to 1 and false to 0
  • {#link|@intFromEnum#} - obtain the integer tag value of an enum or tagged union
  • {#link|@intFromError#} - obtain the integer value of an error code
  • {#link|@intFromFloat#} - obtain the integer part of a float value
  • {#link|@intFromPtr#} - obtain the address of a pointer
  • {#link|@ptrFromInt#} - convert an address to a pointer
  • {#link|@ptrCast#} - convert between pointer types
  • {#link|@truncate#} - convert between integer types, chopping off bits
{#header_close#} {#header_open|Peer Type Resolution#}

Peer Type Resolution occurs in these places:

  • {#link|switch#} expressions
  • {#link|if#} expressions
  • {#link|while#} expressions
  • {#link|for#} expressions
  • Multiple break statements in a block
  • Some {#link|binary operations|Table of Operators#}

This kind of type resolution chooses a type that all peer types can coerce into. Here are some examples:

{#code|test_peer_type_resolution.zig#} {#header_close#} {#header_close#} {#header_open|Zero Bit Types#}

For some types, {#link|@sizeOf#} is 0:

  • {#link|void#}
  • The {#link|Integers#} {#syntax#}u0{#endsyntax#} and {#syntax#}i0{#endsyntax#}.
  • {#link|Arrays#} and {#link|Vectors#} with len 0, or with an element type that is a zero bit type.
  • An {#link|enum#} with only 1 tag.
  • A {#link|struct#} with all fields being zero bit types.
  • A {#link|union#} with only 1 field which is a zero bit type.

These types can only ever have one possible value, and thus require 0 bits to represent. Code that makes use of these types is not included in the final generated code:

{#code|zero_bit_types.zig#}

When this turns into machine code, there is no code generated in the body of {#syntax#}entry{#endsyntax#}, even in {#link|Debug#} mode. For example, on x86_64:

0000000000000010 <entry>:
  10:	55                   	push   %rbp
  11:	48 89 e5             	mov    %rsp,%rbp
  14:	5d                   	pop    %rbp
  15:	c3                   	retq   

These assembly instructions do not have any code associated with the void values - they only perform the function call prologue and epilogue.

{#header_open|void#}

{#syntax#}void{#endsyntax#} can be useful for instantiating generic types. For example, given a {#syntax#}Map(Key, Value){#endsyntax#}, one can pass {#syntax#}void{#endsyntax#} for the {#syntax#}Value{#endsyntax#} type to make it into a {#syntax#}Set{#endsyntax#}:

{#code|test_void_in_hashmap.zig#}

Note that this is different from using a dummy value for the hash map value. By using {#syntax#}void{#endsyntax#} as the type of the value, the hash map entry type has no value field, and thus the hash map takes up less space. Further, all the code that deals with storing and loading the value is deleted, as seen above.

{#syntax#}void{#endsyntax#} is distinct from {#syntax#}anyopaque{#endsyntax#}. {#syntax#}void{#endsyntax#} has a known size of 0 bytes, and {#syntax#}anyopaque{#endsyntax#} has an unknown, but non-zero, size.

Expressions of type {#syntax#}void{#endsyntax#} are the only ones whose value can be ignored. For example, ignoring a non-{#syntax#}void{#endsyntax#} expression is a compile error:

{#code|test_expression_ignored.zig#}

However, if the expression has type {#syntax#}void{#endsyntax#}, there will be no error. Expression results can be explicitly ignored by assigning them to {#syntax#}_{#endsyntax#}.

{#code|test_void_ignored.zig#} {#header_close#} {#header_close#} {#header_open|Result Location Semantics#}

During compilation, every Zig expression and sub-expression is assigned optional result location information. This information dictates what type the expression should have (its result type), and where the resulting value should be placed in memory (its result location). The information is optional in the sense that not every expression has this information: assignment to {#syntax#}_{#endsyntax#}, for instance, does not provide any information about the type of an expression, nor does it provide a concrete memory location to place it in.

As a motivating example, consider the statement {#syntax#}const x: u32 = 42;{#endsyntax#}. The type annotation here provides a result type of {#syntax#}u32{#endsyntax#} to the initialization expression {#syntax#}42{#endsyntax#}, instructing the compiler to coerce this integer (initally of type {#syntax#}comptime_int{#endsyntax#}) to this type. We will see more examples shortly.

This is not an implementation detail: the logic outlined above is codified into the Zig language specification, and is the primary mechanism of type inference in the language. This system is collectively referred to as "Result Location Semantics".

{#header_open|Result Types#}

Result types are propagated recursively through expressions where possible. For instance, if the expression {#syntax#}&e{#endsyntax#} has result type {#syntax#}*u32{#endsyntax#}, then {#syntax#}e{#endsyntax#} is given a result type of {#syntax#}u32{#endsyntax#}, allowing the language to perform this coercion before taking a reference.

The result type mechanism is utilized by casting builtins such as {#syntax#}@intCast{#endsyntax#}. Rather than taking as an argument the type to cast to, these builtins use their result type to determine this information. The result type is often known from context; where it is not, the {#syntax#}@as{#endsyntax#} builtin can be used to explicitly provide a result type.

We can break down the result types for each component of a simple expression as follows:

{#code|result_type_propagation.zig#}

This result type information is useful for the aforementioned cast builtins, as well as to avoid the construction of pre-coercion values, and to avoid the need for explicit type coercions in some cases. The following table details how some common expressions propagate result types, where {#syntax#}x{#endsyntax#} and {#syntax#}y{#endsyntax#} are arbitrary sub-expressions.

Expression Parent Result Type Sub-expression Result Type
{#syntax#}const val: T = x{#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}T{#endsyntax#}
{#syntax#}var val: T = x{#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}T{#endsyntax#}
{#syntax#}val = x{#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}@TypeOf(val){#endsyntax#}
{#syntax#}@as(T, x){#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}T{#endsyntax#}
{#syntax#}&x{#endsyntax#} {#syntax#}*T{#endsyntax#} {#syntax#}x{#endsyntax#} is a {#syntax#}T{#endsyntax#}
{#syntax#}&x{#endsyntax#} {#syntax#}[]T{#endsyntax#} {#syntax#}x{#endsyntax#} is some array of {#syntax#}T{#endsyntax#}
{#syntax#}f(x){#endsyntax#} - {#syntax#}x{#endsyntax#} has the type of the first parameter of {#syntax#}f{#endsyntax#}
{#syntax#}.{x}{#endsyntax#} {#syntax#}T{#endsyntax#} {#syntax#}x{#endsyntax#} is a {#syntax#}std.meta.FieldType(T, .@"0"){#endsyntax#}
{#syntax#}.{ .a = x }{#endsyntax#} {#syntax#}T{#endsyntax#} {#syntax#}x{#endsyntax#} is a {#syntax#}std.meta.FieldType(T, .a){#endsyntax#}
{#syntax#}T{x}{#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}std.meta.FieldType(T, .@"0"){#endsyntax#}
{#syntax#}T{ .a = x }{#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}std.meta.FieldType(T, .a){#endsyntax#}
{#syntax#}@Type(x){#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}std.builtin.Type{#endsyntax#}
{#syntax#}@typeInfo(x){#endsyntax#} - {#syntax#}x{#endsyntax#} is a {#syntax#}type{#endsyntax#}
{#syntax#}x << y{#endsyntax#} - {#syntax#}y{#endsyntax#} is a {#syntax#}std.math.Log2IntCeil(@TypeOf(x)){#endsyntax#}
{#header_close#} {#header_open|Result Locations#}

In addition to result type information, every expression may be optionally assigned a result location: a pointer to which the value must be directly written. This system can be used to prevent intermediate copies when initializing data structures, which can be important for types which must have a fixed memory address ("pinned" types).

When compiling the simple assignment expression {#syntax#}x = e{#endsyntax#}, many languages would create the temporary value {#syntax#}e{#endsyntax#} on the stack, and then assign it to {#syntax#}x{#endsyntax#}, potentially performing a type coercion in the process. Zig approaches this differently. The expression {#syntax#}e{#endsyntax#} is given a result type matching the type of {#syntax#}x{#endsyntax#}, and a result location of {#syntax#}&x{#endsyntax#}. For many syntactic forms of {#syntax#}e{#endsyntax#}, this has no practical impact. However, it can have important semantic effects when working with more complex syntax forms.

For instance, if the expression {#syntax#}.{ .a = x, .b = y }{#endsyntax#} has a result location of {#syntax#}ptr{#endsyntax#}, then {#syntax#}x{#endsyntax#} is given a result location of {#syntax#}&ptr.a{#endsyntax#}, and {#syntax#}y{#endsyntax#} a result location of {#syntax#}&ptr.b{#endsyntax#}. Without this system, this expression would construct a temporary struct value entirely on the stack, and only then copy it to the destination address. In essence, Zig desugars the assignment {#syntax#}foo = .{ .a = x, .b = y }{#endsyntax#} to the two statements {#syntax#}foo.a = x; foo.b = y;{#endsyntax#}.

This can sometimes be important when assigning an aggregate value where the initialization expression depends on the previous value of the aggregate. The easiest way to demonstrate this is by attempting to swap fields of a struct or array - the following logic looks sound, but in fact is not:

{#code|result_location_interfering_with_swap.zig#}

The following table details how some common expressions propagate result locations, where {#syntax#}x{#endsyntax#} and {#syntax#}y{#endsyntax#} are arbitrary sub-expressions. Note that some expressions cannot provide meaningful result locations to sub-expressions, even if they themselves have a result location.

Expression Result Location Sub-expression Result Locations
{#syntax#}const val: T = x{#endsyntax#} - {#syntax#}x{#endsyntax#} has result location {#syntax#}&val{#endsyntax#}
{#syntax#}var val: T = x{#endsyntax#} - {#syntax#}x{#endsyntax#} has result location {#syntax#}&val{#endsyntax#}
{#syntax#}val = x{#endsyntax#} - {#syntax#}x{#endsyntax#} has result location {#syntax#}&val{#endsyntax#}
{#syntax#}@as(T, x){#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location
{#syntax#}&x{#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location
{#syntax#}f(x){#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location
{#syntax#}.{x}{#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has result location {#syntax#}&ptr[0]{#endsyntax#}
{#syntax#}.{ .a = x }{#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has result location {#syntax#}&ptr.a{#endsyntax#}
{#syntax#}T{x}{#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location (typed initializers do not propagate result locations)
{#syntax#}T{ .a = x }{#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location (typed initializers do not propagate result locations)
{#syntax#}@Type(x){#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location
{#syntax#}@typeInfo(x){#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} has no result location
{#syntax#}x << y{#endsyntax#} {#syntax#}ptr{#endsyntax#} {#syntax#}x{#endsyntax#} and {#syntax#}y{#endsyntax#} do not have result locations
{#header_close#} {#header_close#} {#header_open|usingnamespace#}

{#syntax#}usingnamespace{#endsyntax#} is a declaration that mixes all the public declarations of the operand, which must be a {#link|struct#}, {#link|union#}, {#link|enum#}, or {#link|opaque#}, into the namespace:

{#code|test_usingnamespace.zig#}

{#syntax#}usingnamespace{#endsyntax#} has an important use case when organizing the public API of a file or package. For example, one might have c.zig with all of the {#link|C imports|Import from C Header File#}:

{#syntax_block|zig|c.zig#} pub usingnamespace @cImport({ @cInclude("epoxy/gl.h"); @cInclude("GLFW/glfw3.h"); @cDefine("STBI_ONLY_PNG", ""); @cDefine("STBI_NO_STDIO", ""); @cInclude("stb_image.h"); }); {#end_syntax_block#}

The above example demonstrates using {#syntax#}pub{#endsyntax#} to qualify the {#syntax#}usingnamespace{#endsyntax#} additionally makes the imported declarations {#syntax#}pub{#endsyntax#}. This can be used to forward declarations, giving precise control over what declarations a given file exposes.

{#header_close#} {#header_open|comptime#}

Zig places importance on the concept of whether an expression is known at compile-time. There are a few different places this concept is used, and these building blocks are used to keep the language small, readable, and powerful.

{#header_open|Introducing the Compile-Time Concept#} {#header_open|Compile-Time Parameters#}

Compile-time parameters is how Zig implements generics. It is compile-time duck typing.

{#code|compile-time_duck_typing.zig#}

In Zig, types are first-class citizens. They can be assigned to variables, passed as parameters to functions, and returned from functions. However, they can only be used in expressions which are known at compile-time, which is why the parameter {#syntax#}T{#endsyntax#} in the above snippet must be marked with {#syntax#}comptime{#endsyntax#}.

A {#syntax#}comptime{#endsyntax#} parameter means that:

  • At the callsite, the value must be known at compile-time, or it is a compile error.
  • In the function definition, the value is known at compile-time.

For example, if we were to introduce another function to the above snippet:

{#code|test_unresolved_comptime_value.zig#}

This is an error because the programmer attempted to pass a value only known at run-time to a function which expects a value known at compile-time.

Another way to get an error is if we pass a type that violates the type checker when the function is analyzed. This is what it means to have compile-time duck typing.

For example:

{#code|test_comptime_mismatched_type.zig#}

On the flip side, inside the function definition with the {#syntax#}comptime{#endsyntax#} parameter, the value is known at compile-time. This means that we actually could make this work for the bool type if we wanted to:

{#code|test_comptime_max_with_bool.zig#}

This works because Zig implicitly inlines {#syntax#}if{#endsyntax#} expressions when the condition is known at compile-time, and the compiler guarantees that it will skip analysis of the branch not taken.

This means that the actual function generated for {#syntax#}max{#endsyntax#} in this situation looks like this:

{#code|compiler_generated_function.zig#}

All the code that dealt with compile-time known values is eliminated and we are left with only the necessary run-time code to accomplish the task.

This works the same way for {#syntax#}switch{#endsyntax#} expressions - they are implicitly inlined when the target expression is compile-time known.

{#header_close#} {#header_open|Compile-Time Variables#}

In Zig, the programmer can label variables as {#syntax#}comptime{#endsyntax#}. This guarantees to the compiler that every load and store of the variable is performed at compile-time. Any violation of this results in a compile error.

This combined with the fact that we can {#syntax#}inline{#endsyntax#} loops allows us to write a function which is partially evaluated at compile-time and partially at run-time.

For example:

{#code|test_comptime_evaluation.zig#}

This example is a bit contrived, because the compile-time evaluation component is unnecessary; this code would work fine if it was all done at run-time. But it does end up generating different code. In this example, the function {#syntax#}performFn{#endsyntax#} is generated three different times, for the different values of {#syntax#}prefix_char{#endsyntax#} provided:

{#syntax_block|zig|performFn_1#} // From the line: // expect(performFn('t', 1) == 6); fn performFn(start_value: i32) i32 { var result: i32 = start_value; result = two(result); result = three(result); return result; } {#end_syntax_block#} {#syntax_block|zig|performFn_2#} // From the line: // expect(performFn('o', 0) == 1); fn performFn(start_value: i32) i32 { var result: i32 = start_value; result = one(result); return result; } {#end_syntax_block#} {#syntax_block|zig|performFn_3#} // From the line: // expect(performFn('w', 99) == 99); fn performFn(start_value: i32) i32 { var result: i32 = start_value; _ = &result; return result; } {#end_syntax_block#}

Note that this happens even in a debug build. This is not a way to write more optimized code, but it is a way to make sure that what should happen at compile-time, does happen at compile-time. This catches more errors and allows expressiveness that in other languages requires using macros, generated code, or a preprocessor to accomplish.

{#header_close#} {#header_open|Compile-Time Expressions#}

In Zig, it matters whether a given expression is known at compile-time or run-time. A programmer can use a {#syntax#}comptime{#endsyntax#} expression to guarantee that the expression will be evaluated at compile-time. If this cannot be accomplished, the compiler will emit an error. For example:

{#code|test_comptime_call_extern_function.zig#}

It doesn't make sense that a program could call {#syntax#}exit(){#endsyntax#} (or any other external function) at compile-time, so this is a compile error. However, a {#syntax#}comptime{#endsyntax#} expression does much more than sometimes cause a compile error.

Within a {#syntax#}comptime{#endsyntax#} expression:

  • All variables are {#syntax#}comptime{#endsyntax#} variables.
  • All {#syntax#}if{#endsyntax#}, {#syntax#}while{#endsyntax#}, {#syntax#}for{#endsyntax#}, and {#syntax#}switch{#endsyntax#} expressions are evaluated at compile-time, or emit a compile error if this is not possible.
  • All {#syntax#}return{#endsyntax#} and {#syntax#}try{#endsyntax#} expressions are invalid (unless the function itself is called at compile-time).
  • All code with runtime side effects or depending on runtime values emits a compile error.
  • All function calls cause the compiler to interpret the function at compile-time, emitting a compile error if the function tries to do something that has global runtime side effects.

This means that a programmer can create a function which is called both at compile-time and run-time, with no modification to the function required.

Let's look at an example:

{#code|test_fibonacci_recursion.zig#}

Imagine if we had forgotten the base case of the recursive function and tried to run the tests:

{#code|test_fibonacci_comptime_overflow.zig#}

The compiler produces an error which is a stack trace from trying to evaluate the function at compile-time.

Luckily, we used an unsigned integer, and so when we tried to subtract 1 from 0, it triggered undefined behavior, which is always a compile error if the compiler knows it happened. But what would have happened if we used a signed integer?

{#code|fibonacci_comptime_infinite_recursion.zig#}

The compiler is supposed to notice that evaluating this function at compile-time took more than 1000 branches, and thus emits an error and gives up. If the programmer wants to increase the budget for compile-time computation, they can use a built-in function called {#link|@setEvalBranchQuota#} to change the default number 1000 to something else.

However, there is a design flaw in the compiler causing it to stack overflow instead of having the proper behavior here. I'm terribly sorry about that. I hope to get this resolved before the next release.

What if we fix the base case, but put the wrong value in the {#syntax#}expect{#endsyntax#} line?

{#code|test_fibonacci_comptime_unreachable.zig#}

At {#link|container|Containers#} level (outside of any function), all expressions are implicitly {#syntax#}comptime{#endsyntax#} expressions. This means that we can use functions to initialize complex static data. For example:

{#code|test_container-level_comptime_expressions.zig#}

When we compile this program, Zig generates the constants with the answer pre-computed. Here are the lines from the generated LLVM IR:

@0 = internal unnamed_addr constant [25 x i32] [i32 2, i32 3, i32 5, i32 7, i32 11, i32 13, i32 17, i32 19, i32 23, i32 29, i32 31, i32 37, i32 41, i32 43, i32 47, i32 53, i32 59, i32 61, i32 67, i32 71, i32 73, i32 79, i32 83, i32 89, i32 97]
@1 = internal unnamed_addr constant i32 1060

Note that we did not have to do anything special with the syntax of these functions. For example, we could call the {#syntax#}sum{#endsyntax#} function as is with a slice of numbers whose length and values were only known at run-time.

{#header_close#} {#header_close#} {#header_open|Generic Data Structures#}

Zig uses comptime capabilities to implement generic data structures without introducing any special-case syntax.

Here is an example of a generic {#syntax#}List{#endsyntax#} data structure.

{#code|generic_data_structure.zig#}

That's it. It's a function that returns an anonymous {#syntax#}struct{#endsyntax#}. For the purposes of error messages and debugging, Zig infers the name {#syntax#}"List(i32)"{#endsyntax#} from the function name and parameters invoked when creating the anonymous struct.

To explicitly give a type a name, we assign it to a constant.

{#code|anonymous_struct_name.zig#}

In this example, the {#syntax#}Node{#endsyntax#} struct refers to itself. This works because all top level declarations are order-independent. As long as the compiler can determine the size of the struct, it is free to refer to itself. In this case, {#syntax#}Node{#endsyntax#} refers to itself as a pointer, which has a well-defined size at compile time, so it works fine.

{#header_close#} {#header_open|Case Study: print in Zig#}

Putting all of this together, let's see how {#syntax#}print{#endsyntax#} works in Zig.

{#code|print.zig#}

Let's crack open the implementation of this and see how it works:

{#code|poc_print_fn.zig#}

This is a proof of concept implementation; the actual function in the standard library has more formatting capabilities.

Note that this is not hard-coded into the Zig compiler; this is userland code in the standard library.

When this function is analyzed from our example code above, Zig partially evaluates the function and emits a function that actually looks like this:

{#syntax_block|zig|Emitted print Function#} pub fn print(self: *Writer, arg0: []const u8, arg1: i32) !void { try self.write("here is a string: '"); try self.printValue(arg0); try self.write("' here is a number: "); try self.printValue(arg1); try self.write("\n"); try self.flush(); } {#end_syntax_block#}

{#syntax#}printValue{#endsyntax#} is a function that takes a parameter of any type, and does different things depending on the type:

{#code|poc_printValue_fn.zig#}

And now, what happens if we give too many arguments to {#syntax#}print{#endsyntax#}?

{#code|test_print_too_many_args.zig#}

Zig gives programmers the tools needed to protect themselves against their own mistakes.

Zig doesn't care whether the format argument is a string literal, only that it is a compile-time known value that can be coerced to a {#syntax#}[]const u8{#endsyntax#}:

{#code|print_comptime-known_format.zig#}

This works fine.

Zig does not special case string formatting in the compiler and instead exposes enough power to accomplish this task in userland. It does so without introducing another language on top of Zig, such as a macro language or a preprocessor language. It's Zig all the way down.

{#header_close#} {#see_also|inline while|inline for#} {#header_close#} {#header_open|Assembly#}

For some use cases, it may be necessary to directly control the machine code generated by Zig programs, rather than relying on Zig's code generation. For these cases, one can use inline assembly. Here is an example of implementing Hello, World on x86_64 Linux using inline assembly:

{#code|inline_assembly.zig#}

Dissecting the syntax:

{#code|Assembly Syntax Explained.zig#}

For x86 and x86_64 targets, the syntax is AT&T syntax, rather than the more popular Intel syntax. This is due to technical constraints; assembly parsing is provided by LLVM and its support for Intel syntax is buggy and not well tested.

Some day Zig may have its own assembler. This would allow it to integrate more seamlessly into the language, as well as be compatible with the popular NASM syntax. This documentation section will be updated before 1.0.0 is released, with a conclusive statement about the status of AT&T vs Intel/NASM syntax.

{#header_open|Output Constraints#}

Output constraints are still considered to be unstable in Zig, and so LLVM documentation and GCC documentation must be used to understand the semantics.

Note that some breaking changes to output constraints are planned with issue #215.

{#header_close#} {#header_open|Input Constraints#}

Input constraints are still considered to be unstable in Zig, and so LLVM documentation and GCC documentation must be used to understand the semantics.

Note that some breaking changes to input constraints are planned with issue #215.

{#header_close#} {#header_open|Clobbers#}

Clobbers are the set of registers whose values will not be preserved by the execution of the assembly code. These do not include output or input registers. The special clobber value of {#syntax#}"memory"{#endsyntax#} means that the assembly causes writes to arbitrary undeclared memory locations - not only the memory pointed to by a declared indirect output.

Failure to declare the full set of clobbers for a given inline assembly expression is unchecked {#link|Undefined Behavior#}.

{#header_close#} {#header_open|Global Assembly#}

When an assembly expression occurs in a {#link|container|Containers#} level {#link|comptime#} block, this is global assembly.

This kind of assembly has different rules than inline assembly. First, {#syntax#}volatile{#endsyntax#} is not valid because all global assembly is unconditionally included. Second, there are no inputs, outputs, or clobbers. All global assembly is concatenated verbatim into one long string and assembled together. There are no template substitution rules regarding % as there are in inline assembly expressions.

{#code|test_global_assembly.zig#} {#header_close#} {#header_close#} {#header_open|Atomics#}

TODO: @fence()

TODO: @atomic rmw

TODO: builtin atomic memory ordering enum

{#see_also|@atomicLoad|@atomicStore|@atomicRmw|@fence|@cmpxchgWeak|@cmpxchgStrong#} {#header_close#} {#header_open|Async Functions#}

Async functions regressed with the release of 0.11.0. Their future in the Zig language is unclear due to multiple unsolved problems:

  • LLVM's lack of ability to optimize them.
  • Third-party debuggers' lack of ability to debug them.
  • The cancellation problem.
  • Async function pointers preventing the stack size from being known.

These problems are surmountable, but it will take time. The Zig team is currently focused on other priorities.

{#header_close#} {#header_open|Builtin Functions|2col#}

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

{#header_open|@addrSpaceCast#}
{#syntax#}@addrSpaceCast(ptr: anytype) anytype{#endsyntax#}

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.

{#header_close#} {#header_open|@addWithOverflow#}
{#syntax#}@addWithOverflow(a: anytype, b: anytype) struct { @TypeOf(a, b), u1 }{#endsyntax#}

Performs {#syntax#}a + b{#endsyntax#} and returns a tuple with the result and a possible overflow bit.

{#header_close#} {#header_open|@alignCast#}
{#syntax#}@alignCast(ptr: anytype) anytype{#endsyntax#}

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

A {#link|pointer alignment safety check|Incorrect Pointer Alignment#} is added to the generated code to make sure the pointer is aligned as promised.

{#header_close#} {#header_open|@alignOf#}
{#syntax#}@alignOf(comptime T: type) comptime_int{#endsyntax#}

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.

{#syntax#}const assert = @import("std").debug.assert;
comptime {
    assert(*u32 == *align(@alignOf(u32)) u32);
}{#endsyntax#}

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

{#see_also|Alignment#} {#header_close#} {#header_open|@as#}
{#syntax#}@as(comptime T: type, expression) T{#endsyntax#}

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

{#header_close#} {#header_open|@atomicLoad#}
{#syntax#}@atomicLoad(comptime T: type, ptr: *const T, comptime ordering: AtomicOrder) T{#endsyntax#}

This builtin function atomically dereferences a pointer to a {#syntax#}T{#endsyntax#} and returns the value.

{#syntax#}T{#endsyntax#} must be a pointer, a {#syntax#}bool{#endsyntax#}, a float, an integer or an enum.

{#syntax#}AtomicOrder{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicOrder{#endsyntax#}.

{#see_also|@atomicStore|@atomicRmw|@fence|@cmpxchgWeak|@cmpxchgStrong#} {#header_close#} {#header_open|@atomicRmw#}
{#syntax#}@atomicRmw(comptime T: type, ptr: *T, comptime op: AtomicRmwOp, operand: T, comptime ordering: AtomicOrder) T{#endsyntax#}

This builtin function dereferences a pointer to a {#syntax#}T{#endsyntax#} and atomically modifies the value and returns the previous value.

{#syntax#}T{#endsyntax#} must be a pointer, a {#syntax#}bool{#endsyntax#}, a float, an integer or an enum.

{#syntax#}AtomicOrder{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicOrder{#endsyntax#}.

{#syntax#}AtomicRmwOp{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicRmwOp{#endsyntax#}.

{#see_also|@atomicStore|@atomicLoad|@fence|@cmpxchgWeak|@cmpxchgStrong#} {#header_close#} {#header_open|@atomicStore#}
{#syntax#}@atomicStore(comptime T: type, ptr: *T, value: T, comptime ordering: AtomicOrder) void{#endsyntax#}

This builtin function dereferences a pointer to a {#syntax#}T{#endsyntax#} and atomically stores the given value.

{#syntax#}T{#endsyntax#} must be a pointer, a {#syntax#}bool{#endsyntax#}, a float, an integer or an enum.

{#syntax#}AtomicOrder{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicOrder{#endsyntax#}.

{#see_also|@atomicLoad|@atomicRmw|@fence|@cmpxchgWeak|@cmpxchgStrong#} {#header_close#} {#header_open|@bitCast#}
{#syntax#}@bitCast(value: anytype) anytype{#endsyntax#}

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

Asserts that {#syntax#}@sizeOf(@TypeOf(value)) == @sizeOf(DestType){#endsyntax#}.

Asserts that {#syntax#}@typeInfo(DestType) != .Pointer{#endsyntax#}. Use {#syntax#}@ptrCast{#endsyntax#} or {#syntax#}@ptrFromInt{#endsyntax#} if you need this.

Can be used for these things for example:

  • Convert {#syntax#}f32{#endsyntax#} to {#syntax#}u32{#endsyntax#} bits
  • Convert {#syntax#}i32{#endsyntax#} to {#syntax#}u32{#endsyntax#} preserving twos complement

Works at compile-time if {#syntax#}value{#endsyntax#} 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.

{#header_close#} {#header_open|@bitOffsetOf#}
{#syntax#}@bitOffsetOf(comptime T: type, comptime field_name: []const u8) comptime_int{#endsyntax#}

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

For non {#link|packed structs|packed struct#}, this will always be divisible by {#syntax#}8{#endsyntax#}. For packed structs, non-byte-aligned fields will share a byte offset, but they will have different bit offsets.

{#see_also|@offsetOf#} {#header_close#} {#header_open|@bitSizeOf#}
{#syntax#}@bitSizeOf(comptime T: type) comptime_int{#endsyntax#}

This function returns the number of bits it takes to store {#syntax#}T{#endsyntax#} 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 {#syntax#}comptime_int{#endsyntax#} and {#syntax#}type{#endsyntax#}, the result is {#syntax#}0{#endsyntax#}.

{#see_also|@sizeOf|@typeInfo#} {#header_close#} {#header_open|@breakpoint#}
{#syntax#}@breakpoint() void{#endsyntax#}

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

This function is only valid within function scope.

{#see_also|@trap#} {#header_close#} {#header_open|@mulAdd#}
{#syntax#}@mulAdd(comptime T: type, a: T, b: T, c: T) T{#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@byteSwap#}
{#syntax#}@byteSwap(operand: anytype) T{#endsyntax#}

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

{#syntax#}operand{#endsyntax#} may be an {#link|integer|Integers#} or {#link|vector|Vectors#}.

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 {#link|@sizeOf#} bytes. This is demonstrated with {#syntax#}u24{#endsyntax#}. {#syntax#}@sizeOf(u24) == 4{#endsyntax#}, which means that a {#syntax#}u24{#endsyntax#} 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 {#syntax#}T{#endsyntax#} is specified to be {#syntax#}u24{#endsyntax#}, then only 3 bytes are reversed.

{#header_close#} {#header_open|@bitReverse#}
{#syntax#}@bitReverse(integer: anytype) T{#endsyntax#}

{#syntax#}@TypeOf(anytype){#endsyntax#} accepts any integer type or integer vector type.

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

For example 0b10110110 ({#syntax#}u8 = 182{#endsyntax#}, {#syntax#}i8 = -74{#endsyntax#}) becomes 0b01101101 ({#syntax#}u8 = 109{#endsyntax#}, {#syntax#}i8 = 109{#endsyntax#}).

{#header_close#} {#header_open|@offsetOf#}
{#syntax#}@offsetOf(comptime T: type, comptime field_name: []const u8) comptime_int{#endsyntax#}

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

{#see_also|@bitOffsetOf#} {#header_close#} {#header_open|@call#}
{#syntax#}@call(modifier: std.builtin.CallModifier, function: anytype, args: anytype) anytype{#endsyntax#}

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

{#code|test_call_builtin.zig#}

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

{#code|builtin.CallModifier struct.zig#} {#header_close#} {#header_open|@cDefine#}
{#syntax#}@cDefine(comptime name: []const u8, value) void{#endsyntax#}

This function can only occur inside {#syntax#}@cImport{#endsyntax#}.

This appends #define $name $value to the {#syntax#}@cImport{#endsyntax#} temporary buffer.

To define without a value, like this:

#define _GNU_SOURCE

Use the void value, like this:

{#syntax#}@cDefine("_GNU_SOURCE", {}){#endsyntax#}
{#see_also|Import from C Header File|@cInclude|@cImport|@cUndef|void#} {#header_close#} {#header_open|@cImport#}
{#syntax#}@cImport(expression) type{#endsyntax#}

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.

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

Usually you should only have one {#syntax#}@cImport{#endsyntax#} 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 {#syntax#}@cImport{#endsyntax#} 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|Import from C Header File|@cInclude|@cDefine|@cUndef#} {#header_close#} {#header_open|@cInclude#}
{#syntax#}@cInclude(comptime path: []const u8) void{#endsyntax#}

This function can only occur inside {#syntax#}@cImport{#endsyntax#}.

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

{#see_also|Import from C Header File|@cImport|@cDefine|@cUndef#} {#header_close#} {#header_open|@clz#}
{#syntax#}@clz(operand: anytype) anytype{#endsyntax#}

{#syntax#}@TypeOf(operand){#endsyntax#} must be an integer type or an integer vector type.

{#syntax#}operand{#endsyntax#} may be an {#link|integer|Integers#} or {#link|vector|Vectors#}.

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

If {#syntax#}operand{#endsyntax#} is a {#link|comptime#}-known integer, the return type is {#syntax#}comptime_int{#endsyntax#}. 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 {#syntax#}operand{#endsyntax#} is zero, {#syntax#}@clz{#endsyntax#} returns the bit width of integer type {#syntax#}T{#endsyntax#}.

{#see_also|@ctz|@popCount#} {#header_close#} {#header_open|@cmpxchgStrong#}
{#syntax#}@cmpxchgStrong(comptime T: type, ptr: *T, expected_value: T, new_value: T, success_order: AtomicOrder, fail_order: AtomicOrder) ?T{#endsyntax#}

This function performs a strong atomic compare-and-exchange operation, returning {#syntax#}null{#endsyntax#} if the current value is not the given expected value. It's the equivalent of this code, except atomic:

{#code|not_atomic_cmpxchgStrong.zig#}

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

{#syntax#}T{#endsyntax#} must be a pointer, a {#syntax#}bool{#endsyntax#}, a float, an integer or an enum.

{#syntax#}@typeInfo(@TypeOf(ptr)).Pointer.alignment{#endsyntax#} must be {#syntax#}>= @sizeOf(T).{#endsyntax#}

{#syntax#}AtomicOrder{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicOrder{#endsyntax#}.

{#see_also|@atomicStore|@atomicLoad|@atomicRmw|@fence|@cmpxchgWeak#} {#header_close#} {#header_open|@cmpxchgWeak#}
{#syntax#}@cmpxchgWeak(comptime T: type, ptr: *T, expected_value: T, new_value: T, success_order: AtomicOrder, fail_order: AtomicOrder) ?T{#endsyntax#}

This function performs a weak atomic compare-and-exchange operation, returning {#syntax#}null{#endsyntax#} if the current value is not the given expected value. It's the equivalent of this code, except atomic:

{#syntax_block|zig|cmpxchgWeakButNotAtomic#} fn cmpxchgWeakButNotAtomic(comptime T: type, ptr: *T, expected_value: T, new_value: T) ?T { const old_value = ptr.*; if (old_value == expected_value and usuallyTrueButSometimesFalse()) { ptr.* = new_value; return null; } else { return old_value; } } {#end_syntax_block#}

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

{#syntax#}T{#endsyntax#} must be a pointer, a {#syntax#}bool{#endsyntax#}, a float, an integer or an enum.

{#syntax#}@typeInfo(@TypeOf(ptr)).Pointer.alignment{#endsyntax#} must be {#syntax#}>= @sizeOf(T).{#endsyntax#}

{#syntax#}AtomicOrder{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicOrder{#endsyntax#}.

{#see_also|@atomicStore|@atomicLoad|@atomicRmw|@fence|@cmpxchgStrong#} {#header_close#} {#header_open|@compileError#}
{#syntax#}@compileError(comptime msg: []const u8) noreturn{#endsyntax#}

This function, when semantically analyzed, causes a compile error with the message {#syntax#}msg{#endsyntax#}.

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

{#header_close#} {#header_open|@compileLog#}
{#syntax#}@compileLog(args: ...) void{#endsyntax#}

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.

{#code|test_compileLog_builtin.zig#} {#header_close#} {#header_open|@constCast#}
{#syntax#}@constCast(value: anytype) DestType{#endsyntax#}

Remove {#syntax#}const{#endsyntax#} qualifier from a pointer.

{#header_close#} {#header_open|@ctz#}
{#syntax#}@ctz(operand: anytype) anytype{#endsyntax#}

{#syntax#}@TypeOf(operand){#endsyntax#} must be an integer type or an integer vector type.

{#syntax#}operand{#endsyntax#} may be an {#link|integer|Integers#} or {#link|vector|Vectors#}.

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

If {#syntax#}operand{#endsyntax#} is a {#link|comptime#}-known integer, the return type is {#syntax#}comptime_int{#endsyntax#}. 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 {#syntax#}operand{#endsyntax#} is zero, {#syntax#}@ctz{#endsyntax#} returns the bit width of integer type {#syntax#}T{#endsyntax#}.

{#see_also|@clz|@popCount#} {#header_close#} {#header_open|@cUndef#}
{#syntax#}@cUndef(comptime name: []const u8) void{#endsyntax#}

This function can only occur inside {#syntax#}@cImport{#endsyntax#}.

This appends #undef $name to the {#syntax#}@cImport{#endsyntax#} temporary buffer.

{#see_also|Import from C Header File|@cImport|@cDefine|@cInclude#} {#header_close#} {#header_open|@cVaArg#}
{#syntax#}@cVaArg(operand: *std.builtin.VaList, comptime T: type) T{#endsyntax#}

Implements the C macro {#syntax#}va_arg{#endsyntax#}.

{#see_also|@cVaCopy|@cVaEnd|@cVaStart#} {#header_close#} {#header_open|@cVaCopy#}
{#syntax#}@cVaCopy(src: *std.builtin.VaList) std.builtin.VaList{#endsyntax#}

Implements the C macro {#syntax#}va_copy{#endsyntax#}.

{#see_also|@cVaArg|@cVaEnd|@cVaStart#} {#header_close#} {#header_open|@cVaEnd#}
{#syntax#}@cVaEnd(src: *std.builtin.VaList) void{#endsyntax#}

Implements the C macro {#syntax#}va_end{#endsyntax#}.

{#see_also|@cVaArg|@cVaCopy|@cVaStart#} {#header_close#} {#header_open|@cVaStart#}
{#syntax#}@cVaStart() std.builtin.VaList{#endsyntax#}

Implements the C macro {#syntax#}va_start{#endsyntax#}. Only valid inside a variadic function.

{#see_also|@cVaArg|@cVaCopy|@cVaEnd#} {#header_close#} {#header_open|@divExact#}
{#syntax#}@divExact(numerator: T, denominator: T) T{#endsyntax#}

Exact division. Caller guarantees {#syntax#}denominator != 0{#endsyntax#} and {#syntax#}@divTrunc(numerator, denominator) * denominator == numerator{#endsyntax#}.

  • {#syntax#}@divExact(6, 3) == 2{#endsyntax#}
  • {#syntax#}@divExact(a, b) * b == a{#endsyntax#}

For a function that returns a possible error code, use {#syntax#}@import("std").math.divExact{#endsyntax#}.

{#see_also|@divTrunc|@divFloor#} {#header_close#} {#header_open|@divFloor#}
{#syntax#}@divFloor(numerator: T, denominator: T) T{#endsyntax#}

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

  • {#syntax#}@divFloor(-5, 3) == -2{#endsyntax#}
  • {#syntax#}(@divFloor(a, b) * b) + @mod(a, b) == a{#endsyntax#}

For a function that returns a possible error code, use {#syntax#}@import("std").math.divFloor{#endsyntax#}.

{#see_also|@divTrunc|@divExact#} {#header_close#} {#header_open|@divTrunc#}
{#syntax#}@divTrunc(numerator: T, denominator: T) T{#endsyntax#}

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

  • {#syntax#}@divTrunc(-5, 3) == -1{#endsyntax#}
  • {#syntax#}(@divTrunc(a, b) * b) + @rem(a, b) == a{#endsyntax#}

For a function that returns a possible error code, use {#syntax#}@import("std").math.divTrunc{#endsyntax#}.

{#see_also|@divFloor|@divExact#} {#header_close#} {#header_open|@embedFile#}
{#syntax#}@embedFile(comptime path: []const u8) *const [N:0]u8{#endsyntax#}

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 {#syntax#}path{#endsyntax#}. The contents of the array are the contents of the file. This is equivalent to a {#link|string literal|String Literals and Unicode Code Point Literals#} with the file contents.

{#syntax#}path{#endsyntax#} is absolute or relative to the current file, just like {#syntax#}@import{#endsyntax#}.

{#see_also|@import#} {#header_close#} {#header_open|@enumFromInt#}
{#syntax#}@enumFromInt(integer: anytype) anytype{#endsyntax#}

Converts an integer into an {#link|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 {#link|Undefined Behavior#}.

{#see_also|@intFromEnum#} {#header_close#} {#header_open|@errorFromInt#}
{#syntax#}@errorFromInt(value: std.meta.Int(.unsigned, @bitSizeOf(anyerror))) anyerror{#endsyntax#}

Converts from the integer representation of an error into {#link|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 {#link|Undefined Behavior#}.

{#see_also|@intFromError#} {#header_close#} {#header_open|@errorName#}
{#syntax#}@errorName(err: anyerror) [:0]const u8{#endsyntax#}

This function returns the string representation of an error. The string representation of {#syntax#}error.OutOfMem{#endsyntax#} is {#syntax#}"OutOfMem"{#endsyntax#}.

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

{#header_close#} {#header_open|@errorReturnTrace#}
{#syntax#}@errorReturnTrace() ?*builtin.StackTrace{#endsyntax#}

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 {#link|null#}.

{#header_close#} {#header_open|@errorCast#}
{#syntax#}@errorCast(value: anytype) anytype{#endsyntax#}

Converts an error set or error union 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 {#link|Undefined Behavior#}.

{#header_close#} {#header_open|@export#}
{#syntax#}@export(declaration, comptime options: std.builtin.ExportOptions) void{#endsyntax#}

Creates a symbol in the output object file.

declaration must be one of two things:

  • An identifier ({#syntax#}x{#endsyntax#}) identifying a {#link|function|Functions#} or a {#link|variable|Container Level Variables#}.
  • Field access ({#syntax#}x.y{#endsyntax#}) looking up a {#link|function|Functions#} or a {#link|variable|Container Level Variables#}.

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

{#code|export_builtin.zig#}

This is equivalent to:

{#code|export_builtin_equivalent_code.zig#}

Note that even when using {#syntax#}export{#endsyntax#}, the {#syntax#}@"foo"{#endsyntax#} syntax for {#link|identifiers|Identifiers#} can be used to choose any string for the symbol name:

{#code|export_any_symbol_name.zig#}

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

00000000000001f0 T A function name that is a complete sentence.
{#see_also|Exporting a C Library#} {#header_close#} {#header_open|@extern#}
{#syntax#}@extern(T: type, comptime options: std.builtin.ExternOptions) T{#endsyntax#}

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

{#see_also|@export#} {#header_close#} {#header_open|@fence#}
{#syntax#}@fence(order: AtomicOrder) void{#endsyntax#}

The {#syntax#}fence{#endsyntax#} function is used to introduce happens-before edges between operations.

{#syntax#}AtomicOrder{#endsyntax#} can be found with {#syntax#}@import("std").builtin.AtomicOrder{#endsyntax#}.

{#see_also|@atomicStore|@atomicLoad|@atomicRmw|@cmpxchgWeak|@cmpxchgStrong#} {#header_close#} {#header_open|@field#}
{#syntax#}@field(lhs: anytype, comptime field_name: []const u8) (field){#endsyntax#}

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

{#code|test_field_builtin.zig#} {#header_close#} {#header_open|@fieldParentPtr#}
{#syntax#}@fieldParentPtr(comptime field_name: []const u8, field_ptr: *T) anytype{#endsyntax#}

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

{#header_close#} {#header_open|@floatCast#}
{#syntax#}@floatCast(value: anytype) anytype{#endsyntax#}

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.

{#header_close#} {#header_open|@floatFromInt#}
{#syntax#}@floatFromInt(int: anytype) anytype{#endsyntax#}

Converts an integer to the closest floating point representation. The return type is the inferred result type. To convert the other way, use {#link|@intFromFloat#}. This operation is legal for all values of all integer types.

{#header_close#} {#header_open|@frameAddress#}
{#syntax#}@frameAddress() usize{#endsyntax#}

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.

{#header_close#} {#header_open|@hasDecl#}
{#syntax#}@hasDecl(comptime Container: type, comptime name: []const u8) bool{#endsyntax#}

Returns whether or not a {#link|container|Containers#} has a declaration matching {#syntax#}name{#endsyntax#}.

{#code|test_hasDecl_builtin.zig#} {#see_also|@hasField#} {#header_close#} {#header_open|@hasField#}
{#syntax#}@hasField(comptime Container: type, comptime name: []const u8) bool{#endsyntax#}

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|@hasDecl#} {#header_close#} {#header_open|@import#}
{#syntax#}@import(comptime path: []const u8) type{#endsyntax#}

This function finds a zig file corresponding to {#syntax#}path{#endsyntax#} 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. {#syntax#}@import{#endsyntax#} returns the struct type corresponding to the file.

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

{#syntax#}path{#endsyntax#} 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 {#syntax#}@import{#endsyntax#} function call.

The following packages are always available:

  • {#syntax#}@import("std"){#endsyntax#} - Zig Standard Library
  • {#syntax#}@import("builtin"){#endsyntax#} - Target-specific information The command zig build-exe --show-builtin outputs the source to stdout for reference.
  • {#syntax#}@import("root"){#endsyntax#} - Root source file This is usually src/main.zig but depends on what file is built.
{#see_also|Compile Variables|@embedFile#} {#header_close#} {#header_open|@inComptime#}
{#syntax#}@inComptime() bool{#endsyntax#}

Returns whether the builtin was run in a {#syntax#}comptime{#endsyntax#} 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|comptime#} {#header_close#} {#header_open|@intCast#}
{#syntax#}@intCast(int: anytype) anytype{#endsyntax#}

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 {#link|Undefined Behavior#}.

{#code|test_intCast_builtin.zig#}

To truncate the significant bits of a number out of range of the destination type, use {#link|@truncate#}.

If {#syntax#}T{#endsyntax#} is {#syntax#}comptime_int{#endsyntax#}, then this is semantically equivalent to {#link|Type Coercion#}.

{#header_close#} {#header_open|@intFromBool#}
{#syntax#}@intFromBool(value: bool) u1{#endsyntax#}

Converts {#syntax#}true{#endsyntax#} to {#syntax#}@as(u1, 1){#endsyntax#} and {#syntax#}false{#endsyntax#} to {#syntax#}@as(u1, 0){#endsyntax#}.

{#header_close#} {#header_open|@intFromEnum#}
{#syntax#}@intFromEnum(enum_or_tagged_union: anytype) anytype{#endsyntax#}

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 {#syntax#}comptime_int{#endsyntax#} known at {#link|comptime#}.

{#see_also|@enumFromInt#} {#header_close#} {#header_open|@intFromError#}
{#syntax#}@intFromError(err: anytype) std.meta.Int(.unsigned, @bitSizeOf(anyerror)){#endsyntax#}

Supports the following types:

  • {#link|The Global Error Set#}
  • {#link|Error Set Type#}
  • {#link|Error Union Type#}

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|@errorFromInt#} {#header_close#} {#header_open|@intFromFloat#}
{#syntax#}@intFromFloat(float: anytype) anytype{#endsyntax#}

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 {#link|Undefined Behavior#}.

{#see_also|@floatFromInt#} {#header_close#} {#header_open|@intFromPtr#}
{#syntax#}@intFromPtr(value: anytype) usize{#endsyntax#}

Converts {#syntax#}value{#endsyntax#} to a {#syntax#}usize{#endsyntax#} which is the address of the pointer. {#syntax#}value{#endsyntax#} can be {#syntax#}*T{#endsyntax#} or {#syntax#}?*T{#endsyntax#}.

To convert the other way, use {#link|@ptrFromInt#}

{#header_close#} {#header_open|@max#}
{#syntax#}@max(a: T, b: T) T{#endsyntax#}

Returns the maximum value of {#syntax#}a{#endsyntax#} and {#syntax#}b{#endsyntax#}. 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|@min|Vectors#} {#header_close#} {#header_open|@memcpy#}
{#syntax#}@memcpy(noalias dest, noalias source) void{#endsyntax#}

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

{#syntax#}dest{#endsyntax#} must be a mutable slice, a mutable pointer to an array, or a mutable many-item {#link|pointer|Pointers#}. It may have any alignment, and it may have any element type.

{#syntax#}source{#endsyntax#} must be a slice, a pointer to an array, or a many-item {#link|pointer|Pointers#}. It may have any alignment, and it may have any element type.

The {#syntax#}source{#endsyntax#} element type must support {#link|Type Coercion#} into the {#syntax#}dest{#endsyntax#} element type. The element types may have different ABI size, however, that may incur a performance penalty.

Similar to {#link|for#} loops, at least one of {#syntax#}source{#endsyntax#} and {#syntax#}dest{#endsyntax#} must provide a length, and if two lengths are provided, they must be equal.

Finally, the two memory regions must not overlap.

{#header_close#} {#header_open|@memset#}
{#syntax#}@memset(dest, elem) void{#endsyntax#}

This function sets all the elements of a memory region to {#syntax#}elem{#endsyntax#}.

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

{#syntax#}elem{#endsyntax#} is coerced to the element type of {#syntax#}dest{#endsyntax#}.

For securely zeroing out sensitive contents from memory, you should use {#syntax#}std.crypto.utils.secureZero{#endsyntax#}

{#header_close#} {#header_open|@min#}
{#syntax#}@min(a: T, b: T) T{#endsyntax#}

Returns the minimum value of {#syntax#}a{#endsyntax#} and {#syntax#}b{#endsyntax#}. 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|@max|Vectors#} {#header_close#} {#header_open|@wasmMemorySize#}
{#syntax#}@wasmMemorySize(index: u32) usize{#endsyntax#}

This function returns the size of the Wasm memory identified by {#syntax#}index{#endsyntax#} 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 {#syntax#}@import("std").heap.WasmPageAllocator{#endsyntax#}.

{#see_also|@wasmMemoryGrow#} {#header_close#} {#header_open|@wasmMemoryGrow#}
{#syntax#}@wasmMemoryGrow(index: u32, delta: usize) isize{#endsyntax#}

This function increases the size of the Wasm memory identified by {#syntax#}index{#endsyntax#} by {#syntax#}delta{#endsyntax#} 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 {#syntax#}@import("std").heap.WasmPageAllocator{#endsyntax#}.

{#code|test_wasmMemoryGrow_builtin.zig#} {#see_also|@wasmMemorySize#} {#header_close#} {#header_open|@mod#}
{#syntax#}@mod(numerator: T, denominator: T) T{#endsyntax#}

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

  • {#syntax#}@mod(-5, 3) == 1{#endsyntax#}
  • {#syntax#}(@divFloor(a, b) * b) + @mod(a, b) == a{#endsyntax#}

For a function that returns an error code, see {#syntax#}@import("std").math.mod{#endsyntax#}.

{#see_also|@rem#} {#header_close#} {#header_open|@mulWithOverflow#}
{#syntax#}@mulWithOverflow(a: anytype, b: anytype) struct { @TypeOf(a, b), u1 }{#endsyntax#}

Performs {#syntax#}a * b{#endsyntax#} and returns a tuple with the result and a possible overflow bit.

{#header_close#} {#header_open|@panic#}
{#syntax#}@panic(message: []const u8) noreturn{#endsyntax#}

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

Generally it is better to use {#syntax#}@import("std").debug.panic{#endsyntax#}. However, {#syntax#}@panic{#endsyntax#} 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|Root Source File#} {#header_close#} {#header_open|@popCount#}
{#syntax#}@popCount(operand: anytype) anytype{#endsyntax#}

{#syntax#}@TypeOf(operand){#endsyntax#} must be an integer type.

{#syntax#}operand{#endsyntax#} may be an {#link|integer|Integers#} or {#link|vector|Vectors#}.

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

If {#syntax#}operand{#endsyntax#} is a {#link|comptime#}-known integer, the return type is {#syntax#}comptime_int{#endsyntax#}. 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|@ctz|@clz#} {#header_close#} {#header_open|@prefetch#}
{#syntax#}@prefetch(ptr: anytype, comptime options: PrefetchOptions) void{#endsyntax#}

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 {#syntax#}ptr{#endsyntax#} 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.

{#syntax#}PrefetchOptions{#endsyntax#} can be found with {#syntax#}@import("std").builtin.PrefetchOptions{#endsyntax#}.

{#header_close#} {#header_open|@ptrCast#}
{#syntax#}@ptrCast(value: anytype) anytype{#endsyntax#}

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

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

{#syntax#}@ptrCast{#endsyntax#} cannot be used for:

  • Removing {#syntax#}const{#endsyntax#} qualifier, use {#link|@constCast#}.
  • Removing {#syntax#}volatile{#endsyntax#} qualifier, use {#link|@volatileCast#}.
  • Changing pointer address space, use {#link|@addrSpaceCast#}.
  • Increasing pointer alignment, use {#link|@alignCast#}.
  • Casting a non-slice pointer to a slice, use slicing syntax {#syntax#}ptr[start..end]{#endsyntax#}.
{#header_close#} {#header_open|@ptrFromInt#}
{#syntax#}@ptrFromInt(address: usize) anytype{#endsyntax#}

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

If the destination pointer type does not allow address zero and {#syntax#}address{#endsyntax#} is zero, this invokes safety-checked {#link|Undefined Behavior#}.

{#header_close#} {#header_open|@rem#}
{#syntax#}@rem(numerator: T, denominator: T) T{#endsyntax#}

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

  • {#syntax#}@rem(-5, 3) == -2{#endsyntax#}
  • {#syntax#}(@divTrunc(a, b) * b) + @rem(a, b) == a{#endsyntax#}

For a function that returns an error code, see {#syntax#}@import("std").math.rem{#endsyntax#}.

{#see_also|@mod#} {#header_close#} {#header_open|@returnAddress#}
{#syntax#}@returnAddress() usize{#endsyntax#}

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.

{#header_close#} {#header_open|@select#}
{#syntax#}@select(comptime T: type, pred: @Vector(len, bool), a: @Vector(len, T), b: @Vector(len, T)) @Vector(len, T){#endsyntax#}

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

{#see_also|Vectors#} {#header_close#} {#header_open|@setAlignStack#}
{#syntax#}@setAlignStack(comptime alignment: u29) void{#endsyntax#}

Ensures that a function will have a stack alignment of at least {#syntax#}alignment{#endsyntax#} bytes.

{#header_close#} {#header_open|@setCold#}
{#syntax#}@setCold(comptime is_cold: bool) void{#endsyntax#}

Tells the optimizer that the current function is (or is not) rarely called. This function is only valid within function scope.

{#header_close#} {#header_open|@setEvalBranchQuota#}
{#syntax#}@setEvalBranchQuota(comptime new_quota: u32) void{#endsyntax#}

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

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

Example:

{#code|test_without_setEvalBranchQuota_builtin.zig#}

Now we use {#syntax#}@setEvalBranchQuota{#endsyntax#}:

{#code|test_setEvalBranchQuota_builtin.zig#} {#see_also|comptime#} {#header_close#} {#header_open|@setFloatMode#}
{#syntax#}@setFloatMode(comptime mode: FloatMode) void{#endsyntax#}

Changes the current scope's rules about how floating point operations are defined.

  • {#syntax#}Strict{#endsyntax#} (default) - Floating point operations follow strict IEEE compliance.
  • {#syntax#}Optimized{#endsyntax#} - 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.

{#syntax#}FloatMode{#endsyntax#} can be found with {#syntax#}@import("std").builtin.FloatMode{#endsyntax#}.

{#see_also|Floating Point Operations#} {#header_close#} {#header_open|@setRuntimeSafety#}
{#syntax#}@setRuntimeSafety(comptime safety_on: bool) void{#endsyntax#}

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

{#code|test_setRuntimeSafety_builtin.zig#}

Note: it is planned to replace {#syntax#}@setRuntimeSafety{#endsyntax#} with @optimizeFor

{#header_close#} {#header_open|@shlExact#}
{#syntax#}@shlExact(value: T, shift_amt: Log2T) T{#endsyntax#}

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

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

{#syntax#}comptime_int{#endsyntax#} is modeled as an integer with an infinite number of bits, meaning that in such case, {#syntax#}@shlExact{#endsyntax#} always produces a result and cannot produce a compile error.

{#see_also|@shrExact|@shlWithOverflow#} {#header_close#} {#header_open|@shlWithOverflow#}
{#syntax#}@shlWithOverflow(a: anytype, shift_amt: Log2T) struct { @TypeOf(a), u1 }{#endsyntax#}

Performs {#syntax#}a << b{#endsyntax#} and returns a tuple with the result and a possible overflow bit.

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

{#see_also|@shlExact|@shrExact#} {#header_close#} {#header_open|@shrExact#}
{#syntax#}@shrExact(value: T, shift_amt: Log2T) T{#endsyntax#}

Performs the right shift operation ({#syntax#}>>{#endsyntax#}). Caller guarantees that the shift will not shift any 1 bits out.

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

{#see_also|@shlExact|@shlWithOverflow#} {#header_close#} {#header_open|@shuffle#}
{#syntax#}@shuffle(comptime E: type, a: @Vector(a_len, E), b: @Vector(b_len, E), comptime mask: @Vector(mask_len, i32)) @Vector(mask_len, E){#endsyntax#}

Constructs a new {#link|vector|Vectors#} by selecting elements from {#syntax#}a{#endsyntax#} and {#syntax#}b{#endsyntax#} based on {#syntax#}mask{#endsyntax#}.

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

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

{#syntax#}a_len{#endsyntax#} and {#syntax#}b_len{#endsyntax#} may differ in length. Out-of-bounds element indexes in {#syntax#}mask{#endsyntax#} result in compile errors.

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

{#syntax#}E{#endsyntax#} must be an {#link|integer|Integers#}, {#link|float|Floats#}, {#link|pointer|Pointers#}, or {#syntax#}bool{#endsyntax#}. The mask may be any vector length, and its length determines the result length.

{#code|test_shuffle_builtin.zig#} {#see_also|Vectors#} {#header_close#} {#header_open|@sizeOf#}
{#syntax#}@sizeOf(comptime T: type) comptime_int{#endsyntax#}

This function returns the number of bytes it takes to store {#syntax#}T{#endsyntax#} 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, the padding would be the offset in bytes between element at index 0 and the element at index 1. For {#link|integer|Integers#}, consider whether you want to use {#syntax#}@sizeOf(T){#endsyntax#} or {#syntax#}@typeInfo(T).Int.bits{#endsyntax#}.

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

{#see_also|@bitSizeOf|@typeInfo#} {#header_close#} {#header_open|@splat#}
{#syntax#}@splat(scalar: anytype) anytype{#endsyntax#}

Produces a vector where each element is the value {#syntax#}scalar{#endsyntax#}. The return type and thus the length of the vector is inferred.

{#code|test_splat_builtin.zig#}

{#syntax#}scalar{#endsyntax#} must be an {#link|integer|Integers#}, {#link|bool|Primitive Types#}, {#link|float|Floats#}, or {#link|pointer|Pointers#}.

{#see_also|Vectors|@shuffle#} {#header_close#} {#header_open|@reduce#}
{#syntax#}@reduce(comptime op: std.builtin.ReduceOp, value: anytype) E{#endsyntax#}

Transforms a {#link|vector|Vectors#} into a scalar value (of type E) by performing a sequential horizontal reduction of its elements using the specified operator {#syntax#}op{#endsyntax#}.

Not every operator is available for every vector element type:

  • Every operator is available for {#link|integer|Integers#} vectors.
  • {#syntax#}.And{#endsyntax#}, {#syntax#}.Or{#endsyntax#}, {#syntax#}.Xor{#endsyntax#} are additionally available for {#syntax#}bool{#endsyntax#} vectors,
  • {#syntax#}.Min{#endsyntax#}, {#syntax#}.Max{#endsyntax#}, {#syntax#}.Add{#endsyntax#}, {#syntax#}.Mul{#endsyntax#} are additionally available for {#link|floating point|Floats#} vectors,

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

{#code|test_reduce_builtin.zig#} {#see_also|Vectors|@setFloatMode#} {#header_close#} {#header_open|@src#}
{#syntax#}@src() std.builtin.SourceLocation{#endsyntax#}

Returns a {#syntax#}SourceLocation{#endsyntax#} struct representing the function's name and location in the source code. This must be called in a function.

{#code|test_src_builtin.zig#} {#header_close#} {#header_open|@sqrt#}
{#syntax#}@sqrt(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@sin#}
{#syntax#}@sin(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@cos#}
{#syntax#}@cos(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@tan#}
{#syntax#}@tan(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@exp#}
{#syntax#}@exp(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@exp2#}
{#syntax#}@exp2(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@log#}
{#syntax#}@log(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@log2#}
{#syntax#}@log2(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@log10#}
{#syntax#}@log10(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@abs#}
{#syntax#}@abs(value: anytype) anytype{#endsyntax#}

Returns the absolute value of an integer or a floating point number. Uses a dedicated hardware instruction when available. The return type is always an unsigned integer of the same bit width as the operand if the operand is an integer. Unsigned integer operands are supported. The builtin cannot overflow for signed integer operands.

Supports {#link|Floats#}, {#link|Integers#} and {#link|Vectors#} of floats or integers.

{#header_close#} {#header_open|@floor#}
{#syntax#}@floor(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@ceil#}
{#syntax#}@ceil(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@trunc#}
{#syntax#}@trunc(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@round#}
{#syntax#}@round(value: anytype) @TypeOf(value){#endsyntax#}

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

Supports {#link|Floats#} and {#link|Vectors#} of floats.

{#header_close#} {#header_open|@subWithOverflow#}
{#syntax#}@subWithOverflow(a: anytype, b: anytype) struct { @TypeOf(a, b), u1 }{#endsyntax#}

Performs {#syntax#}a - b{#endsyntax#} and returns a tuple with the result and a possible overflow bit.

{#header_close#} {#header_open|@tagName#}
{#syntax#}@tagName(value: anytype) [:0]const u8{#endsyntax#}

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 {#link|Undefined Behavior#}.

{#header_close#} {#header_open|@This#}
{#syntax#}@This() type{#endsyntax#}

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:

{#code|test_this_builtin.zig#}

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

{#header_close#} {#header_open|@trap#}
{#syntax#}@trap() noreturn{#endsyntax#}

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 {#syntax#}@breakpoint(){#endsyntax#}, execution does not continue after this point.

Outside function scope, this builtin causes a compile error.

{#see_also|@breakpoint#} {#header_close#} {#header_open|@truncate#}
{#syntax#}@truncate(integer: anytype) anytype{#endsyntax#}

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 {#syntax#}@truncate{#endsyntax#} on a number out of range of the destination type is well defined and working code:

{#code|test_truncate_builtin.zig#}

Use {#link|@intCast#} to convert numbers guaranteed to fit the destination type.

{#header_close#} {#header_open|@Type#}
{#syntax#}@Type(comptime info: std.builtin.Type) type{#endsyntax#}

This function is the inverse of {#link|@typeInfo#}. It reifies type information into a {#syntax#}type{#endsyntax#}.

It is available for the following types:

  • {#syntax#}type{#endsyntax#}
  • {#syntax#}noreturn{#endsyntax#}
  • {#syntax#}void{#endsyntax#}
  • {#syntax#}bool{#endsyntax#}
  • {#link|Integers#} - The maximum bit count for an integer type is {#syntax#}65535{#endsyntax#}.
  • {#link|Floats#}
  • {#link|Pointers#}
  • {#syntax#}comptime_int{#endsyntax#}
  • {#syntax#}comptime_float{#endsyntax#}
  • {#syntax#}@TypeOf(undefined){#endsyntax#}
  • {#syntax#}@TypeOf(null){#endsyntax#}
  • {#link|Arrays#}
  • {#link|Optionals#}
  • {#link|Error Set Type#}
  • {#link|Error Union Type#}
  • {#link|Vectors#}
  • {#link|opaque#}
  • {#syntax#}anyframe{#endsyntax#}
  • {#link|struct#}
  • {#link|enum#}
  • {#link|Enum Literals#}
  • {#link|union#}
  • {#link|Functions#}
{#header_close#} {#header_open|@typeInfo#}
{#syntax#}@typeInfo(comptime T: type) std.builtin.Type{#endsyntax#}

Provides type reflection.

Type information of {#link|structs|struct#}, {#link|unions|union#}, {#link|enums|enum#}, and {#link|error sets|Error Set Type#} has fields which are guaranteed to be in the same order as appearance in the source file.

Type information of {#link|structs|struct#}, {#link|unions|union#}, {#link|enums|enum#}, and {#link|opaques|opaque#} has declarations, which are also guaranteed to be in the same order as appearance in the source file.

{#header_close#} {#header_open|@typeName#}
{#syntax#}@typeName(T: type) *const [N:0]u8{#endsyntax#}

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.

{#header_close#} {#header_open|@TypeOf#}
{#syntax#}@TypeOf(...) type{#endsyntax#}

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

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

{#code|test_TypeOf_builtin.zig#} {#header_close#} {#header_open|@unionInit#}
{#syntax#}@unionInit(comptime Union: type, comptime active_field_name: []const u8, init_expr) Union{#endsyntax#}

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

{#syntax#}@unionInit{#endsyntax#} forwards its {#link|result location|Result Location Semantics#} to {#syntax#}init_expr{#endsyntax#}.

{#header_close#} {#header_open|@Vector#}
{#syntax#}@Vector(len: comptime_int, Element: type) type{#endsyntax#}

Creates {#link|Vectors#}.

{#header_close#} {#header_open|@volatileCast#}
{#syntax#}@volatileCast(value: anytype) DestType{#endsyntax#}

Remove {#syntax#}volatile{#endsyntax#} qualifier from a pointer.

{#header_close#} {#header_open|@workGroupId#}
{#syntax#}@workGroupId(comptime dimension: u32) u32{#endsyntax#}

Returns the index of the work group in the current kernel invocation in dimension {#syntax#}dimension{#endsyntax#}.

{#header_close#} {#header_open|@workGroupSize#}
{#syntax#}@workGroupSize(comptime dimension: u32) u32{#endsyntax#}

Returns the number of work items that a work group has in dimension {#syntax#}dimension{#endsyntax#}.

{#header_close#} {#header_open|@workItemId#}
{#syntax#}@workItemId(comptime dimension: u32) u32{#endsyntax#}

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

{#header_close#} {#header_close#} {#header_open|Build Mode#}

Zig has four build modes:

  • {#link|Debug#} (default)
  • {#link|ReleaseFast#}
  • {#link|ReleaseSafe#}
  • {#link|ReleaseSmall#}

To add standard build options to a build.zig file:

{#code|build.zig#}

This causes these options to be available:

-Doptimize=Debug
Optimizations off and safety on (default)
-Doptimize=ReleaseSafe
Optimizations on and safety on
-Doptimize=ReleaseFast
Optimizations on and safety off
-Doptimize=ReleaseSmall
Size optimizations on and safety off
{#header_open|Debug#} {#shell_samp#}$ zig build-exe example.zig{#end_shell_samp#}
  • Fast compilation speed
  • Safety checks enabled
  • Slow runtime performance
  • Large binary size
  • No reproducible build requirement
{#header_close#} {#header_open|ReleaseFast#} {#shell_samp#}$ zig build-exe example.zig -O ReleaseFast{#end_shell_samp#}
  • Fast runtime performance
  • Safety checks disabled
  • Slow compilation speed
  • Large binary size
  • Reproducible build
{#header_close#} {#header_open|ReleaseSafe#} {#shell_samp#}$ zig build-exe example.zig -O ReleaseSafe{#end_shell_samp#}
  • Medium runtime performance
  • Safety checks enabled
  • Slow compilation speed
  • Large binary size
  • Reproducible build
{#header_close#} {#header_open|ReleaseSmall#} {#shell_samp#}$ zig build-exe example.zig -O ReleaseSmall{#end_shell_samp#}
  • Medium runtime performance
  • Safety checks disabled
  • Slow compilation speed
  • Small binary size
  • Reproducible build
{#header_close#} {#see_also|Compile Variables|Zig Build System|Undefined Behavior#} {#header_close#} {#header_open|Single Threaded Builds#}

Zig has a compile option -fsingle-threaded which has the following effects:

  • All {#link|Thread Local Variables#} are treated as regular {#link|Container Level Variables#}.
  • The overhead of {#link|Async Functions#} becomes equivalent to function call overhead.
  • The {#syntax#}@import("builtin").single_threaded{#endsyntax#} becomes {#syntax#}true{#endsyntax#} and therefore various userland APIs which read this variable become more efficient. For example {#syntax#}std.Mutex{#endsyntax#} becomes an empty data structure and all of its functions become no-ops.
{#header_close#} {#header_open|Undefined Behavior#}

Zig has many instances of undefined behavior. If undefined behavior is detected at compile-time, Zig emits a compile error and refuses to continue. Most undefined behavior that cannot be detected at compile-time can be detected at runtime. In these cases, Zig has safety checks. Safety checks can be disabled on a per-block basis with {#link|@setRuntimeSafety#}. The {#link|ReleaseFast#} and {#link|ReleaseSmall#} build modes disable all safety checks (except where overridden by {#link|@setRuntimeSafety#}) in order to facilitate optimizations.

When a safety check fails, Zig crashes with a stack trace, like this:

{#code|test_undefined_behavior.zig#} {#header_open|Reaching Unreachable Code#}

At compile-time:

{#code|test_comptime_reaching_unreachable.zig#}

At runtime:

{#code|runtime_reaching_unreachable.zig#} {#header_close#} {#header_open|Index out of Bounds#}

At compile-time:

{#code|test_comptime_index_out_of_bounds.zig#}

At runtime:

{#code|runtime_index_out_of_bounds.zig#} {#header_close#} {#header_open|Cast Negative Number to Unsigned Integer#}

At compile-time:

{#code|test_comptime_invalid_cast.zig#}

At runtime:

{#code|runtime_invalid_cast.zig#}

To obtain the maximum value of an unsigned integer, use {#syntax#}std.math.maxInt{#endsyntax#}.

{#header_close#} {#header_open|Cast Truncates Data#}

At compile-time:

{#code|test_comptime_invalid_cast_truncate.zig#}

At runtime:

{#code|runtime_invalid_cast_truncate.zig#}

To truncate bits, use {#link|@truncate#}.

{#header_close#} {#header_open|Integer Overflow#} {#header_open|Default Operations#}

The following operators can cause integer overflow:

  • {#syntax#}+{#endsyntax#} (addition)
  • {#syntax#}-{#endsyntax#} (subtraction)
  • {#syntax#}-{#endsyntax#} (negation)
  • {#syntax#}*{#endsyntax#} (multiplication)
  • {#syntax#}/{#endsyntax#} (division)
  • {#link|@divTrunc#} (division)
  • {#link|@divFloor#} (division)
  • {#link|@divExact#} (division)

Example with addition at compile-time:

{#code|test_comptime_overflow.zig#}

At runtime:

{#code|runtime_overflow.zig#} {#header_close#} {#header_open|Standard Library Math Functions#}

These functions provided by the standard library return possible errors.

  • {#syntax#}@import("std").math.add{#endsyntax#}
  • {#syntax#}@import("std").math.sub{#endsyntax#}
  • {#syntax#}@import("std").math.mul{#endsyntax#}
  • {#syntax#}@import("std").math.divTrunc{#endsyntax#}
  • {#syntax#}@import("std").math.divFloor{#endsyntax#}
  • {#syntax#}@import("std").math.divExact{#endsyntax#}
  • {#syntax#}@import("std").math.shl{#endsyntax#}

Example of catching an overflow for addition:

{#code|math_add.zig#} {#header_close#} {#header_open|Builtin Overflow Functions#}

These builtins return a tuple containing whether there was an overflow (as a {#syntax#}u1{#endsyntax#}) and the possibly overflowed bits of the operation:

  • {#link|@addWithOverflow#}
  • {#link|@subWithOverflow#}
  • {#link|@mulWithOverflow#}
  • {#link|@shlWithOverflow#}

Example of {#link|@addWithOverflow#}:

{#code|addWithOverflow_builtin.zig#} {#header_close#} {#header_open|Wrapping Operations#}

These operations have guaranteed wraparound semantics.

  • {#syntax#}+%{#endsyntax#} (wraparound addition)
  • {#syntax#}-%{#endsyntax#} (wraparound subtraction)
  • {#syntax#}-%{#endsyntax#} (wraparound negation)
  • {#syntax#}*%{#endsyntax#} (wraparound multiplication)
{#code|test_wraparound_semantics.zig#} {#header_close#} {#header_close#} {#header_open|Exact Left Shift Overflow#}

At compile-time:

{#code|test_comptime_shlExact_overwlow.zig#}

At runtime:

{#code|runtime_shlExact_overflow.zig#} {#header_close#} {#header_open|Exact Right Shift Overflow#}

At compile-time:

{#code|test_comptime_shrExact_overflow.zig#}

At runtime:

{#code|runtime_shrExact_overflow.zig#} {#header_close#} {#header_open|Division by Zero#}

At compile-time:

{#code|test_comptime_division_by_zero.zig#}

At runtime:

{#code|runtime_division_by_zero.zig#} {#header_close#} {#header_open|Remainder Division by Zero#}

At compile-time:

{#code|test_comptime_remainder_division_by_zero.zig#}

At runtime:

{#code|runtime_remainder_division_by_zero.zig#} {#header_close#} {#header_open|Exact Division Remainder#}

At compile-time:

{#code|test_comptime_divExact_remainder.zig#}

At runtime:

{#code|runtime_divExact_remainder.zig#} {#header_close#} {#header_open|Attempt to Unwrap Null#}

At compile-time:

{#code|test_comptime_unwrap_null.zig#}

At runtime:

{#code|runtime_unwrap_null.zig#}

One way to avoid this crash is to test for null instead of assuming non-null, with the {#syntax#}if{#endsyntax#} expression:

{#code|testing_null_with_if.zig#} {#see_also|Optionals#} {#header_close#} {#header_open|Attempt to Unwrap Error#}

At compile-time:

{#code|test_comptime_unwrap_error.zig#}

At runtime:

{#code|runtime_unwrap_error.zig#}

One way to avoid this crash is to test for an error instead of assuming a successful result, with the {#syntax#}if{#endsyntax#} expression:

{#code|testing_error_with_if.zig#} {#see_also|Errors#} {#header_close#} {#header_open|Invalid Error Code#}

At compile-time:

{#code|test_comptime_invalid_error_code.zig#}

At runtime:

{#code|runtime_invalid_error_code.zig#} {#header_close#} {#header_open|Invalid Enum Cast#}

At compile-time:

{#code|test_comptime_invalid_enum_cast.zig#}

At runtime:

{#code|runtime_invalid_enum_cast.zig#} {#header_close#} {#header_open|Invalid Error Set Cast#}

At compile-time:

{#code|test_comptime_invalid_error_set_cast.zig#}

At runtime:

{#code|runtime_invalid_error_set_cast.zig#} {#header_close#} {#header_open|Incorrect Pointer Alignment#}

At compile-time:

{#code|test_comptime_incorrect_pointer_alignment.zig#}

At runtime:

{#code|runtime_incorrect_pointer_alignment.zig#} {#header_close#} {#header_open|Wrong Union Field Access#}

At compile-time:

{#code|test_comptime_wrong_union_field_access.zig#}

At runtime:

{#code|runtime_wrong_union_field_access.zig#}

This safety is not available for {#syntax#}extern{#endsyntax#} or {#syntax#}packed{#endsyntax#} unions.

To change the active field of a union, assign the entire union, like this:

{#code|change_active_union_field.zig#}

To change the active field of a union when a meaningful value for the field is not known, use {#link|undefined#}, like this:

{#code|undefined_active_union_field.zig#} {#see_also|union|extern union#} {#header_close#} {#header_open|Out of Bounds Float to Integer Cast#}

This happens when casting a float to an integer where the float has a value outside the integer type's range.

At compile-time:

{#code|test_comptime_out_of_bounds_float_to_integer_cast.zig#}

At runtime:

{#code|runtime_out_of_bounds_float_to_integer_cast.zig#} {#header_close#} {#header_open|Pointer Cast Invalid Null#}

This happens when casting a pointer with the address 0 to a pointer which may not have the address 0. For example, {#link|C Pointers#}, {#link|Optional Pointers#}, and {#link|allowzero#} pointers allow address zero, but normal {#link|Pointers#} do not.

At compile-time:

{#code|test_comptime_invalid_null_pointer_cast.zig#}

At runtime:

{#code|runtime_invalid_null_pointer_cast.zig#} {#header_close#} {#header_close#} {#header_open|Memory#}

The Zig language performs no memory management on behalf of the programmer. This is why Zig has no runtime, and why Zig code works seamlessly in so many environments, including real-time software, operating system kernels, embedded devices, and low latency servers. As a consequence, Zig programmers must always be able to answer the question:

{#link|Where are the bytes?#}

Like Zig, the C programming language has manual memory management. However, unlike Zig, C has a default allocator - malloc, realloc, and free. When linking against libc, Zig exposes this allocator with {#syntax#}std.heap.c_allocator{#endsyntax#}. However, by convention, there is no default allocator in Zig. Instead, functions which need to allocate accept an {#syntax#}Allocator{#endsyntax#} parameter. Likewise, data structures such as {#syntax#}std.ArrayList{#endsyntax#} accept an {#syntax#}Allocator{#endsyntax#} parameter in their initialization functions:

{#code|test_allocator.zig#}

In the above example, 100 bytes of stack memory are used to initialize a {#syntax#}FixedBufferAllocator{#endsyntax#}, which is then passed to a function. As a convenience there is a global {#syntax#}FixedBufferAllocator{#endsyntax#} available for quick tests at {#syntax#}std.testing.allocator{#endsyntax#}, which will also perform basic leak detection.

Zig has a general purpose allocator available to be imported with {#syntax#}std.heap.GeneralPurposeAllocator{#endsyntax#}. However, it is still recommended to follow the {#link|Choosing an Allocator#} guide.

{#header_open|Choosing an Allocator#}

What allocator to use depends on a number of factors. Here is a flow chart to help you decide:

  1. Are you making a library? In this case, best to accept an {#syntax#}Allocator{#endsyntax#} as a parameter and allow your library's users to decide what allocator to use.
  2. Are you linking libc? In this case, {#syntax#}std.heap.c_allocator{#endsyntax#} is likely the right choice, at least for your main allocator.
  3. Is the maximum number of bytes that you will need bounded by a number known at {#link|comptime#}? In this case, use {#syntax#}std.heap.FixedBufferAllocator{#endsyntax#} or {#syntax#}std.heap.ThreadSafeFixedBufferAllocator{#endsyntax#} depending on whether you need thread-safety or not.
  4. Is your program a command line application which runs from start to end without any fundamental cyclical pattern (such as a video game main loop, or a web server request handler), such that it would make sense to free everything at once at the end? In this case, it is recommended to follow this pattern: {#code|cli_allocation.zig#} When using this kind of allocator, there is no need to free anything manually. Everything gets freed at once with the call to {#syntax#}arena.deinit(){#endsyntax#}.
  5. Are the allocations part of a cyclical pattern such as a video game main loop, or a web server request handler? If the allocations can all be freed at once, at the end of the cycle, for example once the video game frame has been fully rendered, or the web server request has been served, then {#syntax#}std.heap.ArenaAllocator{#endsyntax#} is a great candidate. As demonstrated in the previous bullet point, this allows you to free entire arenas at once. Note also that if an upper bound of memory can be established, then {#syntax#}std.heap.FixedBufferAllocator{#endsyntax#} can be used as a further optimization.
  6. Are you writing a test, and you want to make sure {#syntax#}error.OutOfMemory{#endsyntax#} is handled correctly? In this case, use {#syntax#}std.testing.FailingAllocator{#endsyntax#}.
  7. Are you writing a test? In this case, use {#syntax#}std.testing.allocator{#endsyntax#}.
  8. Finally, if none of the above apply, you need a general purpose allocator. Zig's general purpose allocator is available as a function that takes a {#link|comptime#} {#link|struct#} of configuration options and returns a type. Generally, you will set up one {#syntax#}std.heap.GeneralPurposeAllocator{#endsyntax#} in your main function, and then pass it or sub-allocators around to various parts of your application.
  9. You can also consider {#link|Implementing an Allocator#}.
{#header_close#} {#header_open|Where are the bytes?#}

String literals such as {#syntax#}"hello"{#endsyntax#} are in the global constant data section. This is why it is an error to pass a string literal to a mutable slice, like this:

{#code|test_string_literal_to_slice.zig#}

However if you make the slice constant, then it works:

{#code|test_string_literal_to_const_slice.zig#}

Just like string literals, {#syntax#}const{#endsyntax#} declarations, when the value is known at {#link|comptime#}, are stored in the global constant data section. Also {#link|Compile Time Variables#} are stored in the global constant data section.

{#syntax#}var{#endsyntax#} declarations inside functions are stored in the function's stack frame. Once a function returns, any {#link|Pointers#} to variables in the function's stack frame become invalid references, and dereferencing them becomes unchecked {#link|Undefined Behavior#}.

{#syntax#}var{#endsyntax#} declarations at the top level or in {#link|struct#} declarations are stored in the global data section.

The location of memory allocated with {#syntax#}allocator.alloc{#endsyntax#} or {#syntax#}allocator.create{#endsyntax#} is determined by the allocator's implementation.

TODO: thread local variables

{#header_close#} {#header_open|Implementing an Allocator#}

Zig programmers can implement their own allocators by fulfilling the Allocator interface. In order to do this one must read carefully the documentation comments in std/mem.zig and then supply a {#syntax#}allocFn{#endsyntax#} and a {#syntax#}resizeFn{#endsyntax#}.

There are many example allocators to look at for inspiration. Look at std/heap.zig and {#syntax#}std.heap.GeneralPurposeAllocator{#endsyntax#}.

{#header_close#} {#header_open|Heap Allocation Failure#}

Many programming languages choose to handle the possibility of heap allocation failure by unconditionally crashing. By convention, Zig programmers do not consider this to be a satisfactory solution. Instead, {#syntax#}error.OutOfMemory{#endsyntax#} represents heap allocation failure, and Zig libraries return this error code whenever heap allocation failure prevented an operation from completing successfully.

Some have argued that because some operating systems such as Linux have memory overcommit enabled by default, it is pointless to handle heap allocation failure. There are many problems with this reasoning:

  • Only some operating systems have an overcommit feature.
    • Linux has it enabled by default, but it is configurable.
    • Windows does not overcommit.
    • Embedded systems do not have overcommit.
    • Hobby operating systems may or may not have overcommit.
  • For real-time systems, not only is there no overcommit, but typically the maximum amount of memory per application is determined ahead of time.
  • When writing a library, one of the main goals is code reuse. By making code handle allocation failure correctly, a library becomes eligible to be reused in more contexts.
  • Although some software has grown to depend on overcommit being enabled, its existence is the source of countless user experience disasters. When a system with overcommit enabled, such as Linux on default settings, comes close to memory exhaustion, the system locks up and becomes unusable. At this point, the OOM Killer selects an application to kill based on heuristics. This non-deterministic decision often results in an important process being killed, and often fails to return the system back to working order.
{#header_close#} {#header_open|Recursion#}

Recursion is a fundamental tool in modeling software. However it has an often-overlooked problem: unbounded memory allocation.

Recursion is an area of active experimentation in Zig and so the documentation here is not final. You can read a summary of recursion status in the 0.3.0 release notes.

The short summary is that currently recursion works normally as you would expect. Although Zig code is not yet protected from stack overflow, it is planned that a future version of Zig will provide such protection, with some degree of cooperation from Zig code required.

{#header_close#} {#header_open|Lifetime and Ownership#}

It is the Zig programmer's responsibility to ensure that a {#link|pointer|Pointers#} is not accessed when the memory pointed to is no longer available. Note that a {#link|slice|Slices#} is a form of pointer, in that it references other memory.

In order to prevent bugs, there are some helpful conventions to follow when dealing with pointers. In general, when a function returns a pointer, the documentation for the function should explain who "owns" the pointer. This concept helps the programmer decide when it is appropriate, if ever, to free the pointer.

For example, the function's documentation may say "caller owns the returned memory", in which case the code that calls the function must have a plan for when to free that memory. Probably in this situation, the function will accept an {#syntax#}Allocator{#endsyntax#} parameter.

Sometimes the lifetime of a pointer may be more complicated. For example, the {#syntax#}std.ArrayList(T).items{#endsyntax#} slice has a lifetime that remains valid until the next time the list is resized, such as by appending new elements.

The API documentation for functions and data structures should take great care to explain the ownership and lifetime semantics of pointers. Ownership determines whose responsibility it is to free the memory referenced by the pointer, and lifetime determines the point at which the memory becomes inaccessible (lest {#link|Undefined Behavior#} occur).

{#header_close#} {#header_close#} {#header_open|Compile Variables#}

Compile variables are accessible by importing the {#syntax#}"builtin"{#endsyntax#} package, which the compiler makes available to every Zig source file. It contains compile-time constants such as the current target, endianness, and release mode.

{#code|compile_variables.zig#}

Example of what is imported with {#syntax#}@import("builtin"){#endsyntax#}:

{#builtin#} {#see_also|Build Mode#} {#header_close#} {#header_open|Root Source File#}

TODO: explain how root source file finds other files

TODO: pub fn main

TODO: pub fn panic

TODO: if linking with libc you can use export fn main

TODO: order independent top level declarations

TODO: lazy analysis

TODO: using comptime { _ = @import() }

{#header_close#} {#header_open|Zig Build System#}

The Zig Build System provides a cross-platform, dependency-free way to declare the logic required to build a project. With this system, the logic to build a project is written in a build.zig file, using the Zig Build System API to declare and configure build artifacts and other tasks.

Some examples of tasks the build system can help with:

  • Performing tasks in parallel and caching the results.
  • Depending on other projects.
  • Providing a package for other projects to depend on.
  • Creating build artifacts by executing the Zig compiler. This includes building Zig source code as well as C and C++ source code.
  • Capturing user-configured options and using those options to configure the build.
  • Surfacing build configuration as {#link|comptime#} values by providing a file that can be {#link|imported|@import#} by Zig code.
  • Caching build artifacts to avoid unnecessarily repeating steps.
  • Executing build artifacts or system-installed tools.
  • Running tests and verifying the output of executing a build artifact matches the expected value.
  • Running zig fmt on a codebase or a subset of it.
  • Custom tasks.

To use the build system, run zig build --help to see a command-line usage help menu. This will include project-specific options that were declared in the build.zig script.

For the time being, the build system documentation is hosted externally: Build System Documentation

{#header_close#} {#header_open|C#}

Although Zig is independent of C, and, unlike most other languages, does not depend on libc, Zig acknowledges the importance of interacting with existing C code.

There are a few ways that Zig facilitates C interop.

{#header_open|C Type Primitives#}

These have guaranteed C ABI compatibility and can be used like any other type.

  • {#syntax#}c_char{#endsyntax#}
  • {#syntax#}c_short{#endsyntax#}
  • {#syntax#}c_ushort{#endsyntax#}
  • {#syntax#}c_int{#endsyntax#}
  • {#syntax#}c_uint{#endsyntax#}
  • {#syntax#}c_long{#endsyntax#}
  • {#syntax#}c_ulong{#endsyntax#}
  • {#syntax#}c_longlong{#endsyntax#}
  • {#syntax#}c_ulonglong{#endsyntax#}
  • {#syntax#}c_longdouble{#endsyntax#}

To interop with the C {#syntax#}void{#endsyntax#} type, use {#syntax#}anyopaque{#endsyntax#}.

{#see_also|Primitive Types#} {#header_close#} {#header_open|Import from C Header File#}

The {#syntax#}@cImport{#endsyntax#} builtin function can be used to directly import symbols from .h files:

{#code|cImport_builtin.zig#}

The {#syntax#}@cImport{#endsyntax#} function takes an expression as a parameter. This expression is evaluated at compile-time and is used to control preprocessor directives and include multiple .h files:

{#syntax_block|zig|@cImport Expression#} const builtin = @import("builtin"); const c = @cImport({ @cDefine("NDEBUG", builtin.mode == .ReleaseFast); if (something) { @cDefine("_GNU_SOURCE", {}); } @cInclude("stdlib.h"); if (something) { @cUndef("_GNU_SOURCE"); } @cInclude("soundio.h"); }); {#end_syntax_block#} {#see_also|@cImport|@cInclude|@cDefine|@cUndef|@import#} {#header_close#} {#header_open|C Translation CLI#}

Zig's C translation capability is available as a CLI tool via zig translate-c. It requires a single filename as an argument. It may also take a set of optional flags that are forwarded to clang. It writes the translated file to stdout.

{#header_open|Command line flags#}
  • -I: Specify a search directory for include files. May be used multiple times. Equivalent to clang's -I flag. The current directory is not included by default; use -I. to include it.
  • -D: Define a preprocessor macro. Equivalent to clang's -D flag.
  • -cflags [flags] --: Pass arbitrary additional command line flags to clang. Note: the list of flags must end with --
  • -target: The {#link|target triple|Targets#} for the translated Zig code. If no target is specified, the current host target will be used.
{#header_close#} {#header_open|Using -target and -cflags#}

Important! When translating C code with zig translate-c, you must use the same -target triple that you will use when compiling the translated code. In addition, you must ensure that the -cflags used, if any, match the cflags used by code on the target system. Using the incorrect -target or -cflags could result in clang or Zig parse failures, or subtle ABI incompatibilities when linking with C code.

{#syntax_block|c|varytarget.h#} long FOO = __LONG_MAX__; {#end_syntax_block#} {#shell_samp#}$ zig translate-c -target thumb-freestanding-gnueabihf varytarget.h|grep FOO pub export var FOO: c_long = 2147483647; $ zig translate-c -target x86_64-macos-gnu varytarget.h|grep FOO pub export var FOO: c_long = 9223372036854775807;{#end_shell_samp#} {#syntax_block|c|varycflags.h#} enum FOO { BAR }; int do_something(enum FOO foo); {#end_syntax_block#} {#shell_samp#}$ zig translate-c varycflags.h|grep -B1 do_something pub const enum_FOO = c_uint; pub extern fn do_something(foo: enum_FOO) c_int; $ zig translate-c -cflags -fshort-enums -- varycflags.h|grep -B1 do_something pub const enum_FOO = u8; pub extern fn do_something(foo: enum_FOO) c_int;{#end_shell_samp#} {#header_close#} {#header_open|@cImport vs translate-c#}

{#syntax#}@cImport{#endsyntax#} and zig translate-c use the same underlying C translation functionality, so on a technical level they are equivalent. In practice, {#syntax#}@cImport{#endsyntax#} is useful as a way to quickly and easily access numeric constants, typedefs, and record types without needing any extra setup. If you need to pass {#link|cflags|Using -target and -cflags#} to clang, or if you would like to edit the translated code, it is recommended to use zig translate-c and save the results to a file. Common reasons for editing the generated code include: changing {#syntax#}anytype{#endsyntax#} parameters in function-like macros to more specific types; changing {#syntax#}[*c]T{#endsyntax#} pointers to {#syntax#}[*]T{#endsyntax#} or {#syntax#}*T{#endsyntax#} pointers for improved type safety; and {#link|enabling or disabling runtime safety|@setRuntimeSafety#} within specific functions.

{#header_close#} {#see_also|Targets|C Type Primitives|Pointers|C Pointers|Import from C Header File|@cInclude|@cImport|@setRuntimeSafety#} {#header_close#} {#header_open|C Translation Caching#}

The C translation feature (whether used via zig translate-c or {#syntax#}@cImport{#endsyntax#}) integrates with the Zig caching system. Subsequent runs with the same source file, target, and cflags will use the cache instead of repeatedly translating the same code.

To see where the cached files are stored when compiling code that uses {#syntax#}@cImport{#endsyntax#}, use the --verbose-cimport flag:

{#code|verbose_cimport_flag.zig#}

cimport.h contains the file to translate (constructed from calls to {#syntax#}@cInclude{#endsyntax#}, {#syntax#}@cDefine{#endsyntax#}, and {#syntax#}@cUndef{#endsyntax#}), cimport.h.d is the list of file dependencies, and cimport.zig contains the translated output.

{#see_also|Import from C Header File|C Translation CLI|@cInclude|@cImport#} {#header_close#} {#header_open|Translation failures#}

Some C constructs cannot be translated to Zig - for example, goto, structs with bitfields, and token-pasting macros. Zig employs demotion to allow translation to continue in the face of non-translatable entities.

Demotion comes in three varieties - {#link|opaque#}, extern, and {#syntax#}@compileError{#endsyntax#}. C structs and unions that cannot be translated correctly will be translated as {#syntax#}opaque{}{#endsyntax#}. Functions that contain opaque types or code constructs that cannot be translated will be demoted to {#syntax#}extern{#endsyntax#} declarations. Thus, non-translatable types can still be used as pointers, and non-translatable functions can be called so long as the linker is aware of the compiled function.

{#syntax#}@compileError{#endsyntax#} is used when top-level definitions (global variables, function prototypes, macros) cannot be translated or demoted. Since Zig uses lazy analysis for top-level declarations, untranslatable entities will not cause a compile error in your code unless you actually use them.

{#see_also|opaque|extern|@compileError#} {#header_close#} {#header_open|C Macros#}

C Translation makes a best-effort attempt to translate function-like macros into equivalent Zig functions. Since C macros operate at the level of lexical tokens, not all C macros can be translated to Zig. Macros that cannot be translated will be demoted to {#syntax#}@compileError{#endsyntax#}. Note that C code which uses macros will be translated without any additional issues (since Zig operates on the pre-processed source with macros expanded). It is merely the macros themselves which may not be translatable to Zig.

Consider the following example:

{#syntax_block|c|macro.c#} #define MAKELOCAL(NAME, INIT) int NAME = INIT int foo(void) { MAKELOCAL(a, 1); MAKELOCAL(b, 2); return a + b; } {#end_syntax_block#} {#shell_samp#}$ zig translate-c macro.c > macro.zig{#end_shell_samp#} {#code|macro.zig#}

Note that {#syntax#}foo{#endsyntax#} was translated correctly despite using a non-translatable macro. {#syntax#}MAKELOCAL{#endsyntax#} was demoted to {#syntax#}@compileError{#endsyntax#} since it cannot be expressed as a Zig function; this simply means that you cannot directly use {#syntax#}MAKELOCAL{#endsyntax#} from Zig.

{#see_also|@compileError#} {#header_close#} {#header_open|C Pointers#}

This type is to be avoided whenever possible. The only valid reason for using a C pointer is in auto-generated code from translating C code.

When importing C header files, it is ambiguous whether pointers should be translated as single-item pointers ({#syntax#}*T{#endsyntax#}) or many-item pointers ({#syntax#}[*]T{#endsyntax#}). C pointers are a compromise so that Zig code can utilize translated header files directly.

{#syntax#}[*c]T{#endsyntax#} - C pointer.

  • Supports all the syntax of the other two pointer types ({#syntax#}*T{#endsyntax#}) and ({#syntax#}[*]T{#endsyntax#}).
  • Coerces to other pointer types, as well as {#link|Optional Pointers#}. When a C pointer is coerced to a non-optional pointer, safety-checked {#link|Undefined Behavior#} occurs if the address is 0.
  • Allows address 0. On non-freestanding targets, dereferencing address 0 is safety-checked {#link|Undefined Behavior#}. Optional C pointers introduce another bit to keep track of null, just like {#syntax#}?usize{#endsyntax#}. Note that creating an optional C pointer is unnecessary as one can use normal {#link|Optional Pointers#}.
  • Supports {#link|Type Coercion#} to and from integers.
  • Supports comparison with integers.
  • Does not support Zig-only pointer attributes such as alignment. Use normal {#link|Pointers#} please!

When a C pointer is pointing to a single struct (not an array), dereference the C pointer to access the struct's fields or member data. That syntax looks like this:

{#syntax#}ptr_to_struct.*.struct_member{#endsyntax#}

This is comparable to doing {#syntax#}->{#endsyntax#} in C.

When a C pointer is pointing to an array of structs, the syntax reverts to this:

{#syntax#}ptr_to_struct_array[index].struct_member{#endsyntax#}

{#header_close#} {#header_open|C Variadic Functions#}

Zig supports extern variadic functions.

{#code|test_variadic_function.zig#}

Variadic functions can be implemented using {#link|@cVaStart#}, {#link|@cVaEnd#}, {#link|@cVaArg#} and {#link|@cVaCopy#}.

{#code|test_defining_variadic_function.zig#} {#header_close#} {#header_open|Exporting a C Library#}

One of the primary use cases for Zig is exporting a library with the C ABI for other programming languages to call into. The {#syntax#}export{#endsyntax#} keyword in front of functions, variables, and types causes them to be part of the library API:

{#code|mathtest.zig#}

To make a static library:

{#shell_samp#}$ zig build-lib mathtest.zig{#end_shell_samp#}

To make a shared library:

{#shell_samp#}$ zig build-lib mathtest.zig -dynamic{#end_shell_samp#}

Here is an example with the {#link|Zig Build System#}:

{#syntax_block|c|test.c#} // This header is generated by zig from mathtest.zig #include "mathtest.h" #include int main(int argc, char **argv) { int32_t result = add(42, 1337); printf("%d\n", result); return 0; } {#end_syntax_block#} {#code|build_c.zig#} {#shell_samp#}$ zig build test 1379{#end_shell_samp#} {#see_also|export#} {#header_close#} {#header_open|Mixing Object Files#}

You can mix Zig object files with any other object files that respect the C ABI. Example:

{#code|base64.zig#} {#syntax_block|c|test.c#} // This header is generated by zig from base64.zig #include "base64.h" #include #include int main(int argc, char **argv) { const char *encoded = "YWxsIHlvdXIgYmFzZSBhcmUgYmVsb25nIHRvIHVz"; char buf[200]; size_t len = decode_base_64(buf, 200, encoded, strlen(encoded)); buf[len] = 0; puts(buf); return 0; } {#end_syntax_block#} {#code|build_object.zig#} {#shell_samp#}$ zig build $ ./zig-out/bin/test all your base are belong to us{#end_shell_samp#} {#see_also|Targets|Zig Build System#} {#header_close#} {#header_close#} {#header_open|WebAssembly#}

Zig supports building for WebAssembly out of the box.

{#header_open|Freestanding#}

For host environments like the web browser and nodejs, build as an executable using the freestanding OS target. Here's an example of running Zig code compiled to WebAssembly with nodejs.

{#code|math.zig#} {#syntax_block|javascript|test.js#} const fs = require('fs'); const source = fs.readFileSync("./math.wasm"); const typedArray = new Uint8Array(source); WebAssembly.instantiate(typedArray, { env: { print: (result) => { console.log(`The result is ${result}`); } }}).then(result => { const add = result.instance.exports.add; add(1, 2); }); {#end_syntax_block#} {#shell_samp#}$ node test.js The result is 3{#end_shell_samp#} {#header_close#} {#header_open|WASI#}

Zig's support for WebAssembly System Interface (WASI) is under active development. Example of using the standard library and reading command line arguments:

{#code|wasi_args.zig#} {#shell_samp#}$ wasmtime wasi_args.wasm 123 hello 0: wasi_args.wasm 1: 123 2: hello{#end_shell_samp#}

A more interesting example would be extracting the list of preopens from the runtime. This is now supported in the standard library via {#syntax#}std.fs.wasi.Preopens{#endsyntax#}:

{#code|wasi_preopens.zig#} {#shell_samp#}$ wasmtime --dir=. wasi_preopens.wasm 0: stdin 1: stdout 2: stderr 3: . {#end_shell_samp#} {#header_close#} {#header_close#} {#header_open|Targets#}

Target refers to the computer that will be used to run an executable. It is composed of the CPU architecture, the set of enabled CPU features, operating system, minimum and maximum operating system version, ABI, and ABI version.

Zig is a general-purpose programming language which means that it is designed to generate optimal code for a large set of targets. The command zig targets provides information about all of the targets the compiler is aware of.

When no target option is provided to the compiler, the default choice is to target the host computer, meaning that the resulting executable will be unsuitable for copying to a different computer. In order to copy an executable to another computer, the compiler needs to know about the target requirements via the -target option.

The Zig Standard Library ({#syntax#}@import("std"){#endsyntax#}) has cross-platform abstractions, making the same source code viable on many targets. Some code is more portable than other code. In general, Zig code is extremely portable compared to other programming languages.

Each platform requires its own implementations to make Zig's cross-platform abstractions work. These implementations are at various degrees of completion. Each tagged release of the compiler comes with release notes that provide the full support table for each target.

{#header_close#} {#header_open|Style Guide#}

These coding conventions are not enforced by the compiler, but they are shipped in this documentation along with the compiler in order to provide a point of reference, should anyone wish to point to an authority on agreed upon Zig coding style.

{#header_open|Avoid Redundancy in Names#}

Avoid these words in type names:

  • Value
  • Data
  • Context
  • Manager
  • utils, misc, or somebody's initials

Everything is a value, all types are data, everything is context, all logic manages state. Nothing is communicated by using a word that applies to all types.

Temptation to use "utilities", "miscellaneous", or somebody's initials is a failure to categorize, or more commonly, overcategorization. Such declarations can live at the root of a module that needs them with no namespace needed.

{#header_close#} {#header_open|Avoid Redundant Names in Fully-Qualified Namespaces#}

Every declaration is assigned a fully qualified namespace by the compiler, creating a tree structure. Choose names based on the fully-qualified namespace, and avoid redundant name segments.

{#code|redundant_fqn.zig#}

In this example, "json" is repeated in the fully-qualified namespace. The solution is to delete Json from JsonValue. In this example we have an empty struct named json but remember that files also act as part of the fully-qualified namespace.

This example is an exception to the rule specified in {#link|Avoid Redundancy in Names#}. The meaning of the type has been reduced to its core: it is a json value. The name cannot be any more specific without being incorrect.

{#header_close#} {#header_open|Whitespace#}
  • 4 space indentation
  • Open braces on same line, unless you need to wrap.
  • If a list of things is longer than 2, put each item on its own line and exercise the ability to put an extra comma at the end.
  • Line length: aim for 100; use common sense.
{#header_close#} {#header_open|Names#}

Roughly speaking: {#syntax#}camelCaseFunctionName{#endsyntax#}, {#syntax#}TitleCaseTypeName{#endsyntax#}, {#syntax#}snake_case_variable_name{#endsyntax#}. More precisely:

  • If {#syntax#}x{#endsyntax#} is a {#syntax#}type{#endsyntax#} then {#syntax#}x{#endsyntax#} should be {#syntax#}TitleCase{#endsyntax#}, unless it is a {#syntax#}struct{#endsyntax#} with 0 fields and is never meant to be instantiated, in which case it is considered to be a "namespace" and uses {#syntax#}snake_case{#endsyntax#}.
  • If {#syntax#}x{#endsyntax#} is callable, and {#syntax#}x{#endsyntax#}'s return type is {#syntax#}type{#endsyntax#}, then {#syntax#}x{#endsyntax#} should be {#syntax#}TitleCase{#endsyntax#}.
  • If {#syntax#}x{#endsyntax#} is otherwise callable, then {#syntax#}x{#endsyntax#} should be {#syntax#}camelCase{#endsyntax#}.
  • Otherwise, {#syntax#}x{#endsyntax#} should be {#syntax#}snake_case{#endsyntax#}.

Acronyms, initialisms, proper nouns, or any other word that has capitalization rules in written English are subject to naming conventions just like any other word. Even acronyms that are only 2 letters long are subject to these conventions.

File names fall into two categories: types and namespaces. If the file (implicitly a struct) has top level fields, it should be named like any other struct with fields using TitleCase. Otherwise, it should use snake_case. Directory names should be snake_case.

These are general rules of thumb; if it makes sense to do something different, do what makes sense. For example, if there is an established convention such as {#syntax#}ENOENT{#endsyntax#}, follow the established convention.

{#header_close#} {#header_open|Examples#} {#syntax_block|zig|style_example.zig#} const namespace_name = @import("dir_name/file_name.zig"); const TypeName = @import("dir_name/TypeName.zig"); var global_var: i32 = undefined; const const_name = 42; const primitive_type_alias = f32; const string_alias = []u8; const StructName = struct { field: i32, }; const StructAlias = StructName; fn functionName(param_name: TypeName) void { var functionPointer = functionName; functionPointer(); functionPointer = otherFunction; functionPointer(); } const functionAlias = functionName; fn ListTemplateFunction(comptime ChildType: type, comptime fixed_size: usize) type { return List(ChildType, fixed_size); } fn ShortList(comptime T: type, comptime n: usize) type { return struct { field_name: [n]T, fn methodName() void {} }; } // The word XML loses its casing when used in Zig identifiers. const xml_document = \\ \\ \\ ; const XmlParser = struct { field: i32, }; // The initials BE (Big Endian) are just another word in Zig identifier names. fn readU32Be() u32 {} {#end_syntax_block#}

See the {#link|Zig Standard Library#} for more examples.

{#header_close#} {#header_open|Doc Comment Guidance#}
  • Omit any information that is redundant based on the name of the thing being documented.
  • Duplicating information onto multiple similar functions is encouraged because it helps IDEs and other tools provide better help text.
  • Use the word assume to indicate invariants that cause {#link|Undefined Behavior#} when violated.
  • Use the word assert to indicate invariants that cause safety-checked {#link|Undefined Behavior#} when violated.
{#header_close#} {#header_close#} {#header_open|Source Encoding#}

Zig source code is encoded in UTF-8. An invalid UTF-8 byte sequence results in a compile error.

Throughout all zig source code (including in comments), some code points are never allowed:

  • Ascii control characters, except for U+000a (LF), U+000d (CR), and U+0009 (HT): U+0000 - U+0008, U+000b - U+000c, U+000e - U+0001f, U+007f.
  • Non-Ascii Unicode line endings: U+0085 (NEL), U+2028 (LS), U+2029 (PS).

LF (byte value 0x0a, code point U+000a, {#syntax#}'\n'{#endsyntax#}) is the line terminator in Zig source code. This byte value terminates every line of zig source code except the last line of the file. It is recommended that non-empty source files end with an empty line, which means the last byte would be 0x0a (LF).

Each LF may be immediately preceded by a single CR (byte value 0x0d, code point U+000d, {#syntax#}'\r'{#endsyntax#}) to form a Windows style line ending, but this is discouraged. Note that in multiline strings, CRLF sequences will be encoded as LF when compiled into a zig program. A CR in any other context is not allowed.

HT hard tabs (byte value 0x09, code point U+0009, {#syntax#}'\t'{#endsyntax#}) are interchangeable with SP spaces (byte value 0x20, code point U+0020, {#syntax#}' '{#endsyntax#}) as a token separator, but use of hard tabs is discouraged. See {#link|Grammar#}.

For compatibility with other tools, the compiler ignores a UTF-8-encoded byte order mark (U+FEFF) if it is the first Unicode code point in the source text. A byte order mark is not allowed anywhere else in the source.

Note that running zig fmt on a source file will implement all recommendations mentioned here.

Note that a tool reading Zig source code can make assumptions if the source code is assumed to be correct Zig code. For example, when identifying the ends of lines, a tool can use a naive search such as /\n/, or an advanced search such as /\r\n?|[\n\u0085\u2028\u2029]/, and in either case line endings will be correctly identified. For another example, when identifying the whitespace before the first token on a line, a tool can either use a naive search such as /[ \t]/, or an advanced search such as /\s/, and in either case whitespace will be correctly identified.

{#header_close#} {#header_open|Keyword Reference#}
Keyword Description
{#syntax#}addrspace{#endsyntax#}
The {#syntax#}addrspace{#endsyntax#} keyword.
  • TODO add documentation for addrspace
{#syntax#}align{#endsyntax#}
{#syntax#}align{#endsyntax#} can be used to specify the alignment of a pointer. It can also be used after a variable or function declaration to specify the alignment of pointers to that variable or function.
  • See also {#link|Alignment#}
{#syntax#}allowzero{#endsyntax#}
The pointer attribute {#syntax#}allowzero{#endsyntax#} allows a pointer to have address zero.
  • See also {#link|allowzero#}
{#syntax#}and{#endsyntax#}
The boolean operator {#syntax#}and{#endsyntax#}.
  • See also {#link|Operators#}
{#syntax#}anyframe{#endsyntax#}
{#syntax#}anyframe{#endsyntax#} can be used as a type for variables which hold pointers to function frames.
  • See also {#link|Async Functions#}
{#syntax#}anytype{#endsyntax#}
Function parameters can be declared with {#syntax#}anytype{#endsyntax#} in place of the type. The type will be inferred where the function is called.
  • See also {#link|Function Parameter Type Inference#}
{#syntax#}asm{#endsyntax#}
{#syntax#}asm{#endsyntax#} begins an inline assembly expression. This allows for directly controlling the machine code generated on compilation.
  • See also {#link|Assembly#}
{#syntax#}async{#endsyntax#}
{#syntax#}async{#endsyntax#} can be used before a function call to get a pointer to the function's frame when it suspends.
  • See also {#link|Async Functions#}
{#syntax#}await{#endsyntax#}
{#syntax#}await{#endsyntax#} can be used to suspend the current function until the frame provided after the {#syntax#}await{#endsyntax#} completes. {#syntax#}await{#endsyntax#} copies the value returned from the target function's frame to the caller.
  • See also {#link|Async Functions#}
{#syntax#}break{#endsyntax#}
{#syntax#}break{#endsyntax#} can be used with a block label to return a value from the block. It can also be used to exit a loop before iteration completes naturally.
  • See also {#link|Blocks#}, {#link|while#}, {#link|for#}
{#syntax#}callconv{#endsyntax#}
{#syntax#}callconv{#endsyntax#} can be used to specify the calling convention in a function type.
  • See also {#link|Functions#}
{#syntax#}catch{#endsyntax#}
{#syntax#}catch{#endsyntax#} can be used to evaluate an expression if the expression before it evaluates to an error. The expression after the {#syntax#}catch{#endsyntax#} can optionally capture the error value.
  • See also {#link|catch#}, {#link|Operators#}
{#syntax#}comptime{#endsyntax#}
{#syntax#}comptime{#endsyntax#} before a declaration can be used to label variables or function parameters as known at compile time. It can also be used to guarantee an expression is run at compile time.
  • See also {#link|comptime#}
{#syntax#}const{#endsyntax#}
{#syntax#}const{#endsyntax#} declares a variable that can not be modified. Used as a pointer attribute, it denotes the value referenced by the pointer cannot be modified.
  • See also {#link|Variables#}
{#syntax#}continue{#endsyntax#}
{#syntax#}continue{#endsyntax#} can be used in a loop to jump back to the beginning of the loop.
  • See also {#link|while#}, {#link|for#}
{#syntax#}defer{#endsyntax#}
{#syntax#}defer{#endsyntax#} will execute an expression when control flow leaves the current block.
  • See also {#link|defer#}
{#syntax#}else{#endsyntax#}
{#syntax#}else{#endsyntax#} can be used to provide an alternate branch for {#syntax#}if{#endsyntax#}, {#syntax#}switch{#endsyntax#}, {#syntax#}while{#endsyntax#}, and {#syntax#}for{#endsyntax#} expressions.
  • If used after an if expression, the else branch will be executed if the test value returns false, null, or an error.
  • If used within a switch expression, the else branch will be executed if the test value matches no other cases.
  • If used after a loop expression, the else branch will be executed if the loop finishes without breaking.
  • See also {#link|if#}, {#link|switch#}, {#link|while#}, {#link|for#}
{#syntax#}enum{#endsyntax#}
{#syntax#}enum{#endsyntax#} defines an enum type.
  • See also {#link|enum#}
{#syntax#}errdefer{#endsyntax#}
{#syntax#}errdefer{#endsyntax#} will execute an expression when control flow leaves the current block if the function returns an error, the errdefer expression can capture the unwrapped value.
  • See also {#link|errdefer#}
{#syntax#}error{#endsyntax#}
{#syntax#}error{#endsyntax#} defines an error type.
  • See also {#link|Errors#}
{#syntax#}export{#endsyntax#}
{#syntax#}export{#endsyntax#} makes a function or variable externally visible in the generated object file. Exported functions default to the C calling convention.
  • See also {#link|Functions#}
{#syntax#}extern{#endsyntax#}
{#syntax#}extern{#endsyntax#} can be used to declare a function or variable that will be resolved at link time, when linking statically or at runtime, when linking dynamically.
  • See also {#link|Functions#}
{#syntax#}fn{#endsyntax#}
{#syntax#}fn{#endsyntax#} declares a function.
  • See also {#link|Functions#}
{#syntax#}for{#endsyntax#}
A {#syntax#}for{#endsyntax#} expression can be used to iterate over the elements of a slice, array, or tuple.
  • See also {#link|for#}
{#syntax#}if{#endsyntax#}
An {#syntax#}if{#endsyntax#} expression can test boolean expressions, optional values, or error unions. For optional values or error unions, the if expression can capture the unwrapped value.
  • See also {#link|if#}
{#syntax#}inline{#endsyntax#}
{#syntax#}inline{#endsyntax#} can be used to label a loop expression such that it will be unrolled at compile time. It can also be used to force a function to be inlined at all call sites.
  • See also {#link|inline while#}, {#link|inline for#}, {#link|Functions#}
{#syntax#}linksection{#endsyntax#}
The {#syntax#}linksection{#endsyntax#} keyword can be used to specify what section the function or global variable will be put into (e.g. .text).
{#syntax#}noalias{#endsyntax#}
The {#syntax#}noalias{#endsyntax#} keyword.
  • TODO add documentation for noalias
{#syntax#}noinline{#endsyntax#}
{#syntax#}noinline{#endsyntax#} disallows function to be inlined in all call sites.
  • See also {#link|Functions#}
{#syntax#}nosuspend{#endsyntax#}
The {#syntax#}nosuspend{#endsyntax#} keyword can be used in front of a block, statement or expression, to mark a scope where no suspension points are reached. In particular, inside a {#syntax#}nosuspend{#endsyntax#} scope:
  • Using the {#syntax#}suspend{#endsyntax#} keyword results in a compile error.
  • Using {#syntax#}await{#endsyntax#} on a function frame which hasn't completed yet results in safety-checked {#link|Undefined Behavior#}.
  • Calling an async function may result in safety-checked {#link|Undefined Behavior#}, because it's equivalent to await async some_async_fn(), which contains an {#syntax#}await{#endsyntax#}.
Code inside a {#syntax#}nosuspend{#endsyntax#} scope does not cause the enclosing function to become an {#link|async function|Async Functions#}.
  • See also {#link|Async Functions#}
{#syntax#}opaque{#endsyntax#}
{#syntax#}opaque{#endsyntax#} defines an opaque type.
  • See also {#link|opaque#}
{#syntax#}or{#endsyntax#}
The boolean operator {#syntax#}or{#endsyntax#}.
  • See also {#link|Operators#}
{#syntax#}orelse{#endsyntax#}
{#syntax#}orelse{#endsyntax#} can be used to evaluate an expression if the expression before it evaluates to null.
  • See also {#link|Optionals#}, {#link|Operators#}
{#syntax#}packed{#endsyntax#}
The {#syntax#}packed{#endsyntax#} keyword before a struct definition changes the struct's in-memory layout to the guaranteed {#syntax#}packed{#endsyntax#} layout.
  • See also {#link|packed struct#}
{#syntax#}pub{#endsyntax#}
The {#syntax#}pub{#endsyntax#} in front of a top level declaration makes the declaration available to reference from a different file than the one it is declared in.
  • See also {#link|import#}
{#syntax#}resume{#endsyntax#}
{#syntax#}resume{#endsyntax#} will continue execution of a function frame after the point the function was suspended.
{#syntax#}return{#endsyntax#}
{#syntax#}return{#endsyntax#} exits a function with a value.
  • See also {#link|Functions#}
{#syntax#}struct{#endsyntax#}
{#syntax#}struct{#endsyntax#} defines a struct.
  • See also {#link|struct#}
{#syntax#}suspend{#endsyntax#}
{#syntax#}suspend{#endsyntax#} will cause control flow to return to the call site or resumer of the function. {#syntax#}suspend{#endsyntax#} can also be used before a block within a function, to allow the function access to its frame before control flow returns to the call site.
{#syntax#}switch{#endsyntax#}
A {#syntax#}switch{#endsyntax#} expression can be used to test values of a common type. {#syntax#}switch{#endsyntax#} cases can capture field values of a {#link|Tagged union#}.
  • See also {#link|switch#}
{#syntax#}test{#endsyntax#}
The {#syntax#}test{#endsyntax#} keyword can be used to denote a top-level block of code used to make sure behavior meets expectations.
  • See also {#link|Zig Test#}
{#syntax#}threadlocal{#endsyntax#}
{#syntax#}threadlocal{#endsyntax#} can be used to specify a variable as thread-local.
  • See also {#link|Thread Local Variables#}
{#syntax#}try{#endsyntax#}
{#syntax#}try{#endsyntax#} evaluates an error union expression. If it is an error, it returns from the current function with the same error. Otherwise, the expression results in the unwrapped value.
  • See also {#link|try#}
{#syntax#}union{#endsyntax#}
{#syntax#}union{#endsyntax#} defines a union.
  • See also {#link|union#}
{#syntax#}unreachable{#endsyntax#}
{#syntax#}unreachable{#endsyntax#} can be used to assert that control flow will never happen upon a particular location. Depending on the build mode, {#syntax#}unreachable{#endsyntax#} may emit a panic.
  • Emits a panic in {#syntax#}Debug{#endsyntax#} and {#syntax#}ReleaseSafe{#endsyntax#} mode, or when using zig test.
  • Does not emit a panic in {#syntax#}ReleaseFast{#endsyntax#} and {#syntax#}ReleaseSmall{#endsyntax#} mode.
  • See also {#link|unreachable#}
{#syntax#}usingnamespace{#endsyntax#}
{#syntax#}usingnamespace{#endsyntax#} is a top-level declaration that imports all the public declarations of the operand, which must be a struct, union, or enum, into the current scope.
  • See also {#link|usingnamespace#}
{#syntax#}var{#endsyntax#}
{#syntax#}var{#endsyntax#} declares a variable that may be modified.
  • See also {#link|Variables#}
{#syntax#}volatile{#endsyntax#}
{#syntax#}volatile{#endsyntax#} can be used to denote loads or stores of a pointer have side effects. It can also modify an inline assembly expression to denote it has side effects.
  • See also {#link|volatile#}, {#link|Assembly#}
{#syntax#}while{#endsyntax#}
A {#syntax#}while{#endsyntax#} expression can be used to repeatedly test a boolean, optional, or error union expression, and cease looping when that expression evaluates to false, null, or an error, respectively.
  • See also {#link|while#}
{#header_close#} {#header_open|Appendix#} {#header_open|Containers#}

A container in Zig is any syntactical construct that acts as a namespace to hold {#link|variable|Container Level Variables#} and {#link|function|Functions#} declarations. Containers are also type definitions which can be instantiated. {#link|Structs|struct#}, {#link|enums|enum#}, {#link|unions|union#}, {#link|opaques|opaque#}, and even Zig source files themselves are containers.

Although containers (except Zig source files) use curly braces to surround their definition, they should not be confused with {#link|blocks|Blocks#} or functions. Containers do not contain statements.

{#header_close#} {#header_open|Grammar#} {#syntax_block|peg|grammar.y#} Root <- skip container_doc_comment? ContainerMembers eof # *** Top level *** ContainerMembers <- ContainerDeclaration* (ContainerField COMMA)* (ContainerField / ContainerDeclaration*) ContainerDeclaration <- TestDecl / ComptimeDecl / doc_comment? KEYWORD_pub? Decl TestDecl <- KEYWORD_test (STRINGLITERALSINGLE / IDENTIFIER)? Block ComptimeDecl <- KEYWORD_comptime Block Decl <- (KEYWORD_export / KEYWORD_extern STRINGLITERALSINGLE? / KEYWORD_inline / KEYWORD_noinline)? FnProto (SEMICOLON / Block) / (KEYWORD_export / KEYWORD_extern STRINGLITERALSINGLE?)? KEYWORD_threadlocal? GlobalVarDecl / KEYWORD_usingnamespace Expr SEMICOLON FnProto <- KEYWORD_fn IDENTIFIER? LPAREN ParamDeclList RPAREN ByteAlign? AddrSpace? LinkSection? CallConv? EXCLAMATIONMARK? TypeExpr VarDeclProto <- (KEYWORD_const / KEYWORD_var) IDENTIFIER (COLON TypeExpr)? ByteAlign? AddrSpace? LinkSection? GlobalVarDecl <- VarDeclProto (EQUAL Expr)? SEMICOLON ContainerField <- doc_comment? KEYWORD_comptime? !KEYWORD_fn (IDENTIFIER COLON)? TypeExpr ByteAlign? (EQUAL Expr)? # *** Block Level *** Statement <- KEYWORD_comptime ComptimeStatement / KEYWORD_nosuspend BlockExprStatement / KEYWORD_suspend BlockExprStatement / KEYWORD_defer BlockExprStatement / KEYWORD_errdefer Payload? BlockExprStatement / IfStatement / LabeledStatement / SwitchExpr / VarDeclExprStatement ComptimeStatement <- BlockExpr / VarDeclExprStatement IfStatement <- IfPrefix BlockExpr ( KEYWORD_else Payload? Statement )? / IfPrefix AssignExpr ( SEMICOLON / KEYWORD_else Payload? Statement ) LabeledStatement <- BlockLabel? (Block / LoopStatement) LoopStatement <- KEYWORD_inline? (ForStatement / WhileStatement) ForStatement <- ForPrefix BlockExpr ( KEYWORD_else Statement )? / ForPrefix AssignExpr ( SEMICOLON / KEYWORD_else Statement ) WhileStatement <- WhilePrefix BlockExpr ( KEYWORD_else Payload? Statement )? / WhilePrefix AssignExpr ( SEMICOLON / KEYWORD_else Payload? Statement ) BlockExprStatement <- BlockExpr / AssignExpr SEMICOLON BlockExpr <- BlockLabel? Block # An expression, assignment, or any destructure, as a statement. VarDeclExprStatement <- VarDeclProto (COMMA (VarDeclProto / Expr))* EQUAL Expr SEMICOLON / Expr (AssignOp Expr / (COMMA (VarDeclProto / Expr))+ EQUAL Expr)? SEMICOLON # *** Expression Level *** # An assignment or a destructure whose LHS are all lvalue expressions. AssignExpr <- Expr (AssignOp Expr / (COMMA Expr)+ EQUAL Expr)? SingleAssignExpr <- Expr (AssignOp Expr)? Expr <- BoolOrExpr BoolOrExpr <- BoolAndExpr (KEYWORD_or BoolAndExpr)* BoolAndExpr <- CompareExpr (KEYWORD_and CompareExpr)* CompareExpr <- BitwiseExpr (CompareOp BitwiseExpr)? BitwiseExpr <- BitShiftExpr (BitwiseOp BitShiftExpr)* BitShiftExpr <- AdditionExpr (BitShiftOp AdditionExpr)* AdditionExpr <- MultiplyExpr (AdditionOp MultiplyExpr)* MultiplyExpr <- PrefixExpr (MultiplyOp PrefixExpr)* PrefixExpr <- PrefixOp* PrimaryExpr PrimaryExpr <- AsmExpr / IfExpr / KEYWORD_break BreakLabel? Expr? / KEYWORD_comptime Expr / KEYWORD_nosuspend Expr / KEYWORD_continue BreakLabel? / KEYWORD_resume Expr / KEYWORD_return Expr? / BlockLabel? LoopExpr / Block / CurlySuffixExpr IfExpr <- IfPrefix Expr (KEYWORD_else Payload? Expr)? Block <- LBRACE Statement* RBRACE LoopExpr <- KEYWORD_inline? (ForExpr / WhileExpr) ForExpr <- ForPrefix Expr (KEYWORD_else Expr)? WhileExpr <- WhilePrefix Expr (KEYWORD_else Payload? Expr)? CurlySuffixExpr <- TypeExpr InitList? InitList <- LBRACE FieldInit (COMMA FieldInit)* COMMA? RBRACE / LBRACE Expr (COMMA Expr)* COMMA? RBRACE / LBRACE RBRACE TypeExpr <- PrefixTypeOp* ErrorUnionExpr ErrorUnionExpr <- SuffixExpr (EXCLAMATIONMARK TypeExpr)? SuffixExpr <- KEYWORD_async PrimaryTypeExpr SuffixOp* FnCallArguments / PrimaryTypeExpr (SuffixOp / FnCallArguments)* PrimaryTypeExpr <- BUILTINIDENTIFIER FnCallArguments / CHAR_LITERAL / ContainerDecl / DOT IDENTIFIER / DOT InitList / ErrorSetDecl / FLOAT / FnProto / GroupedExpr / LabeledTypeExpr / IDENTIFIER / IfTypeExpr / INTEGER / KEYWORD_comptime TypeExpr / KEYWORD_error DOT IDENTIFIER / KEYWORD_anyframe / KEYWORD_unreachable / STRINGLITERAL / SwitchExpr ContainerDecl <- (KEYWORD_extern / KEYWORD_packed)? ContainerDeclAuto ErrorSetDecl <- KEYWORD_error LBRACE IdentifierList RBRACE GroupedExpr <- LPAREN Expr RPAREN IfTypeExpr <- IfPrefix TypeExpr (KEYWORD_else Payload? TypeExpr)? LabeledTypeExpr <- BlockLabel Block / BlockLabel? LoopTypeExpr LoopTypeExpr <- KEYWORD_inline? (ForTypeExpr / WhileTypeExpr) ForTypeExpr <- ForPrefix TypeExpr (KEYWORD_else TypeExpr)? WhileTypeExpr <- WhilePrefix TypeExpr (KEYWORD_else Payload? TypeExpr)? SwitchExpr <- KEYWORD_switch LPAREN Expr RPAREN LBRACE SwitchProngList RBRACE # *** Assembly *** AsmExpr <- KEYWORD_asm KEYWORD_volatile? LPAREN Expr AsmOutput? RPAREN AsmOutput <- COLON AsmOutputList AsmInput? AsmOutputItem <- LBRACKET IDENTIFIER RBRACKET STRINGLITERAL LPAREN (MINUSRARROW TypeExpr / IDENTIFIER) RPAREN AsmInput <- COLON AsmInputList AsmClobbers? AsmInputItem <- LBRACKET IDENTIFIER RBRACKET STRINGLITERAL LPAREN Expr RPAREN AsmClobbers <- COLON StringList # *** Helper grammar *** BreakLabel <- COLON IDENTIFIER BlockLabel <- IDENTIFIER COLON FieldInit <- DOT IDENTIFIER EQUAL Expr WhileContinueExpr <- COLON LPAREN AssignExpr RPAREN LinkSection <- KEYWORD_linksection LPAREN Expr RPAREN AddrSpace <- KEYWORD_addrspace LPAREN Expr RPAREN # Fn specific CallConv <- KEYWORD_callconv LPAREN Expr RPAREN ParamDecl <- doc_comment? (KEYWORD_noalias / KEYWORD_comptime)? (IDENTIFIER COLON)? ParamType / DOT3 ParamType <- KEYWORD_anytype / TypeExpr # Control flow prefixes IfPrefix <- KEYWORD_if LPAREN Expr RPAREN PtrPayload? WhilePrefix <- KEYWORD_while LPAREN Expr RPAREN PtrPayload? WhileContinueExpr? ForPrefix <- KEYWORD_for LPAREN ForArgumentsList RPAREN PtrListPayload # Payloads Payload <- PIPE IDENTIFIER PIPE PtrPayload <- PIPE ASTERISK? IDENTIFIER PIPE PtrIndexPayload <- PIPE ASTERISK? IDENTIFIER (COMMA IDENTIFIER)? PIPE PtrListPayload <- PIPE ASTERISK? IDENTIFIER (COMMA ASTERISK? IDENTIFIER)* COMMA? PIPE # Switch specific SwitchProng <- KEYWORD_inline? SwitchCase EQUALRARROW PtrIndexPayload? SingleAssignExpr SwitchCase <- SwitchItem (COMMA SwitchItem)* COMMA? / KEYWORD_else SwitchItem <- Expr (DOT3 Expr)? # For specific ForArgumentsList <- ForItem (COMMA ForItem)* COMMA? ForItem <- Expr (DOT2 Expr?)? # Operators AssignOp <- ASTERISKEQUAL / ASTERISKPIPEEQUAL / SLASHEQUAL / PERCENTEQUAL / PLUSEQUAL / PLUSPIPEEQUAL / MINUSEQUAL / MINUSPIPEEQUAL / LARROW2EQUAL / LARROW2PIPEEQUAL / RARROW2EQUAL / AMPERSANDEQUAL / CARETEQUAL / PIPEEQUAL / ASTERISKPERCENTEQUAL / PLUSPERCENTEQUAL / MINUSPERCENTEQUAL / EQUAL CompareOp <- EQUALEQUAL / EXCLAMATIONMARKEQUAL / LARROW / RARROW / LARROWEQUAL / RARROWEQUAL BitwiseOp <- AMPERSAND / CARET / PIPE / KEYWORD_orelse / KEYWORD_catch Payload? BitShiftOp <- LARROW2 / RARROW2 / LARROW2PIPE AdditionOp <- PLUS / MINUS / PLUS2 / PLUSPERCENT / MINUSPERCENT / PLUSPIPE / MINUSPIPE MultiplyOp <- PIPE2 / ASTERISK / SLASH / PERCENT / ASTERISK2 / ASTERISKPERCENT / ASTERISKPIPE PrefixOp <- EXCLAMATIONMARK / MINUS / TILDE / MINUSPERCENT / AMPERSAND / KEYWORD_try / KEYWORD_await PrefixTypeOp <- QUESTIONMARK / KEYWORD_anyframe MINUSRARROW / SliceTypeStart (ByteAlign / AddrSpace / KEYWORD_const / KEYWORD_volatile / KEYWORD_allowzero)* / PtrTypeStart (AddrSpace / KEYWORD_align LPAREN Expr (COLON Expr COLON Expr)? RPAREN / KEYWORD_const / KEYWORD_volatile / KEYWORD_allowzero)* / ArrayTypeStart SuffixOp <- LBRACKET Expr (DOT2 (Expr? (COLON Expr)?)?)? RBRACKET / DOT IDENTIFIER / DOTASTERISK / DOTQUESTIONMARK FnCallArguments <- LPAREN ExprList RPAREN # Ptr specific SliceTypeStart <- LBRACKET (COLON Expr)? RBRACKET PtrTypeStart <- ASTERISK / ASTERISK2 / LBRACKET ASTERISK (LETTERC / COLON Expr)? RBRACKET ArrayTypeStart <- LBRACKET Expr (COLON Expr)? RBRACKET # ContainerDecl specific ContainerDeclAuto <- ContainerDeclType LBRACE container_doc_comment? ContainerMembers RBRACE ContainerDeclType <- KEYWORD_struct (LPAREN Expr RPAREN)? / KEYWORD_opaque / KEYWORD_enum (LPAREN Expr RPAREN)? / KEYWORD_union (LPAREN (KEYWORD_enum (LPAREN Expr RPAREN)? / Expr) RPAREN)? # Alignment ByteAlign <- KEYWORD_align LPAREN Expr RPAREN # Lists IdentifierList <- (doc_comment? IDENTIFIER COMMA)* (doc_comment? IDENTIFIER)? SwitchProngList <- (SwitchProng COMMA)* SwitchProng? AsmOutputList <- (AsmOutputItem COMMA)* AsmOutputItem? AsmInputList <- (AsmInputItem COMMA)* AsmInputItem? StringList <- (STRINGLITERAL COMMA)* STRINGLITERAL? ParamDeclList <- (ParamDecl COMMA)* ParamDecl? ExprList <- (Expr COMMA)* Expr? # *** Tokens *** eof <- !. bin <- [01] bin_ <- '_'? bin oct <- [0-7] oct_ <- '_'? oct hex <- [0-9a-fA-F] hex_ <- '_'? hex dec <- [0-9] dec_ <- '_'? dec bin_int <- bin bin_* oct_int <- oct oct_* dec_int <- dec dec_* hex_int <- hex hex_* ox80_oxBF <- [\200-\277] oxF4 <- '\364' ox80_ox8F <- [\200-\217] oxF1_oxF3 <- [\361-\363] oxF0 <- '\360' ox90_0xBF <- [\220-\277] oxEE_oxEF <- [\356-\357] oxED <- '\355' ox80_ox9F <- [\200-\237] oxE1_oxEC <- [\341-\354] oxE0 <- '\340' oxA0_oxBF <- [\240-\277] oxC2_oxDF <- [\302-\337] # From https://lemire.me/blog/2018/05/09/how-quickly-can-you-check-that-a-string-is-valid-unicode-utf-8/ # First Byte Second Byte Third Byte Fourth Byte # [0x00,0x7F] # [0xC2,0xDF] [0x80,0xBF] # 0xE0 [0xA0,0xBF] [0x80,0xBF] # [0xE1,0xEC] [0x80,0xBF] [0x80,0xBF] # 0xED [0x80,0x9F] [0x80,0xBF] # [0xEE,0xEF] [0x80,0xBF] [0x80,0xBF] # 0xF0 [0x90,0xBF] [0x80,0xBF] [0x80,0xBF] # [0xF1,0xF3] [0x80,0xBF] [0x80,0xBF] [0x80,0xBF] # 0xF4 [0x80,0x8F] [0x80,0xBF] [0x80,0xBF] mb_utf8_literal <- oxF4 ox80_ox8F ox80_oxBF ox80_oxBF / oxF1_oxF3 ox80_oxBF ox80_oxBF ox80_oxBF / oxF0 ox90_0xBF ox80_oxBF ox80_oxBF / oxEE_oxEF ox80_oxBF ox80_oxBF / oxED ox80_ox9F ox80_oxBF / oxE1_oxEC ox80_oxBF ox80_oxBF / oxE0 oxA0_oxBF ox80_oxBF / oxC2_oxDF ox80_oxBF ascii_char_not_nl_slash_squote <- [\000-\011\013-\046\050-\133\135-\177] char_escape <- "\\x" hex hex / "\\u{" hex+ "}" / "\\" [nr\\t'"] char_char <- mb_utf8_literal / char_escape / ascii_char_not_nl_slash_squote string_char <- char_escape / [^\\"\n] container_doc_comment <- ('//!' [^\n]* [ \n]* skip)+ doc_comment <- ('///' [^\n]* [ \n]* skip)+ line_comment <- '//' ![!/][^\n]* / '////' [^\n]* line_string <- ("\\\\" [^\n]* [ \n]*)+ skip <- ([ \n] / line_comment)* CHAR_LITERAL <- "'" char_char "'" skip FLOAT <- "0x" hex_int "." hex_int ([pP] [-+]? dec_int)? skip / dec_int "." dec_int ([eE] [-+]? dec_int)? skip / "0x" hex_int [pP] [-+]? dec_int skip / dec_int [eE] [-+]? dec_int skip INTEGER <- "0b" bin_int skip / "0o" oct_int skip / "0x" hex_int skip / dec_int skip STRINGLITERALSINGLE <- "\"" string_char* "\"" skip STRINGLITERAL <- STRINGLITERALSINGLE / (line_string skip)+ IDENTIFIER <- !keyword [A-Za-z_] [A-Za-z0-9_]* skip / "@" STRINGLITERALSINGLE BUILTINIDENTIFIER <- "@"[A-Za-z_][A-Za-z0-9_]* skip AMPERSAND <- '&' ![=] skip AMPERSANDEQUAL <- '&=' skip ASTERISK <- '*' ![*%=|] skip ASTERISK2 <- '**' skip ASTERISKEQUAL <- '*=' skip ASTERISKPERCENT <- '*%' ![=] skip ASTERISKPERCENTEQUAL <- '*%=' skip ASTERISKPIPE <- '*|' ![=] skip ASTERISKPIPEEQUAL <- '*|=' skip CARET <- '^' ![=] skip CARETEQUAL <- '^=' skip COLON <- ':' skip COMMA <- ',' skip DOT <- '.' ![*.?] skip DOT2 <- '..' ![.] skip DOT3 <- '...' skip DOTASTERISK <- '.*' skip DOTQUESTIONMARK <- '.?' skip EQUAL <- '=' ![>=] skip EQUALEQUAL <- '==' skip EQUALRARROW <- '=>' skip EXCLAMATIONMARK <- '!' ![=] skip EXCLAMATIONMARKEQUAL <- '!=' skip LARROW <- '<' ![<=] skip LARROW2 <- '<<' ![=|] skip LARROW2EQUAL <- '<<=' skip LARROW2PIPE <- '<<|' ![=] skip LARROW2PIPEEQUAL <- '<<|=' skip LARROWEQUAL <- '<=' skip LBRACE <- '{' skip LBRACKET <- '[' skip LPAREN <- '(' skip MINUS <- '-' ![%=>|] skip MINUSEQUAL <- '-=' skip MINUSPERCENT <- '-%' ![=] skip MINUSPERCENTEQUAL <- '-%=' skip MINUSPIPE <- '-|' ![=] skip MINUSPIPEEQUAL <- '-|=' skip MINUSRARROW <- '->' skip PERCENT <- '%' ![=] skip PERCENTEQUAL <- '%=' skip PIPE <- '|' ![|=] skip PIPE2 <- '||' skip PIPEEQUAL <- '|=' skip PLUS <- '+' ![%+=|] skip PLUS2 <- '++' skip PLUSEQUAL <- '+=' skip PLUSPERCENT <- '+%' ![=] skip PLUSPERCENTEQUAL <- '+%=' skip PLUSPIPE <- '+|' ![=] skip PLUSPIPEEQUAL <- '+|=' skip LETTERC <- 'c' skip QUESTIONMARK <- '?' skip RARROW <- '>' ![>=] skip RARROW2 <- '>>' ![=] skip RARROW2EQUAL <- '>>=' skip RARROWEQUAL <- '>=' skip RBRACE <- '}' skip RBRACKET <- ']' skip RPAREN <- ')' skip SEMICOLON <- ';' skip SLASH <- '/' ![=] skip SLASHEQUAL <- '/=' skip TILDE <- '~' skip end_of_word <- ![a-zA-Z0-9_] skip KEYWORD_addrspace <- 'addrspace' end_of_word KEYWORD_align <- 'align' end_of_word KEYWORD_allowzero <- 'allowzero' end_of_word KEYWORD_and <- 'and' end_of_word KEYWORD_anyframe <- 'anyframe' end_of_word KEYWORD_anytype <- 'anytype' end_of_word KEYWORD_asm <- 'asm' end_of_word KEYWORD_async <- 'async' end_of_word KEYWORD_await <- 'await' end_of_word KEYWORD_break <- 'break' end_of_word KEYWORD_callconv <- 'callconv' end_of_word KEYWORD_catch <- 'catch' end_of_word KEYWORD_comptime <- 'comptime' end_of_word KEYWORD_const <- 'const' end_of_word KEYWORD_continue <- 'continue' end_of_word KEYWORD_defer <- 'defer' end_of_word KEYWORD_else <- 'else' end_of_word KEYWORD_enum <- 'enum' end_of_word KEYWORD_errdefer <- 'errdefer' end_of_word KEYWORD_error <- 'error' end_of_word KEYWORD_export <- 'export' end_of_word KEYWORD_extern <- 'extern' end_of_word KEYWORD_fn <- 'fn' end_of_word KEYWORD_for <- 'for' end_of_word KEYWORD_if <- 'if' end_of_word KEYWORD_inline <- 'inline' end_of_word KEYWORD_noalias <- 'noalias' end_of_word KEYWORD_nosuspend <- 'nosuspend' end_of_word KEYWORD_noinline <- 'noinline' end_of_word KEYWORD_opaque <- 'opaque' end_of_word KEYWORD_or <- 'or' end_of_word KEYWORD_orelse <- 'orelse' end_of_word KEYWORD_packed <- 'packed' end_of_word KEYWORD_pub <- 'pub' end_of_word KEYWORD_resume <- 'resume' end_of_word KEYWORD_return <- 'return' end_of_word KEYWORD_linksection <- 'linksection' end_of_word KEYWORD_struct <- 'struct' end_of_word KEYWORD_suspend <- 'suspend' end_of_word KEYWORD_switch <- 'switch' end_of_word KEYWORD_test <- 'test' end_of_word KEYWORD_threadlocal <- 'threadlocal' end_of_word KEYWORD_try <- 'try' end_of_word KEYWORD_union <- 'union' end_of_word KEYWORD_unreachable <- 'unreachable' end_of_word KEYWORD_usingnamespace <- 'usingnamespace' end_of_word KEYWORD_var <- 'var' end_of_word KEYWORD_volatile <- 'volatile' end_of_word KEYWORD_while <- 'while' end_of_word keyword <- KEYWORD_addrspace / KEYWORD_align / KEYWORD_allowzero / KEYWORD_and / KEYWORD_anyframe / KEYWORD_anytype / KEYWORD_asm / KEYWORD_async / KEYWORD_await / KEYWORD_break / KEYWORD_callconv / KEYWORD_catch / KEYWORD_comptime / KEYWORD_const / KEYWORD_continue / KEYWORD_defer / KEYWORD_else / KEYWORD_enum / KEYWORD_errdefer / KEYWORD_error / KEYWORD_export / KEYWORD_extern / KEYWORD_fn / KEYWORD_for / KEYWORD_if / KEYWORD_inline / KEYWORD_noalias / KEYWORD_nosuspend / KEYWORD_noinline / KEYWORD_opaque / KEYWORD_or / KEYWORD_orelse / KEYWORD_packed / KEYWORD_pub / KEYWORD_resume / KEYWORD_return / KEYWORD_linksection / KEYWORD_struct / KEYWORD_suspend / KEYWORD_switch / KEYWORD_test / KEYWORD_threadlocal / KEYWORD_try / KEYWORD_union / KEYWORD_unreachable / KEYWORD_usingnamespace / KEYWORD_var / KEYWORD_volatile / KEYWORD_while {#end_syntax_block#} {#header_close#} {#header_open|Zen#}
  • Communicate intent precisely.
  • Edge cases matter.
  • Favor reading code over writing code.
  • Only one obvious way to do things.
  • Runtime crashes are better than bugs.
  • Compile errors are better than runtime crashes.
  • Incremental improvements.
  • Avoid local maximums.
  • Reduce the amount one must remember.
  • Focus on code rather than style.
  • Resource allocation may fail; resource deallocation must succeed.
  • Memory is a resource.
  • Together we serve the users.
{#header_close#} {#header_close#}