-
Notifications
You must be signed in to change notification settings - Fork 0
/
value.c
62 lines (50 loc) · 1.39 KB
/
value.c
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
#include <stdio.h>
#include <string.h>
#include "object.h"
#include "memory.h"
#include "value.h"
void init_value_array(value_array_t* array) {
array->capacity = 0;
array->count = 0;
array->values = NULL;
}
void write_value_array(value_array_t* array, value_t value) {
if (array->capacity < array->count + 1) {
int old_capacity = array->capacity;
array->capacity = GROW_CAPACITY(old_capacity);
array->values = GROW_ARRAY(value_t, array->values, old_capacity, array->capacity);
}
array->values[array->count] = value;
array->count++;
}
void free_value_array(value_array_t* array) {
FREE_ARRAY(value_t, array->values, array->capacity);
// Now leave the array in a nice empty state.
init_value_array(array);
}
void print_value(value_t value) {
switch (value.type) {
case VAL_BOOL:
printf(AS_BOOL(value) ? "true" : "false");
break;
case VAL_NULL:
printf("null");
break;
case VAL_NUMBER:
printf("%g", AS_NUMBER(value));
break;
case VAL_OBJ:
print_object(value);
break;
}
}
bool values_equal(value_t a, value_t b) {
if (a.type != b.type) return false;
switch (a.type) {
case VAL_BOOL: return AS_BOOL(a) == AS_BOOL(b);
case VAL_NULL: return true;
case VAL_NUMBER: return AS_NUMBER(a) == AS_NUMBER(b);
case VAL_OBJ: return AS_OBJ(a) == AS_OBJ(b);
default: return false; // Unreachable.
}
}