summaryrefslogtreecommitdiff
path: root/util/mem.zig
blob: 3b68dad8e3dbcbdc250f0c4c7210796f83891768 (plain) (blame)
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
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
const std = @import("std");

const math = std.math;
const testing_allocator = std.testing.allocator;

/// Returns the position of the smallest number in a slice.
pub fn min_idx(comptime T: type, slice: []const T) usize {
    var best = slice[0];
    var idx: usize = 0;

    for (slice[1..]) |item, i| {
        const possible_best = math.min(best, item);
        if (best > possible_best) {
            best = possible_best;
            idx = i + 1;
        }
    }
    return idx;
}

/// Returns a slice of the duplicated values amongst all slices.
/// { {1,2,3,4}, {4,5,6,1} } -> {1,4}
pub fn dupl_values(comptime T: type, allocator: std.mem.Allocator, haystacks: []const []const T) ![]T {
    var haystacks_maps = blk: {
        var r = std.ArrayList(std.AutoHashMap(T, bool)).init(allocator);
        for (haystacks) |haystack| {
            var haystack_map = std.AutoHashMap(T, bool).init(allocator);
            for (haystack) |item| {
                try haystack_map.put(item, true);
            }
            try r.append(haystack_map);
        }
        break :blk r.toOwnedSlice();
    };

    defer blk: {
        for (haystacks_maps) |*haystack| {
            haystack.deinit();
        }
        allocator.free(haystacks_maps);
        break :blk;
    }

    var dupl = std.ArrayList(T).init(allocator);
    var seen = std.AutoHashMap(T, bool).init(allocator);
    defer seen.deinit();

    for (haystacks[0]) |item| {
        if (seen.contains(item))
            continue;

        try seen.put(item, true);

        var duplicated = true;

        for (haystacks_maps[1..]) |map| {
            if (!map.contains(item)) {
                duplicated = false;
                continue;
            }
        }

        if (duplicated)
            try dupl.append(item);
    }

    return dupl.toOwnedSlice();
}

test "dupl_values" {
    const haystack = [_][]const u8{ &[_]u8{ 1, 2, 3, 1 }, &[_]u8{ 2, 3, 1, 5 }, &[_]u8{ 3, 2, 1, 4 } };
    var foo = try dupl_values(u8, testing_allocator, &haystack);
    defer testing_allocator.free(foo);

    try std.testing.expect(std.mem.eql(u8, foo, &[_]u8{ 1, 2, 3 }));
}