ejs.js 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939
  1. /*
  2. * EJS Embedded JavaScript templates
  3. * Copyright 2112 Matthew Eernisse (mde@fleegix.org)
  4. *
  5. * Licensed under the Apache License, Version 2.0 (the "License");
  6. * you may not use this file except in compliance with the License.
  7. * You may obtain a copy of the License at
  8. *
  9. * http://www.apache.org/licenses/LICENSE-2.0
  10. *
  11. * Unless required by applicable law or agreed to in writing, software
  12. * distributed under the License is distributed on an "AS IS" BASIS,
  13. * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14. * See the License for the specific language governing permissions and
  15. * limitations under the License.
  16. *
  17. */
  18. 'use strict';
  19. /**
  20. * @file Embedded JavaScript templating engine. {@link http://ejs.co}
  21. * @author Matthew Eernisse <mde@fleegix.org>
  22. * @author Tiancheng "Timothy" Gu <timothygu99@gmail.com>
  23. * @project EJS
  24. * @license {@link http://www.apache.org/licenses/LICENSE-2.0 Apache License, Version 2.0}
  25. */
  26. /**
  27. * EJS internal functions.
  28. *
  29. * Technically this "module" lies in the same file as {@link module:ejs}, for
  30. * the sake of organization all the private functions re grouped into this
  31. * module.
  32. *
  33. * @module ejs-internal
  34. * @private
  35. */
  36. /**
  37. * Embedded JavaScript templating engine.
  38. *
  39. * @module ejs
  40. * @public
  41. */
  42. var fs = require('fs');
  43. var path = require('path');
  44. var utils = require('./utils');
  45. var scopeOptionWarned = false;
  46. /** @type {string} */
  47. var _VERSION_STRING = require('../package.json').version;
  48. var _DEFAULT_OPEN_DELIMITER = '<';
  49. var _DEFAULT_CLOSE_DELIMITER = '>';
  50. var _DEFAULT_DELIMITER = '%';
  51. var _DEFAULT_LOCALS_NAME = 'locals';
  52. var _NAME = 'ejs';
  53. var _REGEX_STRING = '(<%%|%%>|<%=|<%-|<%_|<%#|<%|%>|-%>|_%>)';
  54. var _OPTS_PASSABLE_WITH_DATA = ['delimiter', 'scope', 'context', 'debug', 'compileDebug',
  55. 'client', '_with', 'rmWhitespace', 'strict', 'filename', 'async'];
  56. // We don't allow 'cache' option to be passed in the data obj for
  57. // the normal `render` call, but this is where Express 2 & 3 put it
  58. // so we make an exception for `renderFile`
  59. var _OPTS_PASSABLE_WITH_DATA_EXPRESS = _OPTS_PASSABLE_WITH_DATA.concat('cache');
  60. var _BOM = /^\uFEFF/;
  61. /**
  62. * EJS template function cache. This can be a LRU object from lru-cache NPM
  63. * module. By default, it is {@link module:utils.cache}, a simple in-process
  64. * cache that grows continuously.
  65. *
  66. * @type {Cache}
  67. */
  68. exports.cache = utils.cache;
  69. /**
  70. * Custom file loader. Useful for template preprocessing or restricting access
  71. * to a certain part of the filesystem.
  72. *
  73. * @type {fileLoader}
  74. */
  75. exports.fileLoader = fs.readFileSync;
  76. /**
  77. * Name of the object containing the locals.
  78. *
  79. * This variable is overridden by {@link Options}`.localsName` if it is not
  80. * `undefined`.
  81. *
  82. * @type {String}
  83. * @public
  84. */
  85. exports.localsName = _DEFAULT_LOCALS_NAME;
  86. /**
  87. * Promise implementation -- defaults to the native implementation if available
  88. * This is mostly just for testability
  89. *
  90. * @type {PromiseConstructorLike}
  91. * @public
  92. */
  93. exports.promiseImpl = (new Function('return this;'))().Promise;
  94. /**
  95. * Get the path to the included file from the parent file path and the
  96. * specified path.
  97. *
  98. * @param {String} name specified path
  99. * @param {String} filename parent file path
  100. * @param {Boolean} [isDir=false] whether the parent file path is a directory
  101. * @return {String}
  102. */
  103. exports.resolveInclude = function(name, filename, isDir) {
  104. var dirname = path.dirname;
  105. var extname = path.extname;
  106. var resolve = path.resolve;
  107. var includePath = resolve(isDir ? filename : dirname(filename), name);
  108. var ext = extname(name);
  109. if (!ext) {
  110. includePath += '.ejs';
  111. }
  112. return includePath;
  113. };
  114. /**
  115. * Try to resolve file path on multiple directories
  116. *
  117. * @param {String} name specified path
  118. * @param {Array<String>} paths list of possible parent directory paths
  119. * @return {String}
  120. */
  121. function resolvePaths(name, paths) {
  122. var filePath;
  123. if (paths.some(function (v) {
  124. filePath = exports.resolveInclude(name, v, true);
  125. return fs.existsSync(filePath);
  126. })) {
  127. return filePath;
  128. }
  129. }
  130. /**
  131. * Get the path to the included file by Options
  132. *
  133. * @param {String} path specified path
  134. * @param {Options} options compilation options
  135. * @return {String}
  136. */
  137. function getIncludePath(path, options) {
  138. var includePath;
  139. var filePath;
  140. var views = options.views;
  141. var match = /^[A-Za-z]+:\\|^\//.exec(path);
  142. // Abs path
  143. if (match && match.length) {
  144. path = path.replace(/^\/*/, '');
  145. if (Array.isArray(options.root)) {
  146. includePath = resolvePaths(path, options.root);
  147. } else {
  148. includePath = exports.resolveInclude(path, options.root || '/', true);
  149. }
  150. }
  151. // Relative paths
  152. else {
  153. // Look relative to a passed filename first
  154. if (options.filename) {
  155. filePath = exports.resolveInclude(path, options.filename);
  156. if (fs.existsSync(filePath)) {
  157. includePath = filePath;
  158. }
  159. }
  160. // Then look in any views directories
  161. if (!includePath && Array.isArray(views)) {
  162. includePath = resolvePaths(path, views);
  163. }
  164. if (!includePath && typeof options.includer !== 'function') {
  165. throw new Error('Could not find the include file "' +
  166. options.escapeFunction(path) + '"');
  167. }
  168. }
  169. return includePath;
  170. }
  171. /**
  172. * Get the template from a string or a file, either compiled on-the-fly or
  173. * read from cache (if enabled), and cache the template if needed.
  174. *
  175. * If `template` is not set, the file specified in `options.filename` will be
  176. * read.
  177. *
  178. * If `options.cache` is true, this function reads the file from
  179. * `options.filename` so it must be set prior to calling this function.
  180. *
  181. * @memberof module:ejs-internal
  182. * @param {Options} options compilation options
  183. * @param {String} [template] template source
  184. * @return {(TemplateFunction|ClientFunction)}
  185. * Depending on the value of `options.client`, either type might be returned.
  186. * @static
  187. */
  188. function handleCache(options, template) {
  189. var func;
  190. var filename = options.filename;
  191. var hasTemplate = arguments.length > 1;
  192. if (options.cache) {
  193. if (!filename) {
  194. throw new Error('cache option requires a filename');
  195. }
  196. func = exports.cache.get(filename);
  197. if (func) {
  198. return func;
  199. }
  200. if (!hasTemplate) {
  201. template = fileLoader(filename).toString().replace(_BOM, '');
  202. }
  203. }
  204. else if (!hasTemplate) {
  205. // istanbul ignore if: should not happen at all
  206. if (!filename) {
  207. throw new Error('Internal EJS error: no file name or template '
  208. + 'provided');
  209. }
  210. template = fileLoader(filename).toString().replace(_BOM, '');
  211. }
  212. func = exports.compile(template, options);
  213. if (options.cache) {
  214. exports.cache.set(filename, func);
  215. }
  216. return func;
  217. }
  218. /**
  219. * Try calling handleCache with the given options and data and call the
  220. * callback with the result. If an error occurs, call the callback with
  221. * the error. Used by renderFile().
  222. *
  223. * @memberof module:ejs-internal
  224. * @param {Options} options compilation options
  225. * @param {Object} data template data
  226. * @param {RenderFileCallback} cb callback
  227. * @static
  228. */
  229. function tryHandleCache(options, data, cb) {
  230. var result;
  231. if (!cb) {
  232. if (typeof exports.promiseImpl == 'function') {
  233. return new exports.promiseImpl(function (resolve, reject) {
  234. try {
  235. result = handleCache(options)(data);
  236. resolve(result);
  237. }
  238. catch (err) {
  239. reject(err);
  240. }
  241. });
  242. }
  243. else {
  244. throw new Error('Please provide a callback function');
  245. }
  246. }
  247. else {
  248. try {
  249. result = handleCache(options)(data);
  250. }
  251. catch (err) {
  252. return cb(err);
  253. }
  254. cb(null, result);
  255. }
  256. }
  257. /**
  258. * fileLoader is independent
  259. *
  260. * @param {String} filePath ejs file path.
  261. * @return {String} The contents of the specified file.
  262. * @static
  263. */
  264. function fileLoader(filePath){
  265. return exports.fileLoader(filePath);
  266. }
  267. /**
  268. * Get the template function.
  269. *
  270. * If `options.cache` is `true`, then the template is cached.
  271. *
  272. * @memberof module:ejs-internal
  273. * @param {String} path path for the specified file
  274. * @param {Options} options compilation options
  275. * @return {(TemplateFunction|ClientFunction)}
  276. * Depending on the value of `options.client`, either type might be returned
  277. * @static
  278. */
  279. function includeFile(path, options) {
  280. var opts = utils.shallowCopy({}, options);
  281. opts.filename = getIncludePath(path, opts);
  282. if (typeof options.includer === 'function') {
  283. var includerResult = options.includer(path, opts.filename);
  284. if (includerResult) {
  285. if (includerResult.filename) {
  286. opts.filename = includerResult.filename;
  287. }
  288. if (includerResult.template) {
  289. return handleCache(opts, includerResult.template);
  290. }
  291. }
  292. }
  293. return handleCache(opts);
  294. }
  295. /**
  296. * Re-throw the given `err` in context to the `str` of ejs, `filename`, and
  297. * `lineno`.
  298. *
  299. * @implements {RethrowCallback}
  300. * @memberof module:ejs-internal
  301. * @param {Error} err Error object
  302. * @param {String} str EJS source
  303. * @param {String} flnm file name of the EJS file
  304. * @param {Number} lineno line number of the error
  305. * @param {EscapeCallback} esc
  306. * @static
  307. */
  308. function rethrow(err, str, flnm, lineno, esc) {
  309. var lines = str.split('\n');
  310. var start = Math.max(lineno - 3, 0);
  311. var end = Math.min(lines.length, lineno + 3);
  312. var filename = esc(flnm);
  313. // Error context
  314. var context = lines.slice(start, end).map(function (line, i){
  315. var curr = i + start + 1;
  316. return (curr == lineno ? ' >> ' : ' ')
  317. + curr
  318. + '| '
  319. + line;
  320. }).join('\n');
  321. // Alter exception message
  322. err.path = filename;
  323. err.message = (filename || 'ejs') + ':'
  324. + lineno + '\n'
  325. + context + '\n\n'
  326. + err.message;
  327. throw err;
  328. }
  329. function stripSemi(str){
  330. return str.replace(/;(\s*$)/, '$1');
  331. }
  332. /**
  333. * Compile the given `str` of ejs into a template function.
  334. *
  335. * @param {String} template EJS template
  336. *
  337. * @param {Options} [opts] compilation options
  338. *
  339. * @return {(TemplateFunction|ClientFunction)}
  340. * Depending on the value of `opts.client`, either type might be returned.
  341. * Note that the return type of the function also depends on the value of `opts.async`.
  342. * @public
  343. */
  344. exports.compile = function compile(template, opts) {
  345. var templ;
  346. // v1 compat
  347. // 'scope' is 'context'
  348. // FIXME: Remove this in a future version
  349. if (opts && opts.scope) {
  350. if (!scopeOptionWarned){
  351. console.warn('`scope` option is deprecated and will be removed in EJS 3');
  352. scopeOptionWarned = true;
  353. }
  354. if (!opts.context) {
  355. opts.context = opts.scope;
  356. }
  357. delete opts.scope;
  358. }
  359. templ = new Template(template, opts);
  360. return templ.compile();
  361. };
  362. /**
  363. * Render the given `template` of ejs.
  364. *
  365. * If you would like to include options but not data, you need to explicitly
  366. * call this function with `data` being an empty object or `null`.
  367. *
  368. * @param {String} template EJS template
  369. * @param {Object} [data={}] template data
  370. * @param {Options} [opts={}] compilation and rendering options
  371. * @return {(String|Promise<String>)}
  372. * Return value type depends on `opts.async`.
  373. * @public
  374. */
  375. exports.render = function (template, d, o) {
  376. var data = d || {};
  377. var opts = o || {};
  378. // No options object -- if there are optiony names
  379. // in the data, copy them to options
  380. if (arguments.length == 2) {
  381. utils.shallowCopyFromList(opts, data, _OPTS_PASSABLE_WITH_DATA);
  382. }
  383. return handleCache(opts, template)(data);
  384. };
  385. /**
  386. * Render an EJS file at the given `path` and callback `cb(err, str)`.
  387. *
  388. * If you would like to include options but not data, you need to explicitly
  389. * call this function with `data` being an empty object or `null`.
  390. *
  391. * @param {String} path path to the EJS file
  392. * @param {Object} [data={}] template data
  393. * @param {Options} [opts={}] compilation and rendering options
  394. * @param {RenderFileCallback} cb callback
  395. * @public
  396. */
  397. exports.renderFile = function () {
  398. var args = Array.prototype.slice.call(arguments);
  399. var filename = args.shift();
  400. var cb;
  401. var opts = {filename: filename};
  402. var data;
  403. var viewOpts;
  404. // Do we have a callback?
  405. if (typeof arguments[arguments.length - 1] == 'function') {
  406. cb = args.pop();
  407. }
  408. // Do we have data/opts?
  409. if (args.length) {
  410. // Should always have data obj
  411. data = args.shift();
  412. // Normal passed opts (data obj + opts obj)
  413. if (args.length) {
  414. // Use shallowCopy so we don't pollute passed in opts obj with new vals
  415. utils.shallowCopy(opts, args.pop());
  416. }
  417. // Special casing for Express (settings + opts-in-data)
  418. else {
  419. // Express 3 and 4
  420. if (data.settings) {
  421. // Pull a few things from known locations
  422. if (data.settings.views) {
  423. opts.views = data.settings.views;
  424. }
  425. if (data.settings['view cache']) {
  426. opts.cache = true;
  427. }
  428. // Undocumented after Express 2, but still usable, esp. for
  429. // items that are unsafe to be passed along with data, like `root`
  430. viewOpts = data.settings['view options'];
  431. if (viewOpts) {
  432. utils.shallowCopy(opts, viewOpts);
  433. }
  434. }
  435. // Express 2 and lower, values set in app.locals, or people who just
  436. // want to pass options in their data. NOTE: These values will override
  437. // anything previously set in settings or settings['view options']
  438. utils.shallowCopyFromList(opts, data, _OPTS_PASSABLE_WITH_DATA_EXPRESS);
  439. }
  440. opts.filename = filename;
  441. }
  442. else {
  443. data = {};
  444. }
  445. return tryHandleCache(opts, data, cb);
  446. };
  447. /**
  448. * Clear intermediate JavaScript cache. Calls {@link Cache#reset}.
  449. * @public
  450. */
  451. /**
  452. * EJS template class
  453. * @public
  454. */
  455. exports.Template = Template;
  456. exports.clearCache = function () {
  457. exports.cache.reset();
  458. };
  459. function Template(text, opts) {
  460. opts = opts || {};
  461. var options = {};
  462. this.templateText = text;
  463. /** @type {string | null} */
  464. this.mode = null;
  465. this.truncate = false;
  466. this.currentLine = 1;
  467. this.source = '';
  468. options.client = opts.client || false;
  469. options.escapeFunction = opts.escape || opts.escapeFunction || utils.escapeXML;
  470. options.compileDebug = opts.compileDebug !== false;
  471. options.debug = !!opts.debug;
  472. options.filename = opts.filename;
  473. options.openDelimiter = opts.openDelimiter || exports.openDelimiter || _DEFAULT_OPEN_DELIMITER;
  474. options.closeDelimiter = opts.closeDelimiter || exports.closeDelimiter || _DEFAULT_CLOSE_DELIMITER;
  475. options.delimiter = opts.delimiter || exports.delimiter || _DEFAULT_DELIMITER;
  476. options.strict = opts.strict || false;
  477. options.context = opts.context;
  478. options.cache = opts.cache || false;
  479. options.rmWhitespace = opts.rmWhitespace;
  480. options.root = opts.root;
  481. options.includer = opts.includer;
  482. options.outputFunctionName = opts.outputFunctionName;
  483. options.localsName = opts.localsName || exports.localsName || _DEFAULT_LOCALS_NAME;
  484. options.views = opts.views;
  485. options.async = opts.async;
  486. options.destructuredLocals = opts.destructuredLocals;
  487. options.legacyInclude = typeof opts.legacyInclude != 'undefined' ? !!opts.legacyInclude : true;
  488. if (options.strict) {
  489. options._with = false;
  490. }
  491. else {
  492. options._with = typeof opts._with != 'undefined' ? opts._with : true;
  493. }
  494. this.opts = options;
  495. this.regex = this.createRegex();
  496. }
  497. Template.modes = {
  498. EVAL: 'eval',
  499. ESCAPED: 'escaped',
  500. RAW: 'raw',
  501. COMMENT: 'comment',
  502. LITERAL: 'literal'
  503. };
  504. Template.prototype = {
  505. createRegex: function () {
  506. var str = _REGEX_STRING;
  507. var delim = utils.escapeRegExpChars(this.opts.delimiter);
  508. var open = utils.escapeRegExpChars(this.opts.openDelimiter);
  509. var close = utils.escapeRegExpChars(this.opts.closeDelimiter);
  510. str = str.replace(/%/g, delim)
  511. .replace(/</g, open)
  512. .replace(/>/g, close);
  513. return new RegExp(str);
  514. },
  515. compile: function () {
  516. /** @type {string} */
  517. var src;
  518. /** @type {ClientFunction} */
  519. var fn;
  520. var opts = this.opts;
  521. var prepended = '';
  522. var appended = '';
  523. /** @type {EscapeCallback} */
  524. var escapeFn = opts.escapeFunction;
  525. /** @type {FunctionConstructor} */
  526. var ctor;
  527. /** @type {string} */
  528. var sanitizedFilename = opts.filename ? JSON.stringify(opts.filename) : 'undefined';
  529. if (!this.source) {
  530. this.generateSource();
  531. prepended +=
  532. ' var __output = "";\n' +
  533. ' function __append(s) { if (s !== undefined && s !== null) __output += s }\n';
  534. if (opts.outputFunctionName) {
  535. prepended += ' var ' + opts.outputFunctionName + ' = __append;' + '\n';
  536. }
  537. if (opts.destructuredLocals && opts.destructuredLocals.length) {
  538. var destructuring = ' var __locals = (' + opts.localsName + ' || {}),\n';
  539. for (var i = 0; i < opts.destructuredLocals.length; i++) {
  540. var name = opts.destructuredLocals[i];
  541. if (i > 0) {
  542. destructuring += ',\n ';
  543. }
  544. destructuring += name + ' = __locals.' + name;
  545. }
  546. prepended += destructuring + ';\n';
  547. }
  548. if (opts._with !== false) {
  549. prepended += ' with (' + opts.localsName + ' || {}) {' + '\n';
  550. appended += ' }' + '\n';
  551. }
  552. appended += ' return __output;' + '\n';
  553. this.source = prepended + this.source + appended;
  554. }
  555. if (opts.compileDebug) {
  556. src = 'var __line = 1' + '\n'
  557. + ' , __lines = ' + JSON.stringify(this.templateText) + '\n'
  558. + ' , __filename = ' + sanitizedFilename + ';' + '\n'
  559. + 'try {' + '\n'
  560. + this.source
  561. + '} catch (e) {' + '\n'
  562. + ' rethrow(e, __lines, __filename, __line, escapeFn);' + '\n'
  563. + '}' + '\n';
  564. }
  565. else {
  566. src = this.source;
  567. }
  568. if (opts.client) {
  569. src = 'escapeFn = escapeFn || ' + escapeFn.toString() + ';' + '\n' + src;
  570. if (opts.compileDebug) {
  571. src = 'rethrow = rethrow || ' + rethrow.toString() + ';' + '\n' + src;
  572. }
  573. }
  574. if (opts.strict) {
  575. src = '"use strict";\n' + src;
  576. }
  577. if (opts.debug) {
  578. console.log(src);
  579. }
  580. if (opts.compileDebug && opts.filename) {
  581. src = src + '\n'
  582. + '//# sourceURL=' + sanitizedFilename + '\n';
  583. }
  584. try {
  585. if (opts.async) {
  586. // Have to use generated function for this, since in envs without support,
  587. // it breaks in parsing
  588. try {
  589. ctor = (new Function('return (async function(){}).constructor;'))();
  590. }
  591. catch(e) {
  592. if (e instanceof SyntaxError) {
  593. throw new Error('This environment does not support async/await');
  594. }
  595. else {
  596. throw e;
  597. }
  598. }
  599. }
  600. else {
  601. ctor = Function;
  602. }
  603. fn = new ctor(opts.localsName + ', escapeFn, include, rethrow', src);
  604. }
  605. catch(e) {
  606. // istanbul ignore else
  607. if (e instanceof SyntaxError) {
  608. if (opts.filename) {
  609. e.message += ' in ' + opts.filename;
  610. }
  611. e.message += ' while compiling ejs\n\n';
  612. e.message += 'If the above error is not helpful, you may want to try EJS-Lint:\n';
  613. e.message += 'https://github.com/RyanZim/EJS-Lint';
  614. if (!opts.async) {
  615. e.message += '\n';
  616. e.message += 'Or, if you meant to create an async function, pass `async: true` as an option.';
  617. }
  618. }
  619. throw e;
  620. }
  621. // Return a callable function which will execute the function
  622. // created by the source-code, with the passed data as locals
  623. // Adds a local `include` function which allows full recursive include
  624. var returnedFn = opts.client ? fn : function anonymous(data) {
  625. var include = function (path, includeData) {
  626. var d = utils.shallowCopy({}, data);
  627. if (includeData) {
  628. d = utils.shallowCopy(d, includeData);
  629. }
  630. return includeFile(path, opts)(d);
  631. };
  632. return fn.apply(opts.context, [data || {}, escapeFn, include, rethrow]);
  633. };
  634. if (opts.filename && typeof Object.defineProperty === 'function') {
  635. var filename = opts.filename;
  636. var basename = path.basename(filename, path.extname(filename));
  637. try {
  638. Object.defineProperty(returnedFn, 'name', {
  639. value: basename,
  640. writable: false,
  641. enumerable: false,
  642. configurable: true
  643. });
  644. } catch (e) {/* ignore */}
  645. }
  646. return returnedFn;
  647. },
  648. generateSource: function () {
  649. var opts = this.opts;
  650. if (opts.rmWhitespace) {
  651. // Have to use two separate replace here as `^` and `$` operators don't
  652. // work well with `\r` and empty lines don't work well with the `m` flag.
  653. this.templateText =
  654. this.templateText.replace(/[\r\n]+/g, '\n').replace(/^\s+|\s+$/gm, '');
  655. }
  656. // Slurp spaces and tabs before <%_ and after _%>
  657. this.templateText =
  658. this.templateText.replace(/[ \t]*<%_/gm, '<%_').replace(/_%>[ \t]*/gm, '_%>');
  659. var self = this;
  660. var matches = this.parseTemplateText();
  661. var d = this.opts.delimiter;
  662. var o = this.opts.openDelimiter;
  663. var c = this.opts.closeDelimiter;
  664. if (matches && matches.length) {
  665. matches.forEach(function (line, index) {
  666. var closing;
  667. // If this is an opening tag, check for closing tags
  668. // FIXME: May end up with some false positives here
  669. // Better to store modes as k/v with openDelimiter + delimiter as key
  670. // Then this can simply check against the map
  671. if ( line.indexOf(o + d) === 0 // If it is a tag
  672. && line.indexOf(o + d + d) !== 0) { // and is not escaped
  673. closing = matches[index + 2];
  674. if (!(closing == d + c || closing == '-' + d + c || closing == '_' + d + c)) {
  675. throw new Error('Could not find matching close tag for "' + line + '".');
  676. }
  677. }
  678. self.scanLine(line);
  679. });
  680. }
  681. },
  682. parseTemplateText: function () {
  683. var str = this.templateText;
  684. var pat = this.regex;
  685. var result = pat.exec(str);
  686. var arr = [];
  687. var firstPos;
  688. while (result) {
  689. firstPos = result.index;
  690. if (firstPos !== 0) {
  691. arr.push(str.substring(0, firstPos));
  692. str = str.slice(firstPos);
  693. }
  694. arr.push(result[0]);
  695. str = str.slice(result[0].length);
  696. result = pat.exec(str);
  697. }
  698. if (str) {
  699. arr.push(str);
  700. }
  701. return arr;
  702. },
  703. _addOutput: function (line) {
  704. if (this.truncate) {
  705. // Only replace single leading linebreak in the line after
  706. // -%> tag -- this is the single, trailing linebreak
  707. // after the tag that the truncation mode replaces
  708. // Handle Win / Unix / old Mac linebreaks -- do the \r\n
  709. // combo first in the regex-or
  710. line = line.replace(/^(?:\r\n|\r|\n)/, '');
  711. this.truncate = false;
  712. }
  713. if (!line) {
  714. return line;
  715. }
  716. // Preserve literal slashes
  717. line = line.replace(/\\/g, '\\\\');
  718. // Convert linebreaks
  719. line = line.replace(/\n/g, '\\n');
  720. line = line.replace(/\r/g, '\\r');
  721. // Escape double-quotes
  722. // - this will be the delimiter during execution
  723. line = line.replace(/"/g, '\\"');
  724. this.source += ' ; __append("' + line + '")' + '\n';
  725. },
  726. scanLine: function (line) {
  727. var self = this;
  728. var d = this.opts.delimiter;
  729. var o = this.opts.openDelimiter;
  730. var c = this.opts.closeDelimiter;
  731. var newLineCount = 0;
  732. newLineCount = (line.split('\n').length - 1);
  733. switch (line) {
  734. case o + d:
  735. case o + d + '_':
  736. this.mode = Template.modes.EVAL;
  737. break;
  738. case o + d + '=':
  739. this.mode = Template.modes.ESCAPED;
  740. break;
  741. case o + d + '-':
  742. this.mode = Template.modes.RAW;
  743. break;
  744. case o + d + '#':
  745. this.mode = Template.modes.COMMENT;
  746. break;
  747. case o + d + d:
  748. this.mode = Template.modes.LITERAL;
  749. this.source += ' ; __append("' + line.replace(o + d + d, o + d) + '")' + '\n';
  750. break;
  751. case d + d + c:
  752. this.mode = Template.modes.LITERAL;
  753. this.source += ' ; __append("' + line.replace(d + d + c, d + c) + '")' + '\n';
  754. break;
  755. case d + c:
  756. case '-' + d + c:
  757. case '_' + d + c:
  758. if (this.mode == Template.modes.LITERAL) {
  759. this._addOutput(line);
  760. }
  761. this.mode = null;
  762. this.truncate = line.indexOf('-') === 0 || line.indexOf('_') === 0;
  763. break;
  764. default:
  765. // In script mode, depends on type of tag
  766. if (this.mode) {
  767. // If '//' is found without a line break, add a line break.
  768. switch (this.mode) {
  769. case Template.modes.EVAL:
  770. case Template.modes.ESCAPED:
  771. case Template.modes.RAW:
  772. if (line.lastIndexOf('//') > line.lastIndexOf('\n')) {
  773. line += '\n';
  774. }
  775. }
  776. switch (this.mode) {
  777. // Just executing code
  778. case Template.modes.EVAL:
  779. this.source += ' ; ' + line + '\n';
  780. break;
  781. // Exec, esc, and output
  782. case Template.modes.ESCAPED:
  783. this.source += ' ; __append(escapeFn(' + stripSemi(line) + '))' + '\n';
  784. break;
  785. // Exec and output
  786. case Template.modes.RAW:
  787. this.source += ' ; __append(' + stripSemi(line) + ')' + '\n';
  788. break;
  789. case Template.modes.COMMENT:
  790. // Do nothing
  791. break;
  792. // Literal <%% mode, append as raw output
  793. case Template.modes.LITERAL:
  794. this._addOutput(line);
  795. break;
  796. }
  797. }
  798. // In string mode, just add the output
  799. else {
  800. this._addOutput(line);
  801. }
  802. }
  803. if (self.opts.compileDebug && newLineCount) {
  804. this.currentLine += newLineCount;
  805. this.source += ' ; __line = ' + this.currentLine + '\n';
  806. }
  807. }
  808. };
  809. /**
  810. * Escape characters reserved in XML.
  811. *
  812. * This is simply an export of {@link module:utils.escapeXML}.
  813. *
  814. * If `markup` is `undefined` or `null`, the empty string is returned.
  815. *
  816. * @param {String} markup Input string
  817. * @return {String} Escaped string
  818. * @public
  819. * @func
  820. * */
  821. exports.escapeXML = utils.escapeXML;
  822. /**
  823. * Express.js support.
  824. *
  825. * This is an alias for {@link module:ejs.renderFile}, in order to support
  826. * Express.js out-of-the-box.
  827. *
  828. * @func
  829. */
  830. exports.__express = exports.renderFile;
  831. /**
  832. * Version of EJS.
  833. *
  834. * @readonly
  835. * @type {String}
  836. * @public
  837. */
  838. exports.VERSION = _VERSION_STRING;
  839. /**
  840. * Name for detection of EJS.
  841. *
  842. * @readonly
  843. * @type {String}
  844. * @public
  845. */
  846. exports.name = _NAME;
  847. /* istanbul ignore if */
  848. if (typeof window != 'undefined') {
  849. window.ejs = exports;
  850. }