aboutsummaryrefslogtreecommitdiff
path: root/std/math.zig
blob: 49396ca25d4ffcef033f07e3611df553a6e0b913 (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
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
const assert = @import("debug.zig").assert;

pub const Cmp = enum {
    Equal,
    Greater,
    Less,
};

pub fn min(x: var, y: var) -> @typeOf(x + y) {
    if (x < y) x else y
}

pub fn max(x: var, y: var) -> @typeOf(x + y) {
    if (x > y) x else y
}

error Overflow;
pub fn mulOverflow(comptime T: type, a: T, b: T) -> %T {
    var answer: T = undefined;
    if (@mulWithOverflow(T, a, b, &answer)) error.Overflow else answer
}
pub fn addOverflow(comptime T: type, a: T, b: T) -> %T {
    var answer: T = undefined;
    if (@addWithOverflow(T, a, b, &answer)) error.Overflow else answer
}
pub fn subOverflow(comptime T: type, a: T, b: T) -> %T {
    var answer: T = undefined;
    if (@subWithOverflow(T, a, b, &answer)) error.Overflow else answer
}
pub fn shlOverflow(comptime T: type, a: T, b: T) -> %T {
    var answer: T = undefined;
    if (@shlWithOverflow(T, a, b, &answer)) error.Overflow else answer
}

pub fn log(comptime base: usize, value: var) -> @typeOf(value) {
    const T = @typeOf(value);
    if (@isInteger(T)) {
        if (base == 2) {
            return T.bit_count - 1 - @clz(value);
        } else {
            @compileError("TODO implement log for non base 2 integers");
        }
    } else if (@isFloat(T)) {
        @compileError("TODO implement log for floats");
    } else {
        @compileError("log expects integer or float, found '" ++ @typeName(T) ++ "'");
    }
}

/// x must be an integer or a float
/// Note that this causes undefined behavior if
/// @typeOf(x).is_signed && x == @minValue(@typeOf(x)).
pub fn abs(x: var) -> @typeOf(x) {
    const T = @typeOf(x);
    if (@isInteger(T)) {
        return if (x < 0) -x else x;
    } else if (@isFloat(T)) {
        @compileError("TODO implement abs for floats");
    } else {
        @unreachable();
    }
}
fn getReturnTypeForAbs(comptime T: type) -> type {
    if (@isInteger(T)) {
        return @intType(false, T.bit_count);
    } else {
        return T;
    }
}

fn testMath() {
    @setFnTest(this);

    assert(%%mulOverflow(i32, 3, 4) == 12);
    assert(%%addOverflow(i32, 3, 4) == 7);
    assert(%%subOverflow(i32, 3, 4) == -1);
    assert(%%shlOverflow(i32, 0b11, 4) == 0b110000);

    comptime {
        assert(%%mulOverflow(i32, 3, 4) == 12);
        assert(%%addOverflow(i32, 3, 4) == 7);
        assert(%%subOverflow(i32, 3, 4) == -1);
        assert(%%shlOverflow(i32, 0b11, 4) == 0b110000);
    }
}