aboutsummaryrefslogtreecommitdiffstats
path: root/clox
diff options
context:
space:
mode:
authorGravatar Tom Willemse2021-07-27 22:21:40 -0700
committerGravatar Tom Willemse2021-07-27 22:21:40 -0700
commit73dfe7efa53b5ed58b9e1e94dceec14ec19d6308 (patch)
treecae36513c903b13b4dd68f802bd622585c622b7f /clox
parent79c1056553e5150cbdb12e52a19603fd33c3e517 (diff)
downloadcrafting-interpreters-73dfe7efa53b5ed58b9e1e94dceec14ec19d6308.tar.gz
crafting-interpreters-73dfe7efa53b5ed58b9e1e94dceec14ec19d6308.zip
Chapter 15.2
Diffstat (limited to 'clox')
-rw-r--r--clox/src/vm.c30
-rw-r--r--clox/src/vm.h7
2 files changed, 34 insertions, 3 deletions
diff --git a/clox/src/vm.c b/clox/src/vm.c
index 14a206e..ffd207d 100644
--- a/clox/src/vm.c
+++ b/clox/src/vm.c
@@ -6,16 +6,39 @@
VM vm;
-void initVM() {}
+static void resetStack() {
+ vm.stackTop = vm.stack;
+}
+
+void initVM() {
+ resetStack();
+}
void freeVM() {}
+void push(Value value) {
+ *vm.stackTop = value;
+ vm.stackTop++;
+}
+
+Value pop() {
+ vm.stackTop--;
+ return *vm.stackTop;
+}
+
static InterpretResult run() {
#define READ_BYTE() (*vm.ip++)
#define READ_CONSTANT() (vm.chunk->constants.values[READ_BYTE()])
for (;;) {
#ifdef DEBUG_TRACE_EXECUTION
+ printf(" ");
+ for (Value *slot = vm.stack; slot < vm.stackTop; slot++) {
+ printf("[ ");
+ printValue(*slot);
+ printf(" ]");
+ }
+ printf("\n");
disassembleInstruction(vm.chunk, (int)(vm.ip - vm.chunk->code));
#endif
@@ -23,11 +46,12 @@ static InterpretResult run() {
switch (instruction = READ_BYTE()) {
case OP_CONSTANT: {
Value constant = READ_CONSTANT();
- printValue(constant);
- printf("\n");
+ push(constant);
break;
}
case OP_RETURN: {
+ printValue(pop());
+ printf("\n");
return INTERPRET_OK;
}
}
diff --git a/clox/src/vm.h b/clox/src/vm.h
index d11ae70..2585bd2 100644
--- a/clox/src/vm.h
+++ b/clox/src/vm.h
@@ -2,10 +2,15 @@
#define clox_vm_h
#include "chunk.h"
+#include "value.h"
+
+#define STACK_MAX 256
typedef struct {
Chunk *chunk;
uint8_t *ip;
+ Value stack[STACK_MAX];
+ Value* stackTop;
} VM;
typedef enum {
@@ -17,5 +22,7 @@ typedef enum {
void initVM();
void freeVM();
InterpretResult interpret(Chunk *chunk);
+void push(Value value);
+Value pop();
#endif