2018-02-20 01:28:29 +03:00
|
|
|
open GT
|
2018-02-25 19:14:25 +03:00
|
|
|
open Language
|
2018-02-20 01:28:29 +03:00
|
|
|
|
|
|
|
|
(* The type for the stack machine instructions *)
|
|
|
|
|
@type insn =
|
|
|
|
|
(* binary operator *) | BINOP of string
|
2018-03-04 18:14:32 +03:00
|
|
|
(* put a constant on the stack *) | CONST of int
|
2018-02-20 01:28:29 +03:00
|
|
|
(* read to stack *) | READ
|
|
|
|
|
(* write from stack *) | WRITE
|
|
|
|
|
(* load a variable to the stack *) | LD of string
|
|
|
|
|
(* store a variable from the stack *) | ST of string with show
|
|
|
|
|
|
|
|
|
|
(* The type for the stack machine program *)
|
|
|
|
|
type prg = insn list
|
|
|
|
|
|
|
|
|
|
(* The type for the stack machine configuration: a stack and a configuration from statement
|
|
|
|
|
interpreter
|
|
|
|
|
*)
|
2018-02-25 19:14:25 +03:00
|
|
|
type config = int list * Stmt.config
|
2018-02-20 01:28:29 +03:00
|
|
|
|
|
|
|
|
(* Stack machine interpreter
|
|
|
|
|
|
|
|
|
|
val eval : config -> prg -> config
|
|
|
|
|
|
|
|
|
|
Takes a configuration and a program, and returns a configuration as a result
|
|
|
|
|
*)
|
2018-03-07 10:18:30 +03:00
|
|
|
let rec eval ((stack, ((st, i, o) as c)) as conf) = function
|
|
|
|
|
| [] -> conf
|
|
|
|
|
| insn :: prg' ->
|
|
|
|
|
eval
|
|
|
|
|
(match insn with
|
|
|
|
|
| BINOP op -> let y::x::stack' = stack in (Expr.to_func op x y :: stack', c)
|
|
|
|
|
| READ -> let z::i' = i in (z::stack, (st, i', o))
|
|
|
|
|
| WRITE -> let z::stack' = stack in (stack', (st, i, o @ [z]))
|
|
|
|
|
| CONST i -> (i::stack, c)
|
|
|
|
|
| LD x -> (st x :: stack, c)
|
|
|
|
|
| ST x -> let z::stack' = stack in (stack', (Expr.update x z st, i, o))
|
|
|
|
|
) prg'
|
2018-02-20 01:28:29 +03:00
|
|
|
|
2018-02-25 15:02:30 +03:00
|
|
|
(* Top-level evaluation
|
|
|
|
|
|
2018-03-06 18:46:57 +03:00
|
|
|
val run : prg -> int list -> int list
|
2018-02-25 15:02:30 +03:00
|
|
|
|
2018-03-07 14:54:02 +03:00
|
|
|
Takes a program, an input stream, and returns an output stream this program calculates
|
2018-02-25 15:02:30 +03:00
|
|
|
*)
|
2018-03-07 10:18:30 +03:00
|
|
|
let run p i = let (_, (_, _, o)) = eval ([], (Expr.empty, i, [])) p in o
|
2018-02-25 15:02:30 +03:00
|
|
|
|
2018-02-20 01:28:29 +03:00
|
|
|
(* Stack machine compiler
|
|
|
|
|
|
2018-02-25 14:48:13 +03:00
|
|
|
val compile : Language.Stmt.t -> prg
|
2018-02-20 01:28:29 +03:00
|
|
|
|
|
|
|
|
Takes a program in the source language and returns an equivalent program for the
|
|
|
|
|
stack machine
|
2018-03-07 10:18:30 +03:00
|
|
|
*)
|
|
|
|
|
let rec compile =
|
|
|
|
|
let rec expr = function
|
|
|
|
|
| Expr.Var x -> [LD x]
|
|
|
|
|
| Expr.Const n -> [CONST n]
|
|
|
|
|
| Expr.Binop (op, x, y) -> expr x @ expr y @ [BINOP op]
|
|
|
|
|
in
|
|
|
|
|
function
|
|
|
|
|
| Stmt.Seq (s1, s2) -> compile s1 @ compile s2
|
|
|
|
|
| Stmt.Read x -> [READ; ST x]
|
|
|
|
|
| Stmt.Write e -> expr e @ [WRITE]
|
|
|
|
|
| Stmt.Assign (x, e) -> expr e @ [ST x]
|