scritcher/src/lang.zig

84 lines
2.2 KiB
Zig
Raw Normal View History

2019-07-08 02:03:55 +00:00
const std = @import("std");
2019-07-08 03:23:12 +00:00
pub const ParseError = error{
NoCommandGiven,
UnknownCommand,
};
2019-07-08 02:03:55 +00:00
pub const CommandType = enum {
Noop,
Load,
Amp,
Quicksave,
};
pub const Command = struct {
command: CommandType,
2019-07-08 03:09:34 +00:00
args: ArgList,
2019-07-08 02:03:55 +00:00
pub fn print(self: *const Command) void {
2019-07-08 03:09:34 +00:00
std.debug.warn("cmd:{}\n", self.command);
2019-07-08 02:03:55 +00:00
}
};
2019-07-08 03:09:34 +00:00
pub const CommandList = std.ArrayList(*Command);
pub const ArgList = std.ArrayList([]const u8);
2019-07-08 03:23:12 +00:00
pub fn commandToCmdType(command: []const u8) ParseError!CommandType {
2019-07-08 03:09:34 +00:00
if (std.mem.eql(u8, command, "noop")) {
2019-07-08 03:23:12 +00:00
return CommandType.Noop;
2019-07-08 03:09:34 +00:00
} else if (std.mem.eql(u8, command, "load")) {
2019-07-08 03:23:12 +00:00
return CommandType.Load;
2019-07-08 03:09:34 +00:00
} else if (std.mem.eql(u8, command, "amp")) {
2019-07-08 03:23:12 +00:00
return CommandType.Amp;
2019-07-08 03:09:34 +00:00
} else if (std.mem.eql(u8, command, "quicksave")) {
2019-07-08 03:23:12 +00:00
return CommandType.Quicksave;
2019-07-08 03:09:34 +00:00
} else {
2019-07-08 03:23:12 +00:00
std.debug.warn("Unknown command: '{}'\n", command);
return ParseError.UnknownCommand;
2019-07-08 03:09:34 +00:00
}
}
2019-07-08 02:03:55 +00:00
pub const Lang = struct {
allocator: *std.mem.Allocator,
pub fn init(allocator: *std.mem.Allocator) Lang {
return Lang{ .allocator = allocator };
}
2019-07-08 03:09:34 +00:00
pub fn parse(self: *Lang, data: []const u8) !CommandList {
2019-07-08 02:03:55 +00:00
var splitted_it = std.mem.separate(data, ";");
var cmds = CommandList.init(self.allocator);
while (splitted_it.next()) |stmt_orig| {
var stmt = std.mem.trimRight(u8, stmt_orig, "\n");
2019-07-08 16:55:54 +00:00
stmt = std.mem.trimLeft(u8, stmt, "\n");
2019-07-08 02:03:55 +00:00
if (stmt.len == 0) continue;
2019-07-08 03:09:34 +00:00
// TODO better tokenizer instead of just tokenize(" ");
var tok_it = std.mem.tokenize(stmt, " ");
2019-07-08 03:23:12 +00:00
var cmd_opt = tok_it.next();
if (cmd_opt == null) return ParseError.NoCommandGiven;
var command = cmd_opt.?;
var ctype = try commandToCmdType(command);
2019-07-08 03:09:34 +00:00
var args = ArgList.init(self.allocator);
while (tok_it.next()) |arg| {
try args.append(arg);
}
// construct final Command based on command
var cmd_ptr = try self.allocator.create(Command);
cmd_ptr.* = Command{ .command = ctype, .args = args };
try cmds.append(cmd_ptr);
2019-07-08 02:03:55 +00:00
}
return cmds;
}
};
2019-07-08 03:09:34 +00:00
// TODO tests