mirror of
https://github.com/RGBCube/serenity
synced 2025-10-24 06:12:07 +00:00

Adds fully functioning template literals. Because template literals contain expressions, most of the work has to be done in the Lexer rather than the Parser. And because of the complexity of template literals (expressions, nesting, escapes, etc), the Lexer needs to have some template-related state. When entering a new template literal, a TemplateLiteralStart token is emitted. When inside a literal, all text will be parsed up until a '${' or '`' (or EOF, but that's a syntax error) is seen, and then a TemplateLiteralExprStart token is emitted. At this point, the Lexer proceeds as normal, however it keeps track of the number of opening and closing curly braces it has seen in order to determine the close of the expression. Once it finds a matching curly brace for the '${', a TemplateLiteralExprEnd token is emitted and the state is updated accordingly. When the Lexer is inside of a template literal, but not an expression, and sees a '`', this must be the closing grave: a TemplateLiteralEnd token is emitted. The state required to correctly parse template strings consists of a vector (for nesting) of two pieces of information: whether or not we are in a template expression (as opposed to a template string); and the count of the number of unmatched open curly braces we have seen (only applicable if the Lexer is currently in a template expression). TODO: Add support for template literal newlines in the JS REPL (this will cause a syntax error currently): > `foo > bar` 'foo bar'
45 lines
1.3 KiB
JavaScript
45 lines
1.3 KiB
JavaScript
load("test-common.js");
|
|
|
|
try {
|
|
assert(`foo` === "foo");
|
|
assert(`foo{` === "foo{");
|
|
assert(`foo}` === "foo}");
|
|
assert(`foo$` === "foo$");
|
|
assert(`foo\`` === "foo`")
|
|
assert(`foo\$` === "foo$");
|
|
|
|
assert(`foo ${undefined}` === "foo undefined");
|
|
assert(`foo ${null}` === "foo null");
|
|
assert(`foo ${5}` === "foo 5");
|
|
assert(`foo ${true}` === "foo true");
|
|
assert(`foo ${"bar"}` === "foo bar");
|
|
assert(`foo \${"bar"}` === 'foo ${"bar"}');
|
|
|
|
assert(`foo ${{}}` === "foo [object Object]");
|
|
assert(`foo ${{ bar: { baz: "qux" }}}` === "foo [object Object]");
|
|
assert(`foo ${"bar"} ${"baz"}` === "foo bar baz");
|
|
assert(`${"foo"} bar baz` === "foo bar baz");
|
|
assert(`${"foo bar baz"}` === "foo bar baz");
|
|
|
|
let a = 27;
|
|
assert(`${a}` === "27");
|
|
assert(`foo ${a}` === "foo 27");
|
|
assert(`foo ${a ? "bar" : "baz"}` === "foo bar");
|
|
assert(`foo ${(() => a)()}` === "foo 27");
|
|
|
|
assert(`foo ${`bar`}` === "foo bar");
|
|
assert(`${`${`${`${"foo"}`} bar`}`}` === "foo bar");
|
|
assert(`foo
|
|
bar` === "foo\n bar");
|
|
|
|
assertThrowsError(() => {
|
|
`${b}`;
|
|
}, {
|
|
error: ReferenceError,
|
|
message: "'b' not known"
|
|
})
|
|
|
|
console.log("PASS");
|
|
} catch (e) {
|
|
console.log("FAIL: " + e);
|
|
}
|