1 | // gc_mops.h - corresponds to mycpp/mops.py
|
2 |
|
3 | #ifndef MYCPP_GC_MOPS_H
|
4 | #define MYCPP_GC_MOPS_H
|
5 |
|
6 | #include <stdint.h>
|
7 |
|
8 | #include "mycpp/common.h" // DCHECK
|
9 | #include "mycpp/gc_tuple.h"
|
10 |
|
11 | class BigStr;
|
12 |
|
13 | namespace mops {
|
14 |
|
15 | // BigInt library
|
16 | // TODO: Make it arbitrary size. Right now it's int64_t, which is distinct
|
17 | // from int.
|
18 |
|
19 | typedef int64_t BigInt;
|
20 |
|
21 | // For convenience
|
22 | extern const BigInt ZERO;
|
23 | extern const BigInt ONE;
|
24 | extern const BigInt MINUS_ONE;
|
25 | extern const BigInt MINUS_TWO;
|
26 |
|
27 | BigStr* ToStr(BigInt b);
|
28 | BigStr* ToOctal(BigInt b);
|
29 | BigStr* ToHexUpper(BigInt b);
|
30 | BigStr* ToHexLower(BigInt b);
|
31 |
|
32 | BigInt FromStr(BigStr* s, int base = 10);
|
33 | Tuple2<bool, BigInt> FromStr2(BigStr* s, int base = 10);
|
34 | Tuple2<bool, BigInt> FromFloat(double f);
|
35 |
|
36 | inline int BigTruncate(BigInt b) {
|
37 | return static_cast<int>(b);
|
38 | }
|
39 |
|
40 | inline BigInt IntWiden(int b) {
|
41 | return static_cast<BigInt>(b);
|
42 | }
|
43 |
|
44 | inline BigInt FromC(int64_t i) {
|
45 | return i;
|
46 | }
|
47 |
|
48 | inline BigInt FromBool(bool b) {
|
49 | return b ? BigInt(1) : BigInt(0);
|
50 | }
|
51 |
|
52 | inline double ToFloat(BigInt b) {
|
53 | return static_cast<double>(b);
|
54 | }
|
55 |
|
56 | inline BigInt Negate(BigInt b) {
|
57 | return -b;
|
58 | }
|
59 |
|
60 | inline BigInt Add(BigInt a, BigInt b) {
|
61 | return a + b;
|
62 | }
|
63 |
|
64 | inline BigInt Sub(BigInt a, BigInt b) {
|
65 | return a - b;
|
66 | }
|
67 |
|
68 | inline BigInt Mul(BigInt a, BigInt b) {
|
69 | return a * b;
|
70 | }
|
71 |
|
72 | inline BigInt Div(BigInt a, BigInt b) {
|
73 | // Same check as in mops.py
|
74 | DCHECK(b != 0); // divisor can't be zero
|
75 | return a / b;
|
76 | }
|
77 |
|
78 | inline BigInt Rem(BigInt a, BigInt b) {
|
79 | // Same check as in mops.py
|
80 | DCHECK(b != 0); // divisor can't be zero
|
81 | return a % b;
|
82 | }
|
83 |
|
84 | inline bool Equal(BigInt a, BigInt b) {
|
85 | return a == b;
|
86 | }
|
87 |
|
88 | inline bool Greater(BigInt a, BigInt b) {
|
89 | return a > b;
|
90 | }
|
91 |
|
92 | inline BigInt LShift(BigInt a, BigInt b) {
|
93 | DCHECK(b >= 0);
|
94 | return a << b;
|
95 | }
|
96 |
|
97 | inline BigInt RShift(BigInt a, BigInt b) {
|
98 | DCHECK(b >= 0);
|
99 | return a >> b;
|
100 | }
|
101 |
|
102 | inline BigInt BitAnd(BigInt a, BigInt b) {
|
103 | return a & b;
|
104 | }
|
105 |
|
106 | inline BigInt BitOr(BigInt a, BigInt b) {
|
107 | return a | b;
|
108 | }
|
109 |
|
110 | inline BigInt BitXor(BigInt a, BigInt b) {
|
111 | return a ^ b;
|
112 | }
|
113 |
|
114 | inline BigInt BitNot(BigInt a) {
|
115 | return ~a;
|
116 | }
|
117 |
|
118 | } // namespace mops
|
119 |
|
120 | #endif // MYCPP_GC_MOPS_H
|