123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423 |
- interface IInlineFunctionDescr {
- name: string;
- type: string;
- parameters: string[];
- body: string;
- callIndex: number;
- }
- /**
- * Class used to inline functions in shader code
- */
- export class ShaderCodeInliner {
- private static readonly _RegexpFindFunctionNameAndType = /((\s+?)(\w+)\s+(\w+)\s*?)$/;
- private _sourceCode: string;
- private _functionDescr: IInlineFunctionDescr[];
- private _numMaxIterations: number;
- /** Gets or sets the token used to mark the functions to inline */
- public inlineToken: string;
- /** Gets or sets the debug mode */
- public debug: boolean = false;
- /** Gets the code after the inlining process */
- public get code(): string {
- return this._sourceCode;
- }
- /**
- * Initializes the inliner
- * @param sourceCode shader code source to inline
- * @param numMaxIterations maximum number of iterations (used to detect recursive calls)
- */
- constructor(sourceCode: string, numMaxIterations = 20) {
- this._sourceCode = sourceCode;
- this._numMaxIterations = numMaxIterations;
- this._functionDescr = [];
- this.inlineToken = "#define inline";
- }
- /**
- * Start the processing of the shader code
- */
- public processCode() {
- if (this.debug) {
- console.log(`Start inlining process (code size=${this._sourceCode.length})...`);
- }
- this._collectFunctions();
- this._processInlining(this._numMaxIterations);
- if (this.debug) {
- console.log("End of inlining process.");
- }
- }
- private _collectFunctions() {
- let startIndex = 0;
- while (startIndex < this._sourceCode.length) {
- // locate the function to inline and extract its name
- const inlineTokenIndex = this._sourceCode.indexOf(this.inlineToken, startIndex);
- if (inlineTokenIndex < 0) {
- break;
- }
- const funcParamsStartIndex = this._sourceCode.indexOf("(", inlineTokenIndex + this.inlineToken.length);
- if (funcParamsStartIndex < 0) {
- if (this.debug) {
- console.warn(`Could not find the opening parenthesis after the token. startIndex=${startIndex}`);
- }
- startIndex = inlineTokenIndex + this.inlineToken.length;
- continue;
- }
- const funcNameMatch = ShaderCodeInliner._RegexpFindFunctionNameAndType.exec(this._sourceCode.substring(inlineTokenIndex + this.inlineToken.length, funcParamsStartIndex));
- if (!funcNameMatch) {
- if (this.debug) {
- console.warn(`Could not extract the name/type of the function from: ${this._sourceCode.substring(inlineTokenIndex + this.inlineToken.length, funcParamsStartIndex)}`);
- }
- startIndex = inlineTokenIndex + this.inlineToken.length;
- continue;
- }
- const [funcType, funcName] = [funcNameMatch[3], funcNameMatch[4]];
- // extract the parameters of the function as a whole string (without the leading / trailing parenthesis)
- const funcParamsEndIndex = this._extractBetweenMarkers('(', ')', this._sourceCode, funcParamsStartIndex);
- if (funcParamsEndIndex < 0) {
- if (this.debug) {
- console.warn(`Could not extract the parameters the function '${funcName}' (type=${funcType}). funcParamsStartIndex=${funcParamsStartIndex}`);
- }
- startIndex = inlineTokenIndex + this.inlineToken.length;
- continue;
- }
- const funcParams = this._sourceCode.substring(funcParamsStartIndex + 1, funcParamsEndIndex);
- // extract the body of the function (with the curly brackets)
- const funcBodyStartIndex = this._skipWhitespaces(this._sourceCode, funcParamsEndIndex + 1);
- if (funcBodyStartIndex === this._sourceCode.length) {
- if (this.debug) {
- console.warn(`Could not extract the body of the function '${funcName}' (type=${funcType}). funcParamsEndIndex=${funcParamsEndIndex}`);
- }
- startIndex = inlineTokenIndex + this.inlineToken.length;
- continue;
- }
- const funcBodyEndIndex = this._extractBetweenMarkers('{', '}', this._sourceCode, funcBodyStartIndex);
- if (funcBodyEndIndex < 0) {
- if (this.debug) {
- console.warn(`Could not extract the body of the function '${funcName}' (type=${funcType}). funcBodyStartIndex=${funcBodyStartIndex}`);
- }
- startIndex = inlineTokenIndex + this.inlineToken.length;
- continue;
- }
- const funcBody = this._sourceCode.substring(funcBodyStartIndex, funcBodyEndIndex + 1);
- // process the parameters: extract each names
- const params = this._removeComments(funcParams).split(",");
- const paramNames = [];
- for (let p = 0; p < params.length; ++p) {
- const param = params[p].trim();
- const idx = param.lastIndexOf(" ");
- if (idx >= 0) {
- paramNames.push(param.substring(idx + 1));
- }
- }
- if (funcType !== 'void') {
- // for functions that return a value, we will replace "return" by "tempvarname = ", tempvarname being a unique generated name
- paramNames.push('return');
- }
- // collect the function
- this._functionDescr.push({
- "name": funcName,
- "type": funcType,
- "parameters": paramNames,
- "body": funcBody,
- "callIndex": 0,
- });
- startIndex = funcBodyEndIndex + 1;
- // remove the function from the source code
- const partBefore = inlineTokenIndex > 0 ? this._sourceCode.substring(0, inlineTokenIndex) : "";
- const partAfter = funcBodyEndIndex + 1 < this._sourceCode.length - 1 ? this._sourceCode.substring(funcBodyEndIndex + 1) : "";
- this._sourceCode = partBefore + partAfter;
- startIndex -= funcBodyEndIndex + 1 - inlineTokenIndex;
- }
- if (this.debug) {
- console.log(`Collect functions: ${this._functionDescr.length} functions found. functionDescr=`, this._functionDescr);
- }
- }
- private _processInlining(numMaxIterations: number = 20): boolean {
- while (numMaxIterations-- >= 0) {
- if (!this._replaceFunctionCallsByCode()) {
- break;
- }
- }
- if (this.debug) {
- console.log(`numMaxIterations is ${numMaxIterations} after inlining process`);
- }
- return numMaxIterations >= 0;
- }
- private _extractBetweenMarkers(markerOpen: string, markerClose: string, block: string, startIndex: number): number {
- let currPos = startIndex,
- openMarkers = 0,
- waitForChar = '';
- while (currPos < block.length) {
- let currChar = block.charAt(currPos);
- if (!waitForChar) {
- switch (currChar) {
- case markerOpen:
- openMarkers++;
- break;
- case markerClose:
- openMarkers--;
- break;
- case '"':
- case "'":
- case "`":
- waitForChar = currChar;
- break;
- case '/':
- if (currPos + 1 < block.length) {
- const nextChar = block.charAt(currPos + 1);
- if (nextChar === '/') {
- waitForChar = '\n';
- } else if (nextChar === '*') {
- waitForChar = '*/';
- }
- }
- break;
- }
- } else {
- if (currChar === waitForChar) {
- if (waitForChar === '"' || waitForChar === "'") {
- block.charAt(currPos - 1) !== '\\' && (waitForChar = '');
- } else {
- waitForChar = '';
- }
- } else if (waitForChar === '*/' && currChar === '*' && currPos + 1 < block.length) {
- block.charAt(currPos + 1) === '/' && (waitForChar = '');
- if (waitForChar === '') {
- currPos++;
- }
- }
- }
- currPos++ ;
- if (openMarkers === 0) {
- break;
- }
- }
- return openMarkers === 0 ? currPos - 1 : -1;
- }
- private _skipWhitespaces(s: string, index: number): number {
- while (index < s.length) {
- const c = s[index];
- if (c !== ' ' && c !== '\n' && c !== '\r' && c !== '\t' && c !== '\u000a' && c !== '\u00a0') {
- break;
- }
- index++;
- }
- return index;
- }
- private _removeComments(block: string): string {
- let currPos = 0,
- waitForChar = '',
- inComments = false,
- s = [];
- while (currPos < block.length) {
- let currChar = block.charAt(currPos);
- if (!waitForChar) {
- switch (currChar) {
- case '"':
- case "'":
- case "`":
- waitForChar = currChar;
- break;
- case '/':
- if (currPos + 1 < block.length) {
- const nextChar = block.charAt(currPos + 1);
- if (nextChar === '/') {
- waitForChar = '\n';
- inComments = true;
- } else if (nextChar === '*') {
- waitForChar = '*/';
- inComments = true;
- }
- }
- break;
- }
- if (!inComments) {
- s.push(currChar);
- }
- } else {
- if (currChar === waitForChar) {
- if (waitForChar === '"' || waitForChar === "'") {
- block.charAt(currPos - 1) !== '\\' && (waitForChar = '');
- s.push(currChar);
- } else {
- waitForChar = '';
- inComments = false;
- }
- } else if (waitForChar === '*/' && currChar === '*' && currPos + 1 < block.length) {
- block.charAt(currPos + 1) === '/' && (waitForChar = '');
- if (waitForChar === '') {
- inComments = false;
- currPos++;
- }
- } else {
- if (!inComments) {
- s.push(currChar);
- }
- }
- }
- currPos++ ;
- }
- return s.join('');
- }
- private _replaceFunctionCallsByCode(): boolean {
- let doAgain = false;
- for (const func of this._functionDescr) {
- const { name, type, parameters, body } = func;
- let startIndex = 0;
- while (startIndex < this._sourceCode.length) {
- // Look for the function name in the source code
- const functionCallIndex = this._sourceCode.indexOf(name, startIndex);
- if (functionCallIndex < 0) {
- break;
- }
- // Find the opening parenthesis
- const callParamsStartIndex = this._skipWhitespaces(this._sourceCode, functionCallIndex + name.length);
- if (callParamsStartIndex === this._sourceCode.length || this._sourceCode.charAt(callParamsStartIndex) !== '(') {
- startIndex = functionCallIndex + name.length;
- continue;
- }
- // extract the parameters of the function call as a whole string (without the leading / trailing parenthesis)
- const callParamsEndIndex = this._extractBetweenMarkers('(', ')', this._sourceCode, callParamsStartIndex);
- if (callParamsEndIndex < 0) {
- if (this.debug) {
- console.warn(`Could not extract the parameters of the function call. Function '${name}' (type=${type}). callParamsStartIndex=${callParamsStartIndex}`);
- }
- startIndex = functionCallIndex + name.length;
- continue;
- }
- const callParams = this._sourceCode.substring(callParamsStartIndex + 1, callParamsEndIndex);
- // process the parameter call: extract each names
- const params = this._removeComments(callParams).split(",");
- const paramNames = [];
- for (let p = 0; p < params.length; ++p) {
- const param = params[p].trim();
- paramNames.push(param);
- }
- const retParamName = type !== 'void' ? name + '_' + (func.callIndex++) : null;
- if (retParamName) {
- paramNames.push(retParamName + ' =');
- }
- if (paramNames.length !== parameters.length) {
- if (this.debug) {
- console.warn(`Invalid function call: not the same number of parameters for the call than the number expected by the function. Function '${name}' (type=${type}). function parameters=${parameters}, call parameters=${paramNames}`);
- }
- startIndex = functionCallIndex + name.length;
- continue;
- }
- startIndex = callParamsEndIndex + 1;
- // replace the function call by the body function
- const funcBody = this._replaceNames(body, parameters, paramNames);
- let partBefore = functionCallIndex > 0 ? this._sourceCode.substring(0, functionCallIndex) : "";
- let partAfter = callParamsEndIndex + 1 < this._sourceCode.length - 1 ? this._sourceCode.substring(callParamsEndIndex + 1) : "";
- if (retParamName) {
- // case where the function returns a value. We generate:
- // FUNCTYPE retParamName;
- // {function body}
- // and replace the function call by retParamName
- const injectDeclarationIndex = this._findBackward(this._sourceCode, functionCallIndex - 1, '\n');
- partBefore = this._sourceCode.substring(0, injectDeclarationIndex + 1);
- let partBetween = this._sourceCode.substring(injectDeclarationIndex + 1, functionCallIndex);
- this._sourceCode = partBefore + type + " " + retParamName + ";\n" + funcBody + "\n" + partBetween + retParamName + partAfter;
- if (this.debug) {
- console.log(`Replace function call by code. Function '${name}' (type=${type}). injectDeclarationIndex=${injectDeclarationIndex}`);
- }
- } else {
- // simple case where the return value of the function is "void"
- this._sourceCode = partBefore + funcBody + partAfter;
- startIndex += funcBody.length - (callParamsEndIndex + 1 - functionCallIndex);
- if (this.debug) {
- console.log(`Replace function call by code. Function '${name}' (type=${type}). functionCallIndex=${functionCallIndex}`);
- }
- }
- doAgain = true;
- }
- }
- return doAgain;
- }
- private _findBackward(s: string, index: number, c: string): number {
- while (index >= 0 && s.charAt(index) !== c) {
- index--;
- }
- return index;
- }
- private _escapeRegExp(s: string): string {
- return s.replace(/[.*+?^${}()|[\]\\]/g, '\\$&');
- }
- private _replaceNames(code: string, sources: string[], destinations: string[]): string {
- for (let i = 0; i < sources.length; ++i) {
- const source = new RegExp(this._escapeRegExp(sources[i]), 'g'),
- destination = destinations[i];
- code = code.replace(source, destination);
- }
- return code;
- }
- }
|