zig-utils/zig-config
A zero-dependency, smart configuration loader for Zig.
A zero-dependency configuration loader for Zig, inspired by bunfig.
Add zig-config as a dependency in your build.zig:
const zig-config = b.dependency("zig-config", .{
.target = target,
.optimize = optimize,
});
exe.root_module.addImport("zig-config", zig-config.module("zig-config"));
const std = @import("std");
const zig_config = @import("zig-config");
// Define your configuration structure with full type safety!
const AppConfig = struct {
port: u16 = 8080,
debug: bool = false,
database: struct {
host: []const u8 = "localhost",
port: u16 = 5432,
} = .{},
};
pub fn main() !void {
var gpa = std.heap.GeneralPurposeAllocator(.{}){};
defer _ = gpa.deinit();
const allocator = gpa.allocator();
// Load configuration with compile-time type checking
var config = try zig_config.loadConfig(AppConfig, allocator, .{
.name = "myapp",
});
defer config.deinit(allocator);
// Access values with full type safety - no runtime type checking needed!
const port: u16 = config.value.port; // Compile-time type safe!
const debug: bool = config.value.debug; // IDE autocomplete works!
const db_host = config.value.database.host; // Nested structs supported!
std.debug.print("Server running on port {d}\n", .{port});
}
ZigConfig loads configuration from multiple sources with the following priority (highest to lowest):
./myapp.json, ./config/myapp.json, ./.config/myapp.json)~/.config/myapp.json)Environment variables are automatically parsed with type awareness:
# Boolean values
export MYAPP_DEBUG=true # → bool
export MYAPP_VERBOSE=1 # → bool (true)
export MYAPP_QUIET=false # → bool
export MYAPP_COLORS=yes # → bool (true)
# Numbers
export MYAPP_PORT=3000 # → integer
export MYAPP_TIMEOUT=30.5 # → float
# Arrays (comma-separated)
export MYAPP_HOSTS=localhost,api.example.com,cdn.example.com # → array of strings
# JSON objects/arrays
export MYAPP_DATABASE='{"host":"localhost","port":5432}' # → object
export MYAPP_TAGS='["production","web"]' # → array
# Strings (default)
export MYAPP_NAME="My Application" # → string
Environment variable naming:
env_prefix)Examples:
database.host → MYAPP_DATABASE_HOSTapi-key → MYAPP_API_KEYcache.ttl-seconds → MYAPP_CACHE_TTL_SECONDS?T for optional configurationconst Config = struct {
// Required fields (no default)
app_name: []const u8,
// Optional fields
api_key: ?[]const u8 = null,
// Fields with defaults
port: u16 = 8080,
debug: bool = false,
// Nested structures
database: struct {
host: []const u8 = "localhost",
port: u16 = 5432,
pool_size: u32 = 10,
} = .{},
// Arrays
allowed_hosts: [][]const u8 = &.{},
// Complex types
timeouts: struct {
connect_ms: u32 = 5000,
read_ms: u32 = 30000,
} = .{},
};
var config = try zig_config.loadConfig(Config, allocator, .{
.name = "myapp",
});
defer config.deinit(allocator);
// All fields are type-safe!
std.debug.print("App: {s}, Port: {d}\n", .{
config.value.app_name,
config.value.port,
});
const Config = struct {
port: u16 = 8080,
debug: bool = false,
};
var config = try zig_config.loadConfig(Config, allocator, .{
.name = "myapp",
});
defer config.deinit(allocator);
// Fully typed access!
const port: u16 = config.value.port;
const Config = struct {
port: u16 = 8080,
};
var config = try zig_config.loadConfig(Config, allocator, .{
.name = "myapp",
.cwd = "/path/to/project",
});
defer config.deinit(allocator);
const Config = struct {
port: u16 = 8080,
};
var config = try zig_config.loadConfig(Config, allocator, .{
.name = "myapp",
.env_prefix = "CUSTOM", // Uses CUSTOM_* instead of MYAPP_*
});
defer config.deinit(allocator);
const zig-config = @import("zig-config");
pub fn main() !void {
var gpa = std.heap.GeneralPurposeAllocator(.{}){};
defer _ = gpa.deinit();
const allocator = gpa.allocator();
var target = std.json.ObjectMap.init(allocator);
defer target.deinit();
try target.put("a", .{ .integer = 1 });
var source = std.json.ObjectMap.init(allocator);
defer source.deinit();
try source.put("b", .{ .integer = 2 });
const merged = try zig-config.deepMerge(
allocator,
.{ .object = target },
.{ .object = source },
.{ .strategy = .smart }, // or .replace, .concat
);
defer {
var iter = merged.object.iterator();
while (iter.next()) |entry| allocator.free(entry.key_ptr.*);
var obj = merged.object;
obj.deinit();
}
// Result: { "a": 1, "b": 2 }
}
.{ .strategy = .replace }
// Arrays are completely replaced
// [1, 2] + [3, 4] = [3, 4]
.{ .strategy = .concat }
// Arrays are concatenated with deduplication
// [1, 2] + [2, 3] = [1, 2, 3]
.{ .strategy = .smart }
// Object arrays are merged by key (id, name, key, path, type)
// [{"id": 1, "name": "a"}] + [{"id": 1, "name": "b"}]
// = [{"id": 1, "name": "b"}] // merged by id
The ConfigResult struct contains:
pub const ConfigResult = struct {
config: std.json.Value, // The loaded configuration
source: ConfigSource, // Primary source (.file_local, .file_home, .env_vars, .defaults)
sources: []SourceInfo, // All sources that contributed
loaded_at: i64, // Timestamp
allocator: std.mem.Allocator, // Allocator used
pub fn deinit(self: *ConfigResult) void;
};
ZigConfig searches for configuration files in this order:
./myapp.json, ./myapp.zig./config/myapp.json, ./config/myapp.zig./.config/myapp.json, ./.config/myapp.zig~/.config/myapp.json, ~/.config/myapp.zigExtension priority: .json > .zig
ZigConfig provides detailed error types:
pub const ZigConfigError = error{
ConfigFileNotFound,
ConfigFileInvalid,
ConfigFilePermissionDenied,
ConfigFileSyntaxError,
ConfigValidationFailed,
ConfigSchemaViolation,
EnvVarParseError,
CircularReferenceDetected,
MergeStrategyInvalid,
CacheError,
};
Example error handling:
const config = zig-config.loadConfig(allocator, .{
.name = "myapp",
}) catch |err| switch (err) {
error.ConfigFileNotFound => {
// Use defaults or create new config
std.debug.print("No config found, using defaults\n", .{});
return;
},
error.ConfigFileSyntaxError => {
std.debug.print("Invalid JSON in config file\n", .{});
return error.InvalidConfig;
},
else => return err,
};
defer config.deinit();
zig build test
All 20 tests passing! Note: There are 4 known memory "leaks" from Zig's JSON parser's internal arena allocator - these are expected and don't affect runtime behavior.
loadConfigpub fn loadConfig(
allocator: std.mem.Allocator,
options: types.LoadOptions,
) !types.ConfigResult
Load configuration with full error handling.
tryLoadConfigpub fn tryLoadConfig(
allocator: std.mem.Allocator,
options: types.LoadOptions,
) ?types.ConfigResult
Load configuration, returning null on error (no exceptions).
deepMergepub fn deepMerge(
allocator: std.mem.Allocator,
target: std.json.Value,
source: std.json.Value,
options: types.MergeOptions,
) !std.json.Value
Deep merge two JSON values.
pub const LoadOptions = struct {
name: []const u8,
defaults: ?std.json.Value = null,
cwd: ?[]const u8 = null,
validate: bool = true,
cache: bool = true,
cache_ttl: u64 = 300_000,
env_prefix: ?[]const u8 = null,
merge_strategy: MergeStrategy = .smart,
};
pub const MergeStrategy = enum {
replace,
concat,
smart,
};
pub const ConfigSource = enum {
file_local,
file_home,
package_json,
env_vars,
defaults,
};
MIT
Contributions welcome! Please ensure:
zig build test)Inspired by bunfig by the Stacks team.