View Source Zig (zigler v0.14.0)
Inline NIF support for Zig
For erlang support see documentation for the :zigler module.
Motivation
Zig is a general-purpose programming language designed for robustness, optimality, and maintainability.
The programming philosophy of Zig matches up nicely with the programming philosophy of the BEAM VM and in particular its emphasis on simplicity and structure should very appealing to the practitioners of Elixir.
The following features make Zig extremely amenable to inline language support in a BEAM language:
- Simplicity. Zig's syntax is definable in a simple YACC document and Zig takes a stance against making its featureset more complex (though it may evolve somewhat en route to 1.0)
- Composability. Zig is unopinionated about how to go about memory allocations. Its allocator interface is very easily able to be backed by the BEAM's, which means that you have access to generic memory allocation strategies through its composable allocator scheme.
- C integration. It's very easy to design C-interop between Zig and C. Zigler has been designed to make it easier to use Zigler to build C libraries than to use C directly see Easy C.
Guides
Please consult the following guides for detailed topics:
- Using Nifs
- Collection datatypes
- Allocator strategies
- Nif options
- Resources
- C integration
- Concurrency strategies
- Global module options
- Raw calling
- Module callbacks
Zig version support
although the large-scale archictecture of zigler is settled, zigler features may break backwards compatibility until zig reaches 1.0
Nerves Support
Nerves is supported out of the box, and Zigler will be able to seamlessly detect the cross-compilation information (os, architecture, runtime) and build correctly for that target.
Basic NIFs
In the BEAM, you can define a NIF by consulting the following document and implementing the appropriate shared object/DLL callbacks. However, Zigler will take care of all of this for you.
Simply use Zig
in your module, providing the otp_app name as an option.
Then, use the sigil_Z/2
macro and write inline zig code. To present a
function as a nif in your module, simply export it from your code namespace
by making it a pub
function in your zig code.
Example
defmodule BasicModule do
use Zig, otp_app: :zigler
~Z"""
pub fn add_one(number: i64) i64 {
return number + 1;
}
"""
end
test "basic module with nif" do
assert 48 = BasicModule.add_one(47)
end
otp_app setting
You should replace
:zigler
in the following example with the name of your own app. If no such app exists (e.g. you are using livebook or are in the terminal or escript), you can use:zigler
as a fallback.
Zigler will automatically fill out the appropriate NIF C template, compile
the shared object, and bind it into the module pre-compilation. In the above
example, there will be a BasiceModule.add_one/1
function call created.
Zigler will also make sure that your statically-typed Zig data are guarded
when you marshal it from the dynamically-typed BEAM world. However, you may
only pass in and return certain types. As an escape hatch, you may use
the beam.term
type which is a wrapped
ERL_NIF_TERM
type.
See erl_nif
.
test "argument error when types are mismatched" do
assert_raise ArgumentError, fn -> BasicModule.add_one("not a number") end
end
I don't want to use inline Zig
\\ .noinline.zig
pub fn add_one(number: i64) i64 {
return number + 1;
}
defmodule NoInline do
use Zig, otp_app: :zigler, zig_code_path: ".noinline.zig"
end
test "non-inline zig" do
assert 48 = NoInline.add_one(47)
end
Advanced usage: Unsupported erl_nif functions
the beam
import does not comprehensively provide support for all functions
in erl_nif.h
. If you need access to a function in erl_nif.h
that isn't
provided by zigler, you would do it in the following fashion:
- import
erl_nif
into your zig code, typically under thee
namespace. - retrieve
beam.context.env
and use that as your ErlNifEnv pointer. - use
beam.term
for function return types, which is a struct with a single field,v
, of typeERL_NIF_TERM
.
Example
defmodule WithErlNif do
use Zig, otp_app: :zigler
~Z"""
const e = @import("erl_nif");
const beam = @import("beam");
pub fn add_one(number: u64) beam.term {
return .{.v = e.enif_make_uint64(beam.context.env, number + 1)};
}
"""
end
test "raw erl_nif_function" do
assert 48 = WithErlNif.add_one(47)
end
beam.context.env is a threadlocal
beam.context.env
is a threadlocal variable, and is not available when calling functions usingraw
mode. See Raw mode calling for more information.
Advanced usage: Manual marshalling
If you need to marshal your own data, you may use the beam.get
and
beam.make
functions to marshal data to and from the BEAM world.
Example
defmodule ManualMarshalling do
use Zig, otp_app: :zigler, nifs: [add_one: [spec: false]]
@spec add_one(integer) :: integer
~Z"""
const beam = @import("beam");
pub fn add_one(val: beam.term) !beam.term {
const number = try beam.get(i64, val, .{});
return beam.make(number + 1, .{});
}
"""
end
test "manual marshalling" do
assert 48 = ManualMarshalling.add_one(47)
end
For more details on get
and make
functions see the beam
documentation.
Manual Term marshalling
If you don't use automatic marshalling, Zigler will not be able to provide the following conveniences:
argument error details. The zig code will raise a generic BEAM
ArgumentError
but it won't have specific details about what the expected type was and which argument was in error.dialyzer type information for your function. You will have to supply that type information outside
~Z
block, as shown in the example.
Importing external files
If you need to write zig code outside of the module, just place it in the same directory as your module.
You may either call imported functions from the external file, or forward a function from the external file, either strategy will work correctly.
Example
\\ .extra_code.zig
pub fn add_one(number: u64) u64 {
return number + 1;
}
defmodule ExternalImport do
use Zig, otp_app: :zigler
~Z"""
const extra_code = @import(".extra_code.zig");
pub fn add_one(number: u64) u64 {
return extra_code.add_one(number);
}
pub const forwarded_add_one = extra_code.add_one;
"""
end
test "external imports by calling" do
assert 48 = ExternalImport.add_one(47)
end
test "external imports by forwarding" do
assert 48 = ExternalImport.forwarded_add_one(47)
end
Advanced Usage: Custom source location
By default, Zigler places generated source code in the same directory as the module that uses Zigler, however, you may specify a different directory:
defmodule CustomSourceLocation do
use Zig, otp_app: :zigler, dir: "test/.custom_location"
~Z"""
pub fn add_one(number: u64) u64 {
return number + 1;
}
"""
end
test "custom_location is built" do
assert File.dir?("test/custom_location")
assert File.exists?("test/.custom_location/.Elixir.CustomSourceLocation.zig")
end
Advanced usage: change staging directory location
By default, zigler stages files in /tmp/{modulename}
directory. In some cases
this will cause user collisions and permissions errors when trying to build modules
on multitenant systems. If you need to change the staging directory, set the
ZIGLER_STAGING_ROOT
environment variable to the desired directory. The
recommended staging directory is ~/.cache/zigler
. NB: In the future, this
may become the default staging directory.
Other Environment Variables
ZIG_ARCHIVE_PATH
: path to the directory where the zig compiler toolchain WAS downloaded. Expects an executable at:ZIG_ARCHIVE_PATH/zig-<os>-<arch>-<version>/zig
.ZIG_EXECUTABLE_PATH
: direct path to the zig executable.ZIG_FMT
: if set tofalse
, disables zig formatting steps.
Summary
Types
sets the return type of the function, if it's ambiguous. For example,
a []u8
can be forced to return a list instead of the default binary.
options for compiling C code. See c_path/0
for details on how to specify paths.
Path specification for various C compilation options. This may be
options for assigning hook functions to module management events.
user options for individual nifs.
user options for the use Zig
macro, or for the zig_opts(...)
attribute in erlang.
user options for nif parameters.
user options for nif return values.
Functions
retrieves the zig code from any given module that was compiled with zigler
outputs a String name for the module.
declares a string block to be included in the module's .zig source file.
like sigil_Z/2
, but lets you interpolate values from the outside
elixir context using string interpolation (the #{value}
form)
default version of zig supported by this version of zigler.
Types
@type as_type() :: :binary | :integer | :default | :list | :map | {:list, as_type()} | {:map, keyword(as_type())}
sets the return type of the function, if it's ambiguous. For example,
a []u8
can be forced to return a list instead of the default binary.
For collections, you can specify deep typing. For example{:list, :list}
can be forced to return a list of lists for [][]u8
. Map fields can
be set using a keyword list, for example {:map, [foo: :list]}
will
force a struct to return a map with the field foo
typed as a list.
@type c_options() :: [ include_dirs: c_path() | [c_path()], library_dirs: c_path() | [c_path()], link_lib: c_path() | [c_path()], link_libcpp: boolean(), src: [c_path() | {c_path(), [compiler_options :: String.t()]}] ]
options for compiling C code. See c_path/0
for details on how to specify paths.
include_dirs
: a path or list of paths to search for C header files.library_dirs
: a path or list of paths to search for C libraries.link_lib
: a path or list of libraries to link against.link_libcpp
: if set totrue
, the C++ standard library will be linked.src
: a list of C source files to compile. Each source file can be a tuple of the form{path, options}
wherepath
is the path to the source file andoptions
is a list of compiler options to pass to the compiler when building the source file. If no options are provided, the default options will be used.
Path specification for various C compilation options. This may be:
- a
Path.t/0
which is a relative path to the module file. If the path begins with./
it will be treated as a relative path to the current working directory. {:priv, path}
which is a relative path to thepriv
directory ofotp_app
.{:system, path}
which is an absolute path to the file.System paths
You should not use
{:system, path}
if you expect someone else to be building the code.
@type callback_option() :: :on_load | :on_upgrade | :on_unload | {:on_load, atom()} | {:on_upgrade, atom()} | {:on_unload, atom()}
options for assigning hook functions to module management events.
see Module Callbacks for details on what function signatures are allowed for these callbacks.
@type concurrency() :: :dirty_cpu | :dirty_io | :synchronous | :threaded | :yielding
@type nif_options() :: [ export: boolean(), concurrency: concurrency(), spec: boolean(), allocator: nil | atom(), params: integer() | %{optional(integer()) => [param_option()]}, return: as_type() | [return_option()], leak_check: boolean(), alias: atom(), arity: arity() | Range.t(arity(), arity()) | [arity() | Range.t(arity(), arity())], impl: boolean() | module() ]
user options for individual nifs.
export
: (defaulttrue
) iffalse
, the function will be private.concurrency
: the concurrency model to use. Seeconcurrency/0
for options and Nifs for details on their meanings.Yielding
Yielding nifs are not currently supported in Zigler but may return when Async functions are again supported in Zig.
spec
: (defaulttrue
) iffalse
, zigler will not generate a typespec for the function. If used in conjuction with@spec
you may provide a custom typespec for the function.allocator
: (default:nil
) the allocator type to use for this function. if unset, the default allocatorbeam.allocator
will be used. see Allocators for details on how to use allocators.params
: a map of parameter indices to lists of parameter options. Seeparam_option/0
for details on the options. Skipping paramater indices is allowed.return
: options for the return value of the function. Seereturn_option/0
for details on the options.leak_check
: (defaultfalse
) if set totrue
, the default allocator will be set tostd.heap.DebugAllocator
and the leak check method will be run at the end of the function.alias
: if set, the nif name will be the name of BEAM function in the module, but the zig function called will be the alias name.arity
: (only available for raw functions) the arities of the function that are accepted.impl
: sets the@impl
attribute for the function.
@type options() :: [ otp_app: atom(), c: [c_options()], release_mode: release_mode() | :env | {:env, release_mode()}, easy_c: Path.t(), nifs: {:auto, keyword(nif_options())} | keyword(nif_options()), ignore: [atom()], packages: [{name :: atom(), {path :: Path.t(), deps :: [atom()]}}], resources: [atom()], callbacks: [callback_option()], cleanup: boolean(), leak_check: boolean(), dump: boolean(), dump_sema: boolean(), dump_build_zig: boolean() | :stdout | :stderr | Path.t() ]
user options for the use Zig
macro, or for the zig_opts(...)
attribute in erlang.
otp_app
: required. Default location where the shared libraries will be installed depends on this value.c
: seec_options/0
for details.release_mode
: the release mode to use when building the shared object.:debug
(default) builds your shared object in zig'sDebug
build mode.:safe
builds your shared object in zig'sReleaseSafe
build mode.:fast
builds your shared object in zig'sReleaseFast
build mode.:small
builds your shared object in zig'sReleaseSmall
build mode.:env
readsZIGLER_RELEASE_MODE
environment variable to determine the release mode.{:env, mode}
readsZIGLER_RELEASE_MODE
environment variable with fallback to the specified mode.
easy_c
: path to a header file that will be used to generate a C wrapper. if this is set, you must specify:nifs
without the:auto
(or...
) specifier. A path beginning with./
will be treated as a relative to cwd (usually the project root), otherwise the path will be treated as relative to the module file. You may provide code using either thec
>link_lib
option orc
>src
. You may also NOT provide any~Z
blocks in your module.zig_code_path
: path to a zig file that will be used to as a target. A path beginning with./
will be treated as relative to cwd (usually the project root), otherwise the path will be relative to the module file. If you specify this option, you may NOT provide any~Z
blocks in your module.nifs
: a list of nifs to be generated. If you specify as{:auto, nifs}
, zigler will search the target zig code forpub
functions and generate the default nifs for those that do not appear in the nifs list. If you specify as a list of nifs, only the nifs in the list will be used. In Elixir, using...
in your nifs list converts it to{:auto, nifs}
. The nifs list should be a keyword list with the keys being the function names. Seenif_options/0
for details on the options.ignore
: any functions found in theignore
list will not be generated as nifs if you are autodetecting nifs.packages
: a list of packages to be included in the build. Each package is a tuple of the form{name, {path, deps}}
wherename
is the name of the package,path
is the path to the package, anddeps
is a list of dependencies for that package. Those dependencies must alse be in thepackages
list.resources
: a list of types in the zig code that are to be treated as resources.callbacks
: seecallback_option/0
for details.cleanup
: (defaulttrue
) can be used to shut down cleanup for allocated datatypes module-wide.leak_check
: (defaultfalse
) if set totrue
, by default all nifs will use the debug_allocator, and check for memory leaks at the end of each nif call.dump
: if set totrue
, the generated zig code will be dumped to the console.dump_sema
: if set totrue
, the semantic analysis of the generated zig code will be dumped to the console.dump_build_zig
: if set totrue
, the generated zig code will be dumped to the console. If set to:stdout
, or:stderr
it will be sent to the respective stdio channels. If set to a path, the generated zig code will be written to a file at that path.
@type param_option() :: :noclean | :in_out | {:cleanup, boolean()} | {:in_out, boolean()} | {:sentinel, boolean()}
user options for nif parameters.
:noclean (same as
{:cleanup, false}
) will force the parameter to not be cleaned up after a function call.:in_out (same as
{:in_out, true}
) will force the parameter to be an in-out parameter; the return value of the function will derive from this parameter's type instead of the return type.Only one parameter may be marked as
:in_out
in a function.:sentinel (same as
{:sentinel, true}
) if the parameter is a[*c]
type parameter, a sentinel should be attached when allocating space for the parameter. This option is disallowed if the parameter is not a[*c]
.
@type release_mode() :: :debug | :safe | :fast | :small
@type return_option() :: as_type() | :noclean | {:cleanup, boolean()} | {:as, as_type()} | {:error, atom()} | {:length, non_neg_integer() | {:arg, non_neg_integer()}} | {:struct, module()}
user options for nif return values.
:noclean
(same as{:cleanup, false}
) will force the return value to not be cleaned up after a function call.:binary
same as{:as, :binary}
:integer
same as{:as, :integer}
:list
same as{:as, :list}
:map
same as{:as, :map}
:default
same as{:as, :default}
{:error, atom}
(only for functions with in-out parameters) will convert the return value of the function to an error, by calling the function name. Note this function must bepub
.{:length, length}
specifies the length of the return value if it is a[*]T
, or[*c]T
type. The length may be an integer or{:arg, index}
if you would like the length to be specified by one of the parameters.{:struct, module}
coerces the return value to a struct of the given module. This is only available for functions with struct returns.
Functions
retrieves the zig code from any given module that was compiled with zigler
outputs a String name for the module.
note that for filesystem use, you must supply the extension. For internal (BEAM) use, the filesystem extension will be inferred. Therefore we provide two versions of this function.
declares a string block to be included in the module's .zig source file.
like sigil_Z/2
, but lets you interpolate values from the outside
elixir context using string interpolation (the #{value}
form)
default version of zig supported by this version of zigler.
API warning
this API may change in the future.