Embedded JavaScript templates -- http://ejs.co
Installations
npm install ejs
Developer Guide
Typescript
No
Module System
CommonJS
Min. Node Version
>=0.10.0
Node Version
20.11.1
NPM Version
10.2.4
Score
92.9
Supply Chain
99.6
Quality
76.8
Maintenance
100
Vulnerability
100
License
Releases
Contributors
Unable to fetch Contributors
Languages
JavaScript (100%)
Developer
mde
Download Statistics
Total Downloads
3,203,123,701
Last Day
3,448,342
Last Week
15,630,644
Last Month
70,397,687
Last Year
829,843,602
GitHub Statistics
7,834 Stars
3,207 Commits
843 Forks
127 Watching
14 Branches
122 Contributors
Bundle Size
11.77 kB
Minified
4.55 kB
Minified + Gzipped
Package Meta Information
Latest Version
3.1.10
Package Id
ejs@3.1.10
Unpacked Size
139.49 kB
Size
41.69 kB
File Count
13
NPM Version
10.2.4
Node Version
20.11.1
Publised On
12 Apr 2024
Total Downloads
Cumulative downloads
Total Downloads
3,203,123,701
Last day
-5%
3,448,342
Compared to previous day
Last week
-15.8%
15,630,644
Compared to previous week
Last month
5.1%
70,397,687
Compared to previous month
Last year
25.6%
829,843,602
Compared to previous year
Daily Downloads
Weekly Downloads
Monthly Downloads
Yearly Downloads
Dependencies
1
Dev Dependencies
7
Embedded JavaScript templates
![Known Vulnerabilities](https://snyk.io/test/npm/ejs/badge.svg?style=flat)
Security
Security professionals, before reporting any security issues, please reference the SECURITY.md in this project, in particular, the following: "EJS is effectively a JavaScript runtime. Its entire job is to execute JavaScript. If you run the EJS render method without checking the inputs yourself, you are responsible for the results."
In short, DO NOT submit 'vulnerabilities' that include this snippet of code:
1app.get('/', (req, res) => { 2 res.render('index', req.query); 3});
Installation
1$ npm install ejs
Features
- Control flow with
<% %>
- Escaped output with
<%= %>
(escape function configurable) - Unescaped raw output with
<%- %>
- Newline-trim mode ('newline slurping') with
-%>
ending tag - Whitespace-trim mode (slurp all whitespace) for control flow with
<%_ _%>
- Custom delimiters (e.g.
[? ?]
instead of<% %>
) - Includes
- Client-side support
- Static caching of intermediate JavaScript
- Static caching of templates
- Complies with the Express view system
Example
1<% if (user) { %> 2 <h2><%= user.name %></h2> 3<% } %>
Try EJS online at: https://ionicabizau.github.io/ejs-playground/.
Basic usage
1let template = ejs.compile(str, options); 2template(data); 3// => Rendered HTML string 4 5ejs.render(str, data, options); 6// => Rendered HTML string 7 8ejs.renderFile(filename, data, options, function(err, str){ 9 // str => Rendered HTML string 10});
It is also possible to use ejs.render(dataAndOptions);
where you pass
everything in a single object. In that case, you'll end up with local variables
for all the passed options. However, be aware that your code could break if we
add an option with the same name as one of your data object's properties.
Therefore, we do not recommend using this shortcut.
Important
You should never give end-users unfettered access to the EJS render method, If you do so you are using EJS in an inherently un-secure way.
Options
cache
Compiled functions are cached, requiresfilename
filename
The name of the file being rendered. Not required if you are usingrenderFile()
. Used bycache
to key caches, and for includes.root
Set template root(s) for includes with an absolute path (e.g, /file.ejs). Can be array to try to resolve include from multiple directories.views
An array of paths to use when resolving includes with relative paths.context
Function execution contextcompileDebug
Whenfalse
no debug instrumentation is compiledclient
Whentrue
, compiles a function that can be rendered in the browser without needing to load the EJS Runtime (ejs.min.js).delimiter
Character to use for inner delimiter, by default '%'openDelimiter
Character to use for opening delimiter, by default '<'closeDelimiter
Character to use for closing delimiter, by default '>'debug
Outputs generated function bodystrict
When set totrue
, generated function is in strict mode_with
Whether or not to usewith() {}
constructs. Iffalse
then the locals will be stored in thelocals
object. Set tofalse
in strict mode.destructuredLocals
An array of local variables that are always destructured from the locals object, available even in strict mode.localsName
Name to use for the object storing local variables when not usingwith
Defaults tolocals
rmWhitespace
Remove all safe-to-remove whitespace, including leading and trailing whitespace. It also enables a safer version of-%>
line slurping for all scriptlet tags (it does not strip new lines of tags in the middle of a line).escape
The escaping function used with<%=
construct. It is used in rendering and is.toString()
ed in the generation of client functions. (By default escapes XML).outputFunctionName
Set to a string (e.g., 'echo' or 'print') for a function to print output inside scriptlet tags.async
Whentrue
, EJS will use an async function for rendering. (Depends on async/await support in the JS runtime.includer
Custom function to handle EJS includes, receives(originalPath, parsedPath)
parameters, whereoriginalPath
is the path in include as-is andparsedPath
is the previously resolved path. Should return an object{ filename, template }
, you may return only one of the properties, wherefilename
is the final parsed path andtemplate
is the included content.
This project uses JSDoc. For the full public API
documentation, clone the repository and run jake doc
. This will run JSDoc
with the proper options and output the documentation to out/
. If you want
the both the public & private API docs, run jake devdoc
instead.
Tags
<%
'Scriptlet' tag, for control-flow, no output<%_
'Whitespace Slurping' Scriptlet tag, strips all whitespace before it<%=
Outputs the value into the template (escaped)<%-
Outputs the unescaped value into the template<%#
Comment tag, no execution, no output<%%
Outputs a literal '<%'%%>
Outputs a literal '%>'%>
Plain ending tag-%>
Trim-mode ('newline slurp') tag, trims following newline_%>
'Whitespace Slurping' ending tag, removes all whitespace after it
For the full syntax documentation, please see docs/syntax.md.
Includes
Includes either have to be an absolute path, or, if not, are assumed as
relative to the template with the include
call. For example if you are
including ./views/user/show.ejs
from ./views/users.ejs
you would
use <%- include('user/show') %>
.
You must specify the filename
option for the template with the include
call unless you are using renderFile()
.
You'll likely want to use the raw output tag (<%-
) with your include to avoid
double-escaping the HTML output.
1<ul> 2 <% users.forEach(function(user){ %> 3 <%- include('user/show', {user: user}) %> 4 <% }); %> 5</ul>
Includes are inserted at runtime, so you can use variables for the path in the
include
call (for example <%- include(somePath) %>
). Variables in your
top-level data object are available to all your includes, but local variables
need to be passed down.
NOTE: Include preprocessor directives (<% include user/show %>
) are
not supported in v3.0+.
Custom delimiters
Custom delimiters can be applied on a per-template basis, or globally:
1let ejs = require('ejs'), 2 users = ['geddy', 'neil', 'alex']; 3 4// Just one template 5ejs.render('<p>[?= users.join(" | "); ?]</p>', {users: users}, {delimiter: '?', openDelimiter: '[', closeDelimiter: ']'}); 6// => '<p>geddy | neil | alex</p>' 7 8// Or globally 9ejs.delimiter = '?'; 10ejs.openDelimiter = '['; 11ejs.closeDelimiter = ']'; 12ejs.render('<p>[?= users.join(" | "); ?]</p>', {users: users}); 13// => '<p>geddy | neil | alex</p>'
Caching
EJS ships with a basic in-process cache for caching the intermediate JavaScript
functions used to render templates. It's easy to plug in LRU caching using
Node's lru-cache
library:
1let ejs = require('ejs'), 2 LRU = require('lru-cache'); 3ejs.cache = LRU(100); // LRU cache with 100-item limit
If you want to clear the EJS cache, call ejs.clearCache
. If you're using the
LRU cache and need a different limit, simple reset ejs.cache
to a new instance
of the LRU.
Custom file loader
The default file loader is fs.readFileSync
, if you want to customize it, you can set ejs.fileLoader.
1let ejs = require('ejs'); 2let myFileLoad = function (filePath) { 3 return 'myFileLoad: ' + fs.readFileSync(filePath); 4}; 5 6ejs.fileLoader = myFileLoad;
With this feature, you can preprocess the template before reading it.
Layouts
EJS does not specifically support blocks, but layouts can be implemented by including headers and footers, like so:
1<%- include('header') -%> 2<h1> 3 Title 4</h1> 5<p> 6 My page 7</p> 8<%- include('footer') -%>
Client-side support
Go to the Latest Release, download
./ejs.js
or ./ejs.min.js
. Alternately, you can compile it yourself by cloning
the repository and running jake build
(or $(npm bin)/jake build
if jake is
not installed globally).
Include one of these files on your page, and ejs
should be available globally.
Example
1<div id="output"></div> 2<script src="ejs.min.js"></script> 3<script> 4 let people = ['geddy', 'neil', 'alex'], 5 html = ejs.render('<%= people.join(", "); %>', {people: people}); 6 // With jQuery: 7 $('#output').html(html); 8 // Vanilla JS: 9 document.getElementById('output').innerHTML = html; 10</script>
Caveats
Most of EJS will work as expected; however, there are a few things to note:
- Obviously, since you do not have access to the filesystem,
ejs.renderFile()
won't work. - For the same reason,
include
s do not work unless you use aninclude callback
. Here is an example:
1let str = "Hello <%= include('file', {person: 'John'}); %>", 2 fn = ejs.compile(str, {client: true}); 3 4fn(data, null, function(path, d){ // include callback 5 // path -> 'file' 6 // d -> {person: 'John'} 7 // Put your code here 8 // Return the contents of file as a string 9}); // returns rendered string
See the examples folder for more details.
CLI
EJS ships with a full-featured CLI. Options are similar to those used in JavaScript code:
-o / --output-file FILE
Write the rendered output to FILE rather than stdout.-f / --data-file FILE
Must be JSON-formatted. Use parsed input from FILE as data for rendering.-i / --data-input STRING
Must be JSON-formatted and URI-encoded. Use parsed input from STRING as data for rendering.-m / --delimiter CHARACTER
Use CHARACTER with angle brackets for open/close (defaults to %).-p / --open-delimiter CHARACTER
Use CHARACTER instead of left angle bracket to open.-c / --close-delimiter CHARACTER
Use CHARACTER instead of right angle bracket to close.-s / --strict
When set totrue
, generated function is in strict mode-n / --no-with
Use 'locals' object for vars rather than usingwith
(implies --strict).-l / --locals-name
Name to use for the object storing local variables when not usingwith
.-w / --rm-whitespace
Remove all safe-to-remove whitespace, including leading and trailing whitespace.-d / --debug
Outputs generated function body-h / --help
Display this help message.-V/v / --version
Display the EJS version.
Here are some examples of usage:
1$ ejs -p [ -c ] ./template_file.ejs -o ./output.html 2$ ejs ./test/fixtures/user.ejs name=Lerxst 3$ ejs -n -l _ ./some_template.ejs -f ./data_file.json
Data input
There is a variety of ways to pass the CLI data for rendering.
Stdin:
1$ ./test/fixtures/user_data.json | ejs ./test/fixtures/user.ejs 2$ ejs ./test/fixtures/user.ejs < test/fixtures/user_data.json
A data file:
1$ ejs ./test/fixtures/user.ejs -f ./user_data.json
A command-line option (must be URI-encoded):
1./bin/cli.js -i %7B%22name%22%3A%20%22foo%22%7D ./test/fixtures/user.ejs
Or, passing values directly at the end of the invocation:
1./bin/cli.js -m $ ./test/fixtures/user.ejs name=foo
Output
The CLI by default send output to stdout, but you can use the -o
or --output-file
flag to specify a target file to send the output to.
IDE Integration with Syntax Highlighting
VSCode:Javascript EJS by DigitalBrainstem
Related projects
There are a number of implementations of EJS:
- TJ's implementation, the v1 of this library: https://github.com/tj/ejs
- EJS Embedded JavaScript Framework on Google Code: https://code.google.com/p/embeddedjavascript/
- Sam Stephenson's Ruby implementation: https://rubygems.org/gems/ejs
- Erubis, an ERB implementation which also runs JavaScript: http://www.kuwata-lab.com/erubis/users-guide.04.html#lang-javascript
- DigitalBrainstem EJS Language support: https://github.com/Digitalbrainstem/ejs-grammar
License
Licensed under the Apache License, Version 2.0 (http://www.apache.org/licenses/LICENSE-2.0)
EJS Embedded JavaScript templates copyright 2112 mde@fleegix.org.
Stable Version
Stable Version
3.1.10
CRITICAL
2
9.8/10
Summary
ejs is vulnerable to remote code execution due to weak input validation
Affected Versions
< 2.5.3
Patched Versions
2.5.5
9.8/10
Summary
ejs template injection vulnerability
Affected Versions
< 3.1.7
Patched Versions
3.1.7
HIGH
1
7.5/10
Summary
ejs vulnerable to DoS due to weak input validation
Affected Versions
< 2.5.5
Patched Versions
2.5.5
MODERATE
2
4/10
Summary
ejs lacks certain pollution protection
Affected Versions
< 3.1.10
Patched Versions
3.1.10
6.1/10
Summary
mde ejs vulnerable to XSS
Affected Versions
< 2.5.5
Patched Versions
2.5.5
Reason
no dangerous workflow patterns detected
Reason
no binaries found in the repo
Reason
license file detected
Details
- Info: project has a license file: LICENSE:0
- Info: FSF or OSI recognized license: Apache License 2.0: LICENSE:0
Reason
security policy file detected
Details
- Info: security policy file detected: SECURITY.md:1
- Warn: no linked content found
- Info: Found disclosure, vulnerability, and/or timelines in security policy: SECURITY.md:1
- Info: Found text in security policy: SECURITY.md:1
Reason
Found 5/18 approved changesets -- score normalized to 2
Reason
0 commit(s) and 2 issue activity found in the last 90 days -- score normalized to 1
Reason
detected GitHub workflow tokens with excessive permissions
Details
- Warn: no topLevel permission defined: .github/workflows/create-release.yml:1
- Info: no jobLevel write permissions found
Reason
dependency not pinned by hash detected -- score normalized to 0
Details
- Warn: GitHub-owned GitHubAction not pinned by hash: .github/workflows/create-release.yml:15: update your workflow using https://app.stepsecurity.io/secureworkflow/mde/ejs/create-release.yml/main?enable=pin
- Warn: GitHub-owned GitHubAction not pinned by hash: .github/workflows/create-release.yml:25: update your workflow using https://app.stepsecurity.io/secureworkflow/mde/ejs/create-release.yml/main?enable=pin
- Info: 0 out of 2 GitHub-owned GitHubAction dependencies pinned
Reason
no effort to earn an OpenSSF best practices badge detected
Reason
project is not fuzzed
Details
- Warn: no fuzzer integrations found
Reason
branch protection not enabled on development/release branches
Details
- Warn: branch protection not enabled for branch 'main'
Reason
Project has not signed or included provenance with any releases.
Details
- Warn: release artifact v3.1.10 not signed: https://api.github.com/repos/mde/ejs/releases/150950605
- Warn: release artifact v3.1.9 not signed: https://api.github.com/repos/mde/ejs/releases/95325458
- Warn: release artifact v3.1.8 not signed: https://api.github.com/repos/mde/ejs/releases/66618454
- Warn: release artifact v3.1.7 not signed: https://api.github.com/repos/mde/ejs/releases/64867503
- Warn: release artifact v3.1.6 not signed: https://api.github.com/repos/mde/ejs/releases/37525836
- Warn: release artifact v3.1.10 does not have provenance: https://api.github.com/repos/mde/ejs/releases/150950605
- Warn: release artifact v3.1.9 does not have provenance: https://api.github.com/repos/mde/ejs/releases/95325458
- Warn: release artifact v3.1.8 does not have provenance: https://api.github.com/repos/mde/ejs/releases/66618454
- Warn: release artifact v3.1.7 does not have provenance: https://api.github.com/repos/mde/ejs/releases/64867503
- Warn: release artifact v3.1.6 does not have provenance: https://api.github.com/repos/mde/ejs/releases/37525836
Reason
SAST tool is not run on all commits -- score normalized to 0
Details
- Warn: 0 commits out of 17 are checked with a SAST tool
Reason
11 existing vulnerabilities detected
Details
- Warn: Project is vulnerable to: GHSA-grv7-fg5c-xmjg
- Warn: Project is vulnerable to: GHSA-x9w5-v3q2-3rhw
- Warn: Project is vulnerable to: GHSA-3xgq-45jj-v275
- Warn: Project is vulnerable to: GHSA-434g-2637-qmqr
- Warn: Project is vulnerable to: GHSA-49q7-c7j4-3p7m
- Warn: Project is vulnerable to: GHSA-977x-g7h5-7qgw
- Warn: Project is vulnerable to: GHSA-f7q4-pwc6-w24p
- Warn: Project is vulnerable to: GHSA-fc9h-whq2-v747
- Warn: Project is vulnerable to: GHSA-mwcw-c2x4-8c55
- Warn: Project is vulnerable to: GHSA-c2qf-rxjj-qqgw
- Warn: Project is vulnerable to: GHSA-j8xg-fqg3-53r7
Score
2.8
/10
Last Scanned on 2025-01-27
The Open Source Security Foundation is a cross-industry collaboration to improve the security of open source software (OSS). The Scorecard provides security health metrics for open source projects.
Learn More