prototype-3x5/notcl.js

100 lines
2.3 KiB
JavaScript
Raw Normal View History

2023-07-27 05:54:06 +00:00
/**
2023-07-29 04:37:25 +00:00
* @typedef {Notcl.Command[]} Notcl.Script
* @typedef {Notcl.Word[]} Notcl.Command
* @typedef {object} Notcl.Word
2023-07-27 05:54:06 +00:00
* @property {string} text
*/
2023-07-29 04:37:25 +00:00
var Notcl = (() => {
2023-07-29 17:50:13 +00:00
const { AtLeast, Choose, End, Map, Regex, Sequence } = Peg;
2023-07-29 17:50:13 +00:00
const InterCommandWhitespace = Regex(/\s+/y);
2023-07-29 17:50:13 +00:00
const Comment = Regex(/#.*\n/y);
const PreCommand = AtLeast(0, Choose(InterCommandWhitespace, Comment));
2023-07-29 17:50:13 +00:00
const PreWordWhitespace = Regex(/[^\S\n;]*/y);
2023-07-29 17:50:13 +00:00
const BasicWord = Map(Regex(/[^\s;]+/y), ([word]) => ({
2023-07-29 04:37:25 +00:00
text: word,
}));
// WIP, need to be able to escape braces correctly
// WIP, error if anything after closing brace
2023-07-29 17:50:13 +00:00
const BracePattern = Map(
Sequence(
Regex(/\{/y),
AtLeast(
0,
2023-07-29 17:50:13 +00:00
Choose(
Map(Brace, (text) => `{${text}}`),
Map(Regex(/[^{}]+/y), ([text]) => text)
)
),
2023-07-29 17:50:13 +00:00
Regex(/\}/y)
),
([_left, fragments, _right]) => fragments.join("")
);
/**
* @type {Peg.Pattern<string>}
*/
function Brace(source, index) {
// Thunk to allow Brace to recurse
return BracePattern(source, index);
}
2023-07-29 17:50:13 +00:00
const Word = Map(
Sequence(
PreWordWhitespace,
2023-07-29 17:50:13 +00:00
Choose(
Map(BracePattern, (text) => ({
text,
})),
BasicWord
)
),
2023-07-29 04:37:25 +00:00
([_, word]) => word
);
2023-07-29 17:50:13 +00:00
const CommandTerminator = Sequence(
2023-07-29 05:45:55 +00:00
PreWordWhitespace,
2023-07-29 17:50:13 +00:00
Choose(/** @type {Peg.Pattern<unknown>} */ (Regex(/[\n;]/y)), End)
2023-07-29 05:45:55 +00:00
);
2023-07-29 17:50:13 +00:00
const Command = Map(
Sequence(PreCommand, AtLeast(0, Word), CommandTerminator),
2023-07-29 05:45:55 +00:00
([_padding, words, _end]) => words
);
2023-07-29 04:37:25 +00:00
return {
/**
* Parse out a Notcl script into an easier-to-interpret representation.
* No script is actually executed yet.
*
* @param {string} code
* @returns Script
*/
parse(code) {
/* Preprocess */
// fold line endings
code = code.replace(/(?<!\\)((\\\\)*)\\\n/g, "$1");
2023-07-27 05:54:06 +00:00
2023-07-29 05:45:55 +00:00
function nextCommand() {
const [words, nextIndex] = Command(code, 0) ?? [[], 0];
code = code.substring(nextIndex);
return words;
2023-07-29 04:37:25 +00:00
}
2023-07-27 05:54:06 +00:00
2023-07-29 04:37:25 +00:00
/* Loop through commands, with safety check */
const script = /** @type {Notcl.Command[]} */ ([]);
for (let i = 0; i < 1000 && code != ""; i++) {
script.push(nextCommand());
}
2023-07-27 05:54:06 +00:00
2023-07-29 04:37:25 +00:00
return script;
},
};
})();