I don’t know if this is cursed, but once, I wanted to have a CLI in my GUI, so I needed a function lookup table that could store functions with different signatures. But, I didn’t want to bother with parsing string arguments for every function. I just wanted to define a function, put it into a hash map with a name, retrieve it from the map, and call it. That’s it.
So, I created a function that takes and then returns another function containing the parsing logic. I don’t know if this approach is good, but the name is too good to not use.
pub const FuncType = *const fn ([]const Token) CommandRunError!void;
pub fn beholdMyFunctionInator(comptime function: anytype) FuncType {
const fn_info = @typeInfo(@TypeOf(function)).@"fn";
return struct {
pub fn inator(tokens: []const Token) CommandRunError!void {
if (fn_info.params.len == 0) {
function();
return;
}
if (tokens.len < fn_info.params.len) {
return CommandRunError.MissingArgs;
} else if (tokens.len > fn_info.params.len) {
return CommandRunError.ExtraArgs;
}
const Tuple = std.meta.ArgsTuple(@TypeOf(function));
var args_tuple: Tuple = undefined;
inline for (args_tuple, 0..) |_, index| {
const TupleElement = @TypeOf(args_tuple[index]);
switch (@typeInfo(TupleElement)) {
.int => {
args_tuple[index] = switch (tokens[index]) {
inline else => |v| try toInt(TupleElement, v),
};
},
.float => {
args_tuple[index] = switch (tokens[index]) {
inline else => |v| try toFloat(TupleElement, v),
};
},
.pointer => {
if (TupleElement != []const u8)
@compileError("`[]const u8` is the only pointer and slice type allowed but you have provided " ++
"`" ++ @typeName(TupleElement) ++ "`");
args_tuple[index] = switch (tokens[index]) {
.string => |string| string,
else => return CommandRunError.FunctionCommandMismatchedTypes,
};
},
.bool => {
args_tuple[index] = switch (tokens[index]) {
.bool => |b| b,
else => return CommandRunError.FunctionCommandMismatchedTypes,
};
},
else => @compileError("Only types allowed are `[]const u8`, `bool`, signed and unsigned ints and floats"),
}
}
@call(.auto, function, args_tuple);
}
}.inator;
}
fn toInt(comptime Int: type, value: anytype) !Int {
if (@typeInfo(Int) != .int) @compileError("`Int` must be an integer type");
return switch (@typeInfo(@TypeOf(value))) {
.int => @intCast(value),
.float => @intFromFloat(value),
else => return CommandRunError.FunctionCommandMismatchedTypes,
};
}
fn toFloat(comptime Float: type, value: anytype) !Float {
if (@typeInfo(Float) != .float) @compileError("`Float` must be an integer type");
return switch (@typeInfo(@TypeOf(value))) {
.int => @floatFromInt(value),
.float => @floatCast(value),
else => return CommandRunError.FunctionCommandMismatchedTypes,
};
}