65 lines
1.9 KiB
TypeScript
65 lines
1.9 KiB
TypeScript
![]() |
import fs from "node:fs"
|
||
|
|
||
|
import { abstractSyntaxTree } from "./abstractSyntaxTree";
|
||
|
import { lexer } from "./tokeniser";
|
||
|
import { executor } from "./executor";
|
||
|
|
||
|
describe("test", () => {
|
||
|
it("test assigning two variables, the second summing with the first", () => {
|
||
|
const code = `const myVar = 5
|
||
|
const newVar = myVar + 1`;
|
||
|
const tokens = lexer(code);
|
||
|
const ast = abstractSyntaxTree(tokens);
|
||
|
const programMemory = executor(ast);
|
||
|
expect(withoutStdFns(programMemory)).toEqual({
|
||
|
root: {
|
||
|
myVar: 5,
|
||
|
newVar: 6,
|
||
|
},
|
||
|
});
|
||
|
});
|
||
|
it("test assigning a var with a string", () => {
|
||
|
const code = `const myVar = "a str"`
|
||
|
const tokens = lexer(code);
|
||
|
const ast = abstractSyntaxTree(tokens);
|
||
|
const programMemory = executor(ast);
|
||
|
expect(withoutStdFns(programMemory)).toEqual({
|
||
|
root: {
|
||
|
myVar: "a str",
|
||
|
},
|
||
|
});
|
||
|
});
|
||
|
it("test assigning a var by cont concatenating two strings string", () => {
|
||
|
const code = fs.readFileSync("./src/lang/testExamples/variableDeclaration.cado", "utf-8");
|
||
|
const tokens = lexer(code);
|
||
|
const ast = abstractSyntaxTree(tokens);
|
||
|
const programMemory = executor(ast);
|
||
|
expect(withoutStdFns(programMemory)).toEqual({
|
||
|
root: {
|
||
|
myVar: "a str another str",
|
||
|
},
|
||
|
});
|
||
|
});
|
||
|
it("test with function call", () => {
|
||
|
const code = `
|
||
|
const myVar = "hello"
|
||
|
log(5, myVar)`
|
||
|
const programMemoryOverride = {
|
||
|
log: jest.fn(),
|
||
|
}
|
||
|
const programMemory = executor(abstractSyntaxTree(lexer(code)), programMemoryOverride);
|
||
|
expect(withoutStdFns(programMemory)).toEqual({
|
||
|
root: {myVar: "hello"},
|
||
|
});
|
||
|
expect(programMemoryOverride.log).toHaveBeenCalledWith(5, "hello");
|
||
|
})
|
||
|
});
|
||
|
|
||
|
// helpers
|
||
|
|
||
|
function withoutStdFns(obj: any) {
|
||
|
const newRoot = { ...obj.root };
|
||
|
const newObj = { ...obj, root: newRoot };
|
||
|
delete newObj.root.log;
|
||
|
return newObj;
|
||
|
}
|