1
1
mirror of https://github.com/kanaka/mal.git synced 2024-09-21 02:27:10 +03:00
mal/dart/step2_eval.dart
Joel Martin dd7a4f55f3 Test uncaught throw, catchless try* . Fix 46 impls.
Fixes made to: ada, c, chuck, clojure, coffee, common-lisp, cpp,
crystal, d, dart, elm, erlang, es6, factor, fsharp, gnu-smalltalk,
groovy, guile, haxe, hy, js, livescript, matlab, miniMAL, nasm, nim,
objc, objpascal, ocaml, perl, perl6, php, plsql, ps, python, r,
rpython, ruby, scheme, swift3, tcl, ts, vb, vimscript, wasm, yorick.

Catchless try* test is an optional test. Not all implementations
support catchless try* but a number were fixed so they at least don't
crash on catchless try*.
2018-12-12 14:18:26 -06:00

87 lines
2.3 KiB
Dart

import 'dart:io';
import 'printer.dart' as printer;
import 'reader.dart' as reader;
import 'types.dart';
final Map<MalSymbol, Function> replEnv = <MalSymbol, Function>{
new MalSymbol('+'): (MalInt a, MalInt b) => new MalInt(a.value + b.value),
new MalSymbol('-'): (MalInt a, MalInt b) => new MalInt(a.value - b.value),
new MalSymbol('*'): (MalInt a, MalInt b) => new MalInt(a.value * b.value),
new MalSymbol('/'): (MalInt a, MalInt b) => new MalInt(a.value ~/ b.value),
};
MalType READ(String x) => reader.read_str(x);
class NotFoundException implements Exception {
/// The name of the symbol that was not found.
final String value;
NotFoundException(this.value);
}
eval_ast(MalType ast, Map<MalSymbol, Function> env) {
if (ast is MalSymbol) {
var result = env[ast];
if (result == null) {
throw new NotFoundException(ast.value);
}
return result;
} else if (ast is MalList) {
return new MalList(ast.elements.map((x) => EVAL(x, env)).toList());
} else if (ast is MalVector) {
return new MalVector(ast.elements.map((x) => EVAL(x, env)).toList());
} else if (ast is MalHashMap) {
var newMap = new Map.from(ast.value);
for (var key in newMap.keys) {
newMap[key] = EVAL(newMap[key], env);
}
return new MalHashMap(newMap);
} else {
return ast;
}
}
EVAL(MalType ast, Map<MalSymbol, Function> env) {
if (ast is! MalList) {
return eval_ast(ast, env);
} else {
if ((ast as MalList).elements.isEmpty) {
return ast;
} else {
var newAst = eval_ast(ast, env) as MalList;
Function f = newAst.elements.first;
var args = newAst.elements.sublist(1);
return Function.apply(f, args);
}
}
}
String PRINT(MalType x) => printer.pr_str(x);
String rep(String x) {
return PRINT(EVAL(READ(x), replEnv));
}
const prompt = 'user> ';
main() {
while (true) {
stdout.write(prompt);
var input = stdin.readLineSync();
if (input == null) return;
var output;
try {
output = rep(input);
} on reader.ParseException catch (e) {
stdout.writeln("Error: '${e.message}'");
continue;
} on NotFoundException catch (e) {
stdout.writeln("Error: '${e.value}' not found");
continue;
} on reader.NoInputException {
continue;
}
stdout.writeln(output);
}
}