mirror of
https://github.com/SillyTavern/SillyTavern.git
synced 2025-06-05 21:59:27 +02:00
- Fix lexer mode names - Add basic macro parsing (identifier, and arguments) - Tests: basic macro parsing tests - Tests: simplifyCstNode supports ignoring nodes, or flattening nodes to just plaintext
286 lines
11 KiB
JavaScript
286 lines
11 KiB
JavaScript
/** @typedef {import('../../public/lib/chevrotain.js').CstNode} CstNode */
|
|
/** @typedef {import('../../public/lib/chevrotain.js').IRecognitionException} IRecognitionException */
|
|
|
|
/** @typedef {{[tokenName: string]: (string|string[]|TestableCstNode|TestableCstNode[])}} TestableCstNode */
|
|
/** @typedef {{name: string, message: string}} TestableRecognitionException */
|
|
|
|
// Those tests ar evaluating via puppeteer, the need more time to run and finish
|
|
jest.setTimeout(10_000);
|
|
|
|
describe('MacroParser', () => {
|
|
beforeAll(async () => {
|
|
await page.goto(global.ST_URL);
|
|
await page.waitForFunction('document.getElementById("preloader") === null', { timeout: 0 });
|
|
});
|
|
|
|
describe('General Macro', () => {
|
|
// {{user}}
|
|
it('should parse a simple macro', async () => {
|
|
const input = '{{user}}';
|
|
const macroCst = await runParser(input);
|
|
|
|
const expectedCst = {
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'user',
|
|
'Macro.End': '}}',
|
|
};
|
|
|
|
expect(macroCst).toEqual(expectedCst);
|
|
});
|
|
// {{ user }}
|
|
it('should generally handle whitespaces', async () => {
|
|
const input = '{{ user }}';
|
|
const macroCst = await runParser(input);
|
|
|
|
const expectedCst = {
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'user',
|
|
'Macro.End': '}}',
|
|
};
|
|
|
|
expect(macroCst).toEqual(expectedCst);
|
|
});
|
|
|
|
describe('Error Cases (General Macro', () => {
|
|
// {{}}
|
|
it('[Error] should throw an error for empty macro', async () => {
|
|
const input = '{{}}';
|
|
const { macroCst, errors } = await runParserAndGetErrors(input);
|
|
|
|
const expectedErrors = [
|
|
{ name: 'MismatchedTokenException', message: 'Expecting token of type --> Macro.Identifier <-- but found --> \'}}\' <--' },
|
|
];
|
|
|
|
expect(errors).toEqual(expectedErrors);
|
|
expect(macroCst).toBeUndefined();
|
|
});
|
|
// {{§!#&blah}}
|
|
it('[Error] should throw an error for invalid identifier', async () => {
|
|
const input = '{{§!#&blah}}';
|
|
const { macroCst, errors } = await runParserAndGetErrors(input);
|
|
|
|
const expectedErrors = [
|
|
{ name: 'MismatchedTokenException', message: 'Expecting token of type --> Macro.Identifier <-- but found --> \'!\' <--' },
|
|
];
|
|
|
|
expect(errors).toEqual(expectedErrors);
|
|
expect(macroCst).toBeUndefined();
|
|
});
|
|
// {{user
|
|
it('[Error] should throw an error for incomplete macro', async () => {
|
|
const input = '{{user';
|
|
const { macroCst, errors } = await runParserAndGetErrors(input);
|
|
|
|
const expectedErrors = [
|
|
{ name: 'MismatchedTokenException', message: 'Expecting token of type --> Macro.End <-- but found --> \'\' <--' },
|
|
];
|
|
|
|
expect(errors).toEqual(expectedErrors);
|
|
expect(macroCst).toBeUndefined();
|
|
});
|
|
});
|
|
});
|
|
|
|
describe('Arguments Handling', () => {
|
|
it('should parse macros with double-colon argument', async () => {
|
|
const input = '{{getvar::myvar}}';
|
|
const macroCst = await runParser(input, {
|
|
flattenKeys: ['arguments.argument'],
|
|
});
|
|
expect(macroCst).toEqual({
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'getvar',
|
|
'arguments': {
|
|
'separator': '::',
|
|
'argument': 'myvar',
|
|
},
|
|
'Macro.End': '}}',
|
|
});
|
|
});
|
|
|
|
it('should parse macros with single colon arguments', async () => {
|
|
const input = '{{roll:3d20}}';
|
|
const macroCst = await runParser(input, {
|
|
flattenKeys: ['arguments.argument'],
|
|
});
|
|
expect(macroCst).toEqual({
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'roll',
|
|
'arguments': {
|
|
'separator': ':',
|
|
'argument': '3d20',
|
|
},
|
|
'Macro.End': '}}',
|
|
});
|
|
});
|
|
|
|
it('should parse macros with double-colon arguments', async () => {
|
|
const input = '{{setvar::myvar::value}}';
|
|
const macroCst = await runParser(input, {
|
|
flattenKeys: ['arguments.argument'],
|
|
ignoreKeys: ['arguments.Args.DoubleColon'],
|
|
});
|
|
expect(macroCst).toEqual({
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'setvar',
|
|
'arguments': {
|
|
'separator': '::',
|
|
'argument': ['myvar', 'value'],
|
|
},
|
|
'Macro.End': '}}',
|
|
});
|
|
});
|
|
|
|
it('should strip spaces around arguments', async () => {
|
|
const input = '{{something:: spaced }}';
|
|
const macroCst = await runParser(input, {
|
|
flattenKeys: ['arguments.argument'],
|
|
ignoreKeys: ['arguments.separator', 'arguments.Args.DoubleColon'],
|
|
});
|
|
expect(macroCst).toEqual({
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'something',
|
|
'arguments': { 'argument': 'spaced' },
|
|
'Macro.End': '}}',
|
|
});
|
|
});
|
|
});
|
|
|
|
describe('Nested Macros', () => {
|
|
it('should parse nested macros inside arguments', async () => {
|
|
const input = '{{outer::word {{inner}}}}';
|
|
const macroCst = await runParser(input, {});
|
|
expect(macroCst).toEqual({
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'outer',
|
|
'arguments': {
|
|
'argument': {
|
|
'Identifier': 'word',
|
|
'macro': {
|
|
'Macro.Start': '{{',
|
|
'Macro.Identifier': 'inner',
|
|
'Macro.End': '}}',
|
|
},
|
|
},
|
|
'separator': '::',
|
|
},
|
|
'Macro.End': '}}',
|
|
});
|
|
});
|
|
});
|
|
});
|
|
|
|
/**
|
|
* Runs the input through the MacroParser and returns the result.
|
|
*
|
|
* @param {string} input - The input string to be parsed.
|
|
* @param {Object} [options={}] Optional arguments
|
|
* @param {string[]} [options.flattenKeys=[]] Optional array of dot-separated keys to flatten
|
|
* @param {string[]} [options.ignoreKeys=[]] Optional array of dot-separated keys to ignore
|
|
* @returns {Promise<TestableCstNode>} A promise that resolves to the result of the MacroParser.
|
|
*/
|
|
async function runParser(input, options = {}) {
|
|
const { cst, errors } = await runParserAndGetErrors(input, options);
|
|
|
|
// Make sure that parser errors get correctly marked as errors during testing, even if the resulting structure might work.
|
|
// If we don't test for errors, the test should fail.
|
|
if (errors.length > 0) {
|
|
throw new Error('Parser errors found\n' + errors.map(x => x.message).join('\n'));
|
|
}
|
|
|
|
return cst;
|
|
}
|
|
|
|
/**
|
|
* Runs the input through the MacroParser and returns the syntax tree result and any parser errors.
|
|
*
|
|
* Use `runParser` if you don't want to explicitly test against parser errors.
|
|
*
|
|
* @param {string} input - The input string to be parsed.
|
|
* @param {Object} [options={}] Optional arguments
|
|
* @param {string[]} [options.flattenKeys=[]] Optional array of dot-separated keys to flatten
|
|
* @param {string[]} [options.ignoreKeys=[]] Optional array of dot-separated keys to ignore
|
|
* @returns {Promise<{cst: TestableCstNode, errors: TestableRecognitionException[]}>} A promise that resolves to the result of the MacroParser and error list.
|
|
*/
|
|
async function runParserAndGetErrors(input, options = {}) {
|
|
const result = await page.evaluate(async (input) => {
|
|
/** @type {import('../../public/scripts/macros/MacroParser.js')} */
|
|
const { MacroParser } = await import('./scripts/macros/MacroParser.js');
|
|
|
|
const result = MacroParser.test(input);
|
|
return result;
|
|
}, input);
|
|
|
|
return { cst: simplifyCstNode(result.cst, input, options), errors: simplifyErrors(result.errors) };
|
|
}
|
|
|
|
/**
|
|
* Simplify the parser syntax tree result into an easily testable format.
|
|
*
|
|
* @param {CstNode} result The result from the parser
|
|
* @param {Object} [options={}] Optional arguments
|
|
* @param {string[]} [options.flattenKeys=[]] Optional array of dot-separated keys to flatten
|
|
* @param {string[]} [options.ignoreKeys=[]] Optional array of dot-separated keys to ignore
|
|
* @returns {TestableCstNode} The testable syntax tree
|
|
*/
|
|
function simplifyCstNode(cst, input, { flattenKeys = [], ignoreKeys = [] } = {}) {
|
|
/** @returns {TestableCstNode} @param {CstNode} node @param {string[]} path */
|
|
function simplifyNode(node, path = []) {
|
|
if (!node) return node;
|
|
if (Array.isArray(node)) {
|
|
// Single-element arrays are converted to a single string
|
|
if (node.length === 1) {
|
|
return node[0].image || simplifyNode(node[0], path.concat('[]'));
|
|
}
|
|
// For multiple elements, return an array of simplified nodes
|
|
return node.map(child => simplifyNode(child, path.concat('[]')));
|
|
}
|
|
if (node.children) {
|
|
const simplifiedChildren = {};
|
|
for (const key in node.children) {
|
|
function simplifyChildNode(childNode, path) {
|
|
if (Array.isArray(childNode)) {
|
|
// Single-element arrays are converted to a single string
|
|
if (childNode.length === 1) {
|
|
return simplifyChildNode(childNode[0], path.concat('[]'));
|
|
}
|
|
return childNode.map(child => simplifyChildNode(child, path.concat('[]')));
|
|
}
|
|
|
|
const flattenKey = path.filter(x => x !== '[]').join('.');
|
|
if (ignoreKeys.includes(flattenKey)) {
|
|
return null;
|
|
} else if (flattenKeys.includes(flattenKey)) {
|
|
const startOffset = childNode.location.startOffset;
|
|
const endOffset = childNode.location.endOffset;
|
|
return input.slice(startOffset, endOffset + 1);
|
|
} else {
|
|
return simplifyNode(childNode, path);
|
|
}
|
|
}
|
|
|
|
const simplifiedValue = simplifyChildNode(node.children[key], path.concat(key));
|
|
simplifiedValue && (simplifiedChildren[key] = simplifiedValue);
|
|
}
|
|
return simplifiedChildren;
|
|
}
|
|
return node.image;
|
|
}
|
|
|
|
return simplifyNode(cst);
|
|
}
|
|
|
|
|
|
/**
|
|
* Simplifies a recognition exceptions into an easily testable format.
|
|
*
|
|
* @param {IRecognitionException[]} errors - The error list containing exceptions to be simplified.
|
|
* @return {TestableRecognitionException[]} - The simplified error list
|
|
*/
|
|
function simplifyErrors(errors) {
|
|
return errors.map(exception => ({
|
|
name: exception.name,
|
|
message: exception.message,
|
|
}));
|
|
}
|