aboutsummaryrefslogtreecommitdiff
path: root/2022/05-supply-stacks/second.zig
blob: 580f69b480272a35a057301f49a970f92553e5e6 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
const std = @import("std");

const example = @embedFile("example");
const input = @embedFile("input");

pub fn main() anyerror!void {
    var arena = std.heap.ArenaAllocator.init(std.heap.page_allocator);
    defer arena.deinit();
    const allocator = arena.allocator();

    var output = try solve(example, allocator);
    try std.testing.expect(std.mem.eql(u8, output, "MCD"));

    const result = try solve(input, allocator);
    try std.io.getStdOut().writer().print("{s}\n", .{result});
}

fn solve(puzzle: []const u8, allocator: std.mem.Allocator) ![]u8 {
    var it = std.mem.tokenize(u8, puzzle, "\n");
    var line = it.next() orelse unreachable;
    // Initializations from the first line
    const size = (line.len + 1) / 4;
    var output = try allocator.alloc(u8, size);
    var stacks = try allocator.alloc(std.ArrayList(u8), size);
    for (stacks) |*stack| {
        stack.* = std.ArrayList(u8).init(allocator);
    }
    // parse stacks
    while (true) {
        var i: usize = 0;
        while (i < size) : (i += 1) {
            const v = line[i * 4 + 1];
            if (v != ' ') {
                try stacks[i].insert(0, v);
            }
        }
        line = it.next() orelse unreachable;
        if (line[0] != '[') { // we got the line with numbers
            break;
        }
    }
    // process rules
    while (it.next()) |l| {
        var elts = std.mem.split(u8, l, " ");
        _ = elts.next() orelse unreachable; // the move word
        var n = try std.fmt.parseInt(u8, elts.next() orelse unreachable, 10);
        _ = elts.next() orelse unreachable; // the from word
        const s = try std.fmt.parseInt(u8, elts.next() orelse unreachable, 10) - 1;
        _ = elts.next() orelse unreachable; // the to word
        const d = try std.fmt.parseInt(u8, elts.next() orelse unreachable, 10) - 1;
        const nl = stacks[s].items.len - n;
        try stacks[d].appendSlice(stacks[s].items[nl..]);
        stacks[s].items.len = nl;
    }
    // generate output
    var i: usize = 0;
    while (i < size) : (i += 1) {
        output[i] = stacks[i].pop();
    }
    return output;
}