other language: 中文简体
Another Comptime-argparse for Zig! Let’s start to build your command line!
const std = @import("std");
const zargs = @import("zargs");
const Command = zargs.Command;
const Arg = zargs.Arg;
const Ranges = zargs.Ranges;
pub fn main() !void {
// Like Py3 argparse, https://docs.python.org/3.13/library/argparse.html
const remove = Command.new("remove")
.alias("rm").alias("uninstall").alias("del")
.opt("verbose", u32, .{ .short = 'v' })
.optArg("count", u32, .{ .short = 'c', .argName = "CNT", .default = 9 })
.posArg("name", []const u8, .{});
// Like Rust clap, https://docs.rs/clap/latest/clap/
const cmd = Command.new("demo").requireSub("action")
.about("This is a demo intended to be showcased in the README.")
.author("KiozWang")
.homepage("https://github.com/kioz-wang/zargs")
.arg(Arg.opt("verbose", u32).short('v').help("help of verbose"))
.arg(Arg.optArg("logfile", ?[]const u8).long("log").help("Store log into a file"))
.sub(Command.new("install")
.arg(Arg.optArg("count", u32)
.short('c').short('n').short('t')
.long("count").long("cnt")
.default(10)
.ranges(Ranges(u32).new().u(5, 7).u(13, null))
.choices(&.{ 10, 11 }))
.arg(Arg.posArg("name", []const u8).raw_choices(&.{ "gcc", "clang" }))
.arg(Arg.optArg("output", []const u8).short('o').long("out")))
.sub(remove);
var gpa: std.heap.GeneralPurposeAllocator(.{}) = .init;
const allocator = gpa.allocator();
const args = cmd.parse(allocator) catch |err| {
std.debug.print("Fail to parse because of {any}\n", .{err});
std.debug.print("\n{s}\n", .{cmd.usage()});
std.process.exit(1);
};
defer cmd.destroy(&args, allocator);
if (args.logfile) |logfile| {
std.debug.print("Store log into {s}\n", .{logfile});
}
switch (args.action) {
.install => |a| {
std.debug.print("Installing {s}\n", .{a.name});
},
.remove => |a| {
std.debug.print("Removing {s}\n", .{a.name});
std.debug.print("{any}\n", .{a});
},
}
std.debug.print("Success to do {s}\n", .{@tagName(args.action)});
}
As a system level programming language, there should be an elegant solution for parsing command line arguments.
zargs
draws inspiration from the API styles of Py3 argparse and Rust clap. It provides all parameter information during editing, reflects the parameter structure and parser at compile time, along with everything else needed, and supports dynamic memory allocation for parameters at runtime.
Get the latest version:
zig fetch --save git+https://github.com/kioz-wang/zargs
To fetch a specific version (e.g., v0.14.3
):
zig fetch --save https://github.com/kioz-wang/zargs/archive/refs/tags/v0.14.3.tar.gz
The version number follows the format vx.y.z
:
vx.14.z
supports Zig 0.14.0.Use addImport
in your build.zig
(e.g.):
const exe = b.addExecutable(.{
.name = "your_app",
.root_source_file = b.path("src/main.zig"),
.target = b.standardTargetOptions(.{}),
.optimize = b.standardOptimizeOption(.{}),
});
exe.root_module.addImport("zargs", b.dependency("zargs", .{}).module("zargs"));
b.installArtifact(exe);
const run_cmd = b.addRunArtifact(exe);
run_cmd.step.dependOn(b.getInstallStep());
if (b.args) |args| {
run_cmd.addArgs(args);
}
const run_step = b.step("run", "Run the app");
run_step.dependOn(&run_cmd.step);
After importing the zargs
, you will obtain the iterator (TokenIter
), command builder (Command
), and universal parsing function (parseAny
):
const zargs = @import("zargs");
For more information and usage details about these three powerful tools, please refer to the documentation.
opt
)
singleOpt
)
boolOpt
), T == bool
repeatOpt
), @typeInfo(T) == .int
argOpt
)
singleArgOpt
), T, ?T
arrayArgOpt
), [n]T
multiArgOpt
), []T
arg
)
optArg
) (equivalent to Option with Argument)posArg
)
singlePosArg
), T, ?T
arrayPosArg
), [n]T
subCmd
)Matching and parsing are driven by an iterator. For options, the option is always matched first, and if it takes an argument, the argument is then parsed. For positional arguments, parsing is attempted directly.
For arguments, T must be the smallest parsable unit: []const u8
-> T
.int
.float
.bool
.enum
: By default, std.meta.stringToEnum
is used, but the parse method takes precedence..struct
: A struct with a parse method.If T is not parsable, a custom parser (.parseFn
) can be defined for the argument. Obviously, a parser cannot be configured for a single option, as it would be meaningless.
Options and arguments can be configured with default values (.default
). Once configured, the option or argument becomes optional.
false
, and accumulative options default to 0
.?T
cannot be explicitly configured: they are forced to default to null
.Single options, options with a single argument of optional type, or single positional arguments of optional type are always optional.
Value ranges (.ranges
, .choices
) can be configured for arguments, which are validated after parsing.
Default values are not validated (intentional feature? 😄)
If constructing value ranges is cumbersome, .raw_choices
can be used to filter values before parsing.
Ranges
When T
implements compare, value .ranges
can be configured for the argument.
Choices
When T
implements equal, value .choices
can be configured for the argument.
A callback (.callBackFn
) can be configured, which will be executed after matching and parsing.
A command cannot have both positional arguments and subcommands simultaneously.
For the parser, except for accumulative options and options with a variable number of arguments, no option can appear more than once.
Various representations are primarily supported by the iterator.
Options are further divided into short options and long options:
-v
--verbose
Options with a single argument can use a connector to link the option and the argument:
-o=hello
, -o hello
--output=hello
, --output hello
Dropping the connector or whitespace for short options is not allowed, as it results in poor readability!
For options with a fixed number of arguments, connectors cannot be used, and all arguments must be provided at once. For example, with a long option:
--files f0 f1 f2 # [3]const T
Options with a variable number of arguments are similar to options with a single argument but can appear multiple times, e.g.:
--file f0 -v --file=f1 --greet # []const T
Multiple short options can share a prefix, but if an option takes an argument, it must be placed last, e.g.:
-Rns
-Rnso hello
-Rnso=hello
Once a positional argument appears, the parser informs the iterator to only return positional arguments, even if the arguments might have an option prefix, e.g.:
-o hello a b -v # -o is an option with a single argument, so a, b, -v are all positional arguments
An option terminator can be used to inform the iterator to only return positional arguments, e.g.:
--output hello -- a b -v
Double quotes can be used to avoid iterator ambiguity, e.g., to pass a negative number -1
, double quotes must be used:
--num \"-1\"
Since the shell removes double quotes, escape characters are also required! If a connector is used, escaping is unnecessary:
--num="-1"
.
As shown in the example at the beginning of the article, command construction can be completed in a single line of code through chaining.
const install = Command.new("install");
const _demo = Command.new("demo").requireSub("action")
.sub(install.callBack(struct {
fn f(_: *install.Result()) void {
std.debug.print("CallBack of {s}\n", .{install.name});
}
}.f));
const demo = _demo.callBack(struct {
fn f(_: *_demo.Result()) void {
std.debug.print("CallBack of {s}\n", .{_demo.name});
}
}.f);
const args = try cmd.parse(allocator);
defer cmd.destroy(&args, allocator);
Simply call parse
to generate the parser and argument structure. This method internally creates a system iterator, which is destroyed after use.
Additionally, parseFrom
supports passing a custom iterator and optionally avoids using a memory allocator. If no allocator is used, there is no need to defer destroy.
When the parser has completed its task, if you still need to handle the remaining arguments manually, you can call the iterator’s nextAllBase
method.
If further parsing of the arguments is required, you can use the parseAny
function.
Flexible for real and test scenarios
init
): get real command line arguments.initGeneral
): splits command line arguments from a one-line string.initLine
): same as regular iterator, but you can specify delimiters.initList
): iterates over a list of strings.Short option prefixes (-
), long option prefixes (--
), connectors (=
), option terminators (--
) can be customized for iterators (see presentation for usage scenarios).
_ = cmd.usage();
_ = cmd.help();
See https://kioz-wang.github.io/zargs/#doc.command.Command
Look at here
To build all examples:
zig build examples
To list all examples (all step prefixed ex-
are examples):
zig build -l
To execute an example:
zig build ex-01.add -- -h
Welcome to submit PRs to link your project that use
zargs
!
More real-world examples are coming!
MIT © Kioz Wang