struct

test_structs.zig

  1. // Declare a struct.
  2. // Zig gives no guarantees about the order of fields and the size of
  3. // the struct but the fields are guaranteed to be ABI-aligned.
  4. const Point = struct {
  5. x: f32,
  6. y: f32,
  7. };
  8. // Maybe we want to pass it to OpenGL so we want to be particular about
  9. // how the bytes are arranged.
  10. const Point2 = packed struct {
  11. x: f32,
  12. y: f32,
  13. };
  14. // Declare an instance of a struct.
  15. const p = Point {
  16. .x = 0.12,
  17. .y = 0.34,
  18. };
  19. // Maybe we're not ready to fill out some of the fields.
  20. var p2 = Point {
  21. .x = 0.12,
  22. .y = undefined,
  23. };
  24. // Structs can have methods
  25. // Struct methods are not special, they are only namespaced
  26. // functions that you can call with dot syntax.
  27. const Vec3 = struct {
  28. x: f32,
  29. y: f32,
  30. z: f32,
  31. pub fn init(x: f32, y: f32, z: f32) Vec3 {
  32. return Vec3 {
  33. .x = x,
  34. .y = y,
  35. .z = z,
  36. };
  37. }
  38. pub fn dot(self: Vec3, other: Vec3) f32 {
  39. return self.x * other.x + self.y * other.y + self.z * other.z;
  40. }
  41. };
  42. const expect = @import("std").testing.expect;
  43. test "dot product" {
  44. const v1 = Vec3.init(1.0, 0.0, 0.0);
  45. const v2 = Vec3.init(0.0, 1.0, 0.0);
  46. try expect(v1.dot(v2) == 0.0);
  47. // Other than being available to call with dot syntax, struct methods are
  48. // not special. You can reference them as any other declaration inside
  49. // the struct:
  50. try expect(Vec3.dot(v1, v2) == 0.0);
  51. }
  52. // Structs can have declarations.
  53. // Structs can have 0 fields.
  54. const Empty = struct {
  55. pub const PI = 3.14;
  56. };
  57. test "struct namespaced variable" {
  58. try expect(Empty.PI == 3.14);
  59. try expect(@sizeOf(Empty) == 0);
  60. // you can still instantiate an empty struct
  61. const does_nothing = Empty {};
  62. _ = does_nothing;
  63. }
  64. // struct field order is determined by the compiler for optimal performance.
  65. // however, you can still calculate a struct base pointer given a field pointer:
  66. fn setYBasedOnX(x: *f32, y: f32) void {
  67. const point: *Point = @fieldParentPtr("x", x);
  68. point.y = y;
  69. }
  70. test "field parent pointer" {
  71. var point = Point {
  72. .x = 0.1234,
  73. .y = 0.5678,
  74. };
  75. setYBasedOnX(&point.x, 0.9);
  76. try expect(point.y == 0.9);
  77. }
  78. // You can return a struct from a function. This is how we do generics
  79. // in Zig:
  80. fn LinkedList(comptime T: type) type {
  81. return struct {
  82. pub const Node = struct {
  83. prev: ?*Node,
  84. next: ?*Node,
  85. data: T,
  86. };
  87. first: ?*Node,
  88. last: ?*Node,
  89. len: usize,
  90. };
  91. }
  92. test "linked list" {
  93. // Functions called at compile-time are memoized. This means you can
  94. // do this:
  95. try expect(LinkedList(i32) == LinkedList(i32));
  96. const list = LinkedList(i32){
  97. .first = null,
  98. .last = null,
  99. .len = 0,
  100. };
  101. try expect(list.len == 0);
  102. // Since types are first class values you can instantiate the type
  103. // by assigning it to a variable:
  104. const ListOfInts = LinkedList(i32);
  105. try expect(ListOfInts == LinkedList(i32));
  106. var node = ListOfInts.Node{
  107. .prev = null,
  108. .next = null,
  109. .data = 1234,
  110. };
  111. const list2 = LinkedList(i32){
  112. .first = &node,
  113. .last = &node,
  114. .len = 1,
  115. };
  116. // When using a pointer to a struct, fields can be accessed directly,
  117. // without explicitly dereferencing the pointer.
  118. // So you can do
  119. try expect(list2.first.?.data == 1234);
  120. // instead of try expect(list2.first.?.*.data == 1234);
  121. }

Shell

  1. $ zig test test_structs.zig
  2. 1/4 test_structs.test.dot product... OK
  3. 2/4 test_structs.test.struct namespaced variable... OK
  4. 3/4 test_structs.test.field parent pointer... OK
  5. 4/4 test_structs.test.linked list... OK
  6. All 4 tests passed.

Default Field Values

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

struct_default_field_values.zig

  1. const Foo = struct {
  2. a: i32 = 1234,
  3. b: i32,
  4. };
  5. test "default struct initialization fields" {
  6. const x: Foo = .{
  7. .b = 5,
  8. };
  9. if (x.a + x.b != 1239) {
  10. comptime unreachable;
  11. }
  12. }

Shell

  1. $ zig test struct_default_field_values.zig
  2. 1/1 struct_default_field_values.test.default struct initialization fields... OK
  3. All 1 tests passed.

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:

bad_default_value.zig

  1. const Threshold = struct {
  2. minimum: f32 = 0.25,
  3. maximum: f32 = 0.75,
  4. const Category = enum { low, medium, high };
  5. fn categorize(t: Threshold, value: f32) Category {
  6. assert(t.maximum >= t.minimum);
  7. if (value < t.minimum) return .low;
  8. if (value > t.maximum) return .high;
  9. return .medium;
  10. }
  11. };
  12. pub fn main() !void {
  13. var threshold: Threshold = .{
  14. .maximum = 0.20,
  15. };
  16. const category = threshold.categorize(0.90);
  17. try std.io.getStdOut().writeAll(@tagName(category));
  18. }
  19. const std = @import("std");
  20. const assert = std.debug.assert;

Shell

  1. $ zig build-exe bad_default_value.zig
  2. $ ./bad_default_value
  3. thread 986647 panic: reached unreachable code
  4. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/debug.zig:403:14: 0x103657d in assert (bad_default_value)
  5. if (!ok) unreachable; // assertion failure
  6. ^
  7. /home/ci/actions-runner/_work/zig-bootstrap/zig/docgen_tmp/bad_default_value.zig:8:15: 0x1033a89 in categorize (bad_default_value)
  8. assert(t.maximum >= t.minimum);
  9. ^
  10. /home/ci/actions-runner/_work/zig-bootstrap/zig/docgen_tmp/bad_default_value.zig:19:42: 0x10339ba in main (bad_default_value)
  11. const category = threshold.categorize(0.90);
  12. ^
  13. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/start.zig:511:37: 0x10338d5 in posixCallMainAndExit (bad_default_value)
  14. const result = root.main() catch |err| {
  15. ^
  16. /home/ci/actions-runner/_work/zig-bootstrap/out/host/lib/zig/std/start.zig:253:5: 0x10333f1 in _start (bad_default_value)
  17. asm volatile (switch (native_arch) {
  18. ^
  19. ???:?:?: 0x0 in ??? (???)
  20. (process terminated by signal)

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:

struct_default_value.zig

  1. const Threshold = struct {
  2. minimum: f32,
  3. maximum: f32,
  4. const default: Threshold = .{
  5. .minimum = 0.25,
  6. .maximum = 0.75,
  7. };
  8. };

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.

extern struct

An extern struct has in-memory layout matching the C ABI for the target.

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

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

See also:

packed struct

Unlike normal structs, packed 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 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.
  • bool fields use exactly 1 bit.
  • An enum field uses exactly the bit width of its integer tag type.
  • A packed union field uses exactly the bit width of the union field with the largest bit width.

This means that a packed struct can participate in a @bitCast or a @ptrCast to reinterpret memory. This even works at comptime:

test_packed_structs.zig

  1. const std = @import("std");
  2. const native_endian = @import("builtin").target.cpu.arch.endian();
  3. const expect = std.testing.expect;
  4. const Full = packed struct {
  5. number: u16,
  6. };
  7. const Divided = packed struct {
  8. half1: u8,
  9. quarter3: u4,
  10. quarter4: u4,
  11. };
  12. test "@bitCast between packed structs" {
  13. try doTheTest();
  14. try comptime doTheTest();
  15. }
  16. fn doTheTest() !void {
  17. try expect(@sizeOf(Full) == 2);
  18. try expect(@sizeOf(Divided) == 2);
  19. const full = Full{ .number = 0x1234 };
  20. const divided: Divided = @bitCast(full);
  21. try expect(divided.half1 == 0x34);
  22. try expect(divided.quarter3 == 0x2);
  23. try expect(divided.quarter4 == 0x1);
  24. const ordered: [2]u8 = @bitCast(full);
  25. switch (native_endian) {
  26. .big => {
  27. try expect(ordered[0] == 0x12);
  28. try expect(ordered[1] == 0x34);
  29. },
  30. .little => {
  31. try expect(ordered[0] == 0x34);
  32. try expect(ordered[1] == 0x12);
  33. },
  34. }
  35. }

Shell

  1. $ zig test test_packed_structs.zig
  2. 1/1 test_packed_structs.test.@bitCast between packed structs... OK
  3. All 1 tests passed.

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

test_missized_packed_struct.zig

  1. test "missized packed struct" {
  2. const S = packed struct(u32) { a: u16, b: u8 };
  3. _ = S{ .a = 4, .b = 2 };
  4. }

Shell

  1. $ zig test test_missized_packed_struct.zig
  2. docgen_tmp/test_missized_packed_struct.zig:2:29: error: backing integer type 'u32' has bit size 32 but the struct fields have a total bit size of 24
  3. const S = packed struct(u32) { a: u16, b: u8 };
  4. ^~~

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

test_pointer_to_non-byte_aligned_field.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const BitField = packed struct {
  4. a: u3,
  5. b: u3,
  6. c: u2,
  7. };
  8. var foo = BitField{
  9. .a = 1,
  10. .b = 2,
  11. .c = 3,
  12. };
  13. test "pointer to non-byte-aligned field" {
  14. const ptr = &foo.b;
  15. try expect(ptr.* == 2);
  16. }

Shell

  1. $ zig test test_pointer_to_non-byte_aligned_field.zig
  2. 1/1 test_pointer_to_non-byte_aligned_field.test.pointer to non-byte-aligned field... OK
  3. All 1 tests passed.

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

test_misaligned_pointer.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const BitField = packed struct {
  4. a: u3,
  5. b: u3,
  6. c: u2,
  7. };
  8. var bit_field = BitField{
  9. .a = 1,
  10. .b = 2,
  11. .c = 3,
  12. };
  13. test "pointer to non-byte-aligned field" {
  14. try expect(bar(&bit_field.b) == 2);
  15. }
  16. fn bar(x: *const u3) u3 {
  17. return x.*;
  18. }

Shell

  1. $ zig test test_misaligned_pointer.zig
  2. docgen_tmp/test_misaligned_pointer.zig:17:20: error: expected type '*const u3', found '*align(1:3:1) u3'
  3. try expect(bar(&bit_field.b) == 2);
  4. ^~~~~~~~~~~~
  5. docgen_tmp/test_misaligned_pointer.zig:17:20: note: pointer host size '1' cannot cast into pointer host size '0'
  6. docgen_tmp/test_misaligned_pointer.zig:17:20: note: pointer bit offset '3' cannot cast into pointer bit offset '0'
  7. docgen_tmp/test_misaligned_pointer.zig:20:11: note: parameter type declared here
  8. fn bar(x: *const u3) u3 {
  9. ^~~~~~~~~

In this case, the function bar 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:

test_packed_struct_field_address.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const BitField = packed struct {
  4. a: u3,
  5. b: u3,
  6. c: u2,
  7. };
  8. var bit_field = BitField{
  9. .a = 1,
  10. .b = 2,
  11. .c = 3,
  12. };
  13. test "pointers of sub-byte-aligned fields share addresses" {
  14. try expect(@intFromPtr(&bit_field.a) == @intFromPtr(&bit_field.b));
  15. try expect(@intFromPtr(&bit_field.a) == @intFromPtr(&bit_field.c));
  16. }

Shell

  1. $ zig test test_packed_struct_field_address.zig
  2. 1/1 test_packed_struct_field_address.test.pointers of sub-byte-aligned fields share addresses... OK
  3. All 1 tests passed.

This can be observed with @bitOffsetOf and offsetOf:

test_bitOffsetOf_offsetOf.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const BitField = packed struct {
  4. a: u3,
  5. b: u3,
  6. c: u2,
  7. };
  8. test "offsets of non-byte-aligned fields" {
  9. comptime {
  10. try expect(@bitOffsetOf(BitField, "a") == 0);
  11. try expect(@bitOffsetOf(BitField, "b") == 3);
  12. try expect(@bitOffsetOf(BitField, "c") == 6);
  13. try expect(@offsetOf(BitField, "a") == 0);
  14. try expect(@offsetOf(BitField, "b") == 0);
  15. try expect(@offsetOf(BitField, "c") == 0);
  16. }
  17. }

Shell

  1. $ zig test test_bitOffsetOf_offsetOf.zig
  2. 1/1 test_bitOffsetOf_offsetOf.test.offsets of non-byte-aligned fields... OK
  3. All 1 tests passed.

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

test_overaligned_packed_struct.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const S = packed struct {
  4. a: u32,
  5. b: u32,
  6. };
  7. test "overaligned pointer to packed struct" {
  8. var foo: S align(4) = .{ .a = 1, .b = 2 };
  9. const ptr: *align(4) S = &foo;
  10. const ptr_to_b: *u32 = &ptr.b;
  11. try expect(ptr_to_b.* == 2);
  12. }

Shell

  1. $ zig test test_overaligned_packed_struct.zig
  2. 1/1 test_overaligned_packed_struct.test.overaligned pointer to packed struct... OK
  3. All 1 tests passed.

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

test_aligned_struct_fields.zig

  1. const std = @import("std");
  2. const expectEqual = std.testing.expectEqual;
  3. test "aligned struct fields" {
  4. const S = struct {
  5. a: u32 align(2),
  6. b: u32 align(64),
  7. };
  8. var foo = S{ .a = 1, .b = 2 };
  9. try expectEqual(64, @alignOf(S));
  10. try expectEqual(*align(2) u32, @TypeOf(&foo.a));
  11. try expectEqual(*align(64) u32, @TypeOf(&foo.b));
  12. }

Shell

  1. $ zig test test_aligned_struct_fields.zig
  2. 1/1 test_aligned_struct_fields.test.aligned struct fields... OK
  3. All 1 tests passed.

Using packed structs with 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.

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 return 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.

struct_name.zig

  1. const std = @import("std");
  2. pub fn main() void {
  3. const Foo = struct {};
  4. std.debug.print("variable: {s}\n", .{@typeName(Foo)});
  5. std.debug.print("anonymous: {s}\n", .{@typeName(struct {})});
  6. std.debug.print("function: {s}\n", .{@typeName(List(i32))});
  7. }
  8. fn List(comptime T: type) type {
  9. return struct {
  10. x: T,
  11. };
  12. }

Shell

  1. $ zig build-exe struct_name.zig
  2. $ ./struct_name
  3. variable: struct_name.main.Foo
  4. anonymous: struct_name.main__struct_3389
  5. function: struct_name.List(i32)

Anonymous Struct Literals

Zig allows omitting the struct type of a literal. When the result is coerced, the struct literal will directly instantiate the result location, with no copy:

test_struct_result.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. const Point = struct {x: i32, y: i32};
  4. test "anonymous struct literal" {
  5. const pt: Point = .{
  6. .x = 13,
  7. .y = 67,
  8. };
  9. try expect(pt.x == 13);
  10. try expect(pt.y == 67);
  11. }

Shell

  1. $ zig test test_struct_result.zig
  2. 1/1 test_struct_result.test.anonymous struct literal... OK
  3. All 1 tests passed.

The struct type can be inferred. Here the result location does not include a type, and so Zig infers the type:

test_anonymous_struct.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "fully anonymous struct" {
  4. try check(.{
  5. .int = @as(u32, 1234),
  6. .float = @as(f64, 12.34),
  7. .b = true,
  8. .s = "hi",
  9. });
  10. }
  11. fn check(args: anytype) !void {
  12. try expect(args.int == 1234);
  13. try expect(args.float == 12.34);
  14. try expect(args.b);
  15. try expect(args.s[0] == 'h');
  16. try expect(args.s[1] == 'i');
  17. }

Shell

  1. $ zig test test_anonymous_struct.zig
  2. 1/1 test_anonymous_struct.test.fully anonymous struct... OK
  3. All 1 tests passed.

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 without also wrapping them in @"". Names inside @"" are always recognised as 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 inline for.

test_tuples.zig

  1. const std = @import("std");
  2. const expect = std.testing.expect;
  3. test "tuple" {
  4. const values = .{
  5. @as(u32, 1234),
  6. @as(f64, 12.34),
  7. true,
  8. "hi",
  9. } ++ .{false} ** 2;
  10. try expect(values[0] == 1234);
  11. try expect(values[4] == false);
  12. inline for (values, 0..) |v, i| {
  13. if (i != 2) continue;
  14. try expect(v);
  15. }
  16. try expect(values.len == 6);
  17. try expect(values.@"3"[0] == 'h');
  18. }

Shell

  1. $ zig test test_tuples.zig
  2. 1/1 test_tuples.test.tuple... OK
  3. All 1 tests passed.

See also: