open Printf

let version = "%%VERSION%%"

let error_to_string e =
  try raise e with
  | Lex.Invalid_character c -> sprintf "invalid character %c" c
  | Lex.Expected c -> sprintf "expected %c" c
  | Parser.Expected t -> sprintf "expected %s" t
  | Parser.Unexpected_token t -> sprintf "unexpected token \"%s\"" t
  | Ast.Invalid_type t -> sprintf "invalid type %s" (Ast.Type.to_string t)
  | Eval.No_such_variable v -> sprintf "no such variable %s" v
  | Failure f -> sprintf "error on %s" f
  | Division_by_zero -> "cannot divide by zero"
  | _ -> raise e

let print_error e =
  printf "error: %s\n" @@ error_to_string e

let vars = Hashtbl.create 100

(* read-eval-print *) 
let rep vars : unit =
  printf "> ";
  let line = read_line () in
  if line = "quit" then raise Exit;
  let v =
    line
    |> Lex.tokenize
    |> Parser.parse
    |> Eval.eval vars
  in
  match v with
  | Nop -> ()
  | _ ->
    Hashtbl.replace vars "ans" v;
    printf "%s\n" @@ Ast.Value.to_string v

exception Reset_line (* used to indicate ^C is pressed *)

let init_repl () =
  Hashtbl.replace vars "ans" (Ast.Value.Int 0);
  (* treat Ctrl-C as to reset line *)
  let reset_line _ = raise Reset_line in
  Sys.(set_signal sigint (Signal_handle reset_line))

(* simple REPL with error handling *)
let rec repl vars : unit =
  try rep vars; repl vars with
  | Exit | End_of_file (* Ctrl-D *) -> ()
  | Reset_line -> printf "\n"; repl vars
  | e -> print_error e; repl vars

let () =
  init_repl ();
  printf "Configurable Evaluator %s\n" version; (* banner *)
  repl vars