A JavaScript runtime built on Chrome's V8 JavaScript engine
References
- nodejs.org
- Documentation
- API reference documentation ( latest )
- ES6 features
- Guides
- Documentation
As an asynchronous event-driven JavaScript runtime, Node.js is designed to build scalable network applications. In the following "hello world" example, many connections can be handled concurrently. Upon each connection, the callback is fired, but if there is no work to be done, Node.js will sleep.
This is in contrast to today's more common concurrency model, in which OS threads are employed. Thread-based networking is relatively inefficient and very difficult to use.
Furthermore, users of Node.js are free from worries of dead-locking the process, since there are no locks. Almost no function in Node.js directly performs I/O, so the process never blocks except when the I/O is performed using synchronous methods of Node.js standard library. Because nothing blocks, scalable systems are very reasonable to develop in Node.js.
If some of this language is unfamiliar, there is a full article on Blocking vs. Non-Blocking.
Node.js is similar in design to, and influenced by, systems like Ruby's Event Machine and Python's Twisted.
Node.js takes the event model a bit further.
It presents an event loop as a runtime construct instead of as a library.
In other systems, there is always a blocking call to start the event-loop.
Typically, behavior is defined through callbacks at the beginning of a script, and at the end a server is started through a blocking call like EventMachine::run()
.
In Node.js, there is no such start-the-event-loop call.
- Node.js simply enters the event loop after executing the input script.
- Node.js exits the event loop when there are no more callbacks to perform.
This behavior is like browser JavaScript —— the event loop is hidden from the user.
HTTP is a first-class citizen in Node.js, designed with streaming and low latency in mind. This makes Node.js well suited for the foundation of a web library or framework.
Node.js being designed without threads doesn't mean you can't take advantage of multiple cores in your environment.
Child processes can be spawned by using our child_process.fork()
API, and are designed to be easy to communicate with.
Built upon that same interface is the cluster
module, which allows you to share sockets between processes to enable load balancing over your cores.
Both the browser and Node.js use JavaScript as their programming language.
……
What changes is the ecosystem.
-
In the browser, most of the time what you are doing is interacting with the DOM, or other Web Platform APIs like Cookies.
And in the browser, we don't have all the nice APIs that Node.js provides through its modules, like the filesystem access functionality.
-
Those do not exist in Node.js, of course.
You don't have the
document
,window
and all the other objects that are provided by the browser.Another big difference is that in Node.js you control the environment. Unless you are building an open source application that anyone can deploy anywhere, you know which version of Node.js you will run the application on. Compared to the browser environment, where you don't get the luxury to choose what browser your visitors will use, this is very convenient.
The process
core module of Node.js provides the env
property which hosts all the environment variables that were set at the moment the process was started.
The below code runs app.js
and set USER_ID
and USER_KEY
.
USER_ID=239482 USER_KEY=foobar node app.js
Note:
process
does not require a "require", it's automatically available.
Here is an example that accesses the USER_ID
and USER_KEY
environment variables, which we set in above code.
process.env.USER_ID // "239482"
process.env.USER_KEY // "foobar"
In the same way you can access any custom environment variable you set.
If you have multiple environment variables in your node project, you can also create an .env
file in the root directory of your project, and then use the dotenv package to load them during runtime.
# .env file
USER_ID="239482"
USER_KEY="foobar"
NODE_ENV="development"
require('dotenv').config();
process.env.USER_ID; // "239482"
process.env.USER_KEY; // "foobar"
process.env.NODE_ENV; // "development"
You can also run your js file with
node -r dotenv/config index.js
command if you don't want to import the package in your code.
For example :
$ node app.js joe
# or
$ node app.js name=joe
The way you retrieve it is using the process
object built into Node.js.
It exposes an argv
property, which is an array that contains all the command line invocation arguments.
- The first element is the full path of the
node
command. - The second element is the full path of the file being executed.
- All the additional arguments are present from the third position going forward.
You can iterate over all the arguments ( including the node path and the file path ) using a loop :
process.argv.forEach((val, index) => {
console.log(`${index}: ${val}`);
});
You can get only the additional arguments by creating a new array that excludes the first 2 params:
const args = process.argv.slice(2);
If you have one argument without an index name, like this :
node app.js joe
you can access it using
const args = process.argv.slice(2);
args[0];
In this case :
node app.js name=joe
args[0]
is name=joe
, and you need to parse it.
The best way to do so is by using the minimist
library, which helps dealing with arguments:
const args = require('minimist')(process.argv.slice(2));
args['name']; //joe
Install the required minimist
package using npm
.
npm install minimist
This time you need to use double dashes before each argument name:
node app.js --name=joe
Node.js provides a console
module which provides tons of very useful ways to interact with the command line.
It is basically the same as the console
object you find in the browser.
The most basic and most used method is console.log()
, which prints the string you pass to it to the console.
If you pass an object, it will render it as a string.
You can pass multiple variables to console.log, for example :
const x = 'x';
const y = 'y';
console.log(x, y);
and Node.js will print both.
We can also format pretty phrases by passing variables and a format specifier. For example :
console.log('My %s has %d years', 'cat', 2);
%s
format a variable as a string%d
format a variable as a number%i
format a variable as its integer part only%o
format a variable as an object
Clear the console
console.clear()
clears the console ( the behavior might depend on the console used ) .
console.count()
is a handy method.
……
What happens is that console.count()
will count the number of times a string is printed, and print the count next to it: ……
Reset counting
The console.countReset()
method resets counter used with console.count()
.
……
There might be cases where it's useful to print the call stack trace of a function, maybe to answer the question how did you reach that part of the code?
You can do so using console.trace()
:
const function2 = () => console.trace();
const function1 = () => function2();
function1();
This will print the stack trace. This is what's printed if we try this in the Node.js REPL :
Trace
at function2 (repl:1:33)
at function1 (repl:1:25)
at repl:1:1
at ContextifyScript.Script.runInThisContext (vm.js:44:33)
at REPLServer.defaultEval (repl.js:239:29)
at bound (domain.js:301:14)
at REPLServer.runBound [as eval] (domain.js:314:12)
at REPLServer.onLine (repl.js:440:10)
at emitOne (events.js:120:20)
at REPLServer.emit (events.js:210:7)
You can easily calculate how much time a function takes to run, using time()
and timeEnd()
.
const doSomething = () => console.log('test');
const measureDoingSomething = () => {
console.time('doSomething()');
//do something, and measure the time it takes
doSomething();
console.timeEnd('doSomething()');
};
measureDoingSomething();
stdout and stderr
As we saw
-
console.log is great for printing messages in the Console. This is what's called the standard output, or
stdout
. -
console.error prints to the
stderr
stream.It will not appear in the console, but it will appear in the error log.
Color the output
You can color the output of your text in the console by using escape sequences. An escape sequence is a set of characters that identifies a color.
console.log('\x1b[33m%s\x1b[0m', 'hi!');
You can try that in the Node.js REPL, and it will print "hi!" in yellow.
However, this is the low-level way to do this. The simplest way to go about coloring the console output is by using a library. Chalk is such a library, and in addition to coloring it also helps with other styling facilities, like making text bold, italic or underlined.
You install it with npm install chalk
, then you can use it:
const chalk = require('chalk');
console.log(chalk.yellow('hi!'));
Using chalk.yellow
is much more convenient than trying to remember the escape codes, and the code is much more readable.
Create a progress bar
Progress is an awesome package to create a progress bar in the console.
Install it using npm install progress
This snippet creates a 10-step progress bar, and every 100ms one step is completed. When the bar completes we clear the interval :
const ProgressBar = require('progress');
const bar = new ProgressBar(':bar', { total: 10 });
const timer = setInterval(() => {
bar.tick();
if (bar.complete) {
clearInterval(timer);
}
}, 100);
Node.js since version 7 provides the readline
module to perform exactly this :
get input from a readable stream such as the process.stdin
stream, which during the execution of a Node.js program is the terminal input, one line at a time.
const readline = require('readline').createInterface({
input: process.stdin,
output: process.stdout,
});
readline.question(`What's your name?`, (name) => {
console.log(`Hi ${name}!`);
readline.close();
});
This piece of code asks the username, and once the text is entered and the user presses enter, we send a greeting.
The question()
method shows the first parameter ( a question ) and waits for the user input.
It calls the callback function once enter is pressed.
In this callback function, we close the readline interface.
……
The simplest way is to use the readline-sync
package which is very similar in terms of the API and handles this out of the box.
A more complete and abstract solution is provided by the Inquirer.js package.
const inquirer = require('inquirer');
var questions = [
{
type: 'input',
name: 'name',
message: "What's your name?",
},
];
inquirer.prompt(questions).then((answers) => {
console.log(`Hi ${answers['name']}!`);
});
Inquirer.js lets you do many things like asking multiple choices, having radio buttons, confirmations, and more.
It's worth knowing all the alternatives, especially the built-in ones provided by Node.js, but if you plan to take CLI input to the next level, Inquirer.js is an optimal choice.
Node.js has a built-in module system. A Node.js file can import functionality exposed by other Node.js files.
When you want to import something you use
const library = require('./library');
to import the functionality exposed in the library.js
file that resides in the current file folder.
In this file, functionality must be exposed before it can be imported by other files. Any other object or variable defined in the file by default is private and not exposed to the outer world.
This is what the module.exports API offered by the module
system allows us to do.
When you assign an object or a function as a new exports property, that is the thing that's being exposed, and as such, it can be imported in other parts of your app, or in other apps as well.
You can do so in 2 ways.
-
The first is to assign an object to
module.exports
, which is an object provided out of the box by the module system, and this will make your file export just that object:// car.js const car = { brand: 'Ford', model: 'Fiesta', }; module.exports = car;
// index.js const car = require('./car');
-
The second way is to add the exported object as a property of
exports
. This way allows you to export multiple objects, functions or data:const car = { brand: 'Ford', model: 'Fiesta', }; exports.car = car;
or directly
exports.car = { brand: 'Ford', model: 'Fiesta', };
And in the other file, you'll use it by referencing a property of your import:
const items = require('./items'); const car = items.car;
or
const car = require('./items').car;
or you can use a destructuring assignment:
const { car } = require('./items');
What's the difference between module.exports
and exports
?
module.exports
exposes the object it points to.exports
exposes the properties of the object it points to.
npm
is the standard package manager for Node.js.
……
It started as a way to download and manage dependencies of Node.js packages, but it has since become a tool used also in frontend JavaScript.
There are many things that npm does.
Yarn
andpnpm
are alternatives to npm cli. You can check them out as well.
npm
manages downloads of dependencies of your project.
If a project has a package.json
file, by running
npm install
it will install everything the project needs, in the node_modules
folder, creating it if it's not existing already.
npm install <package-name>
……
Often you'll see more flags added to this command:
--save-dev
installs and adds the entry to thepackage.json
file devDependencies--no-save
installs but does not add the entry to thepackage.json
file dependencies--save-optional
installs and adds the entry to thepackage.json
file optionalDependencies--no-optional
will prevent optional dependencies from being installed
Shorthands of the flags can also be used:
-S
:--save
-D
:--save-dev
-O
:--save-optional
The difference between devDependencies
and dependencies
is that the former contains development tools, like a testing library, while the latter is bundled with the app in production.
As for the optionalDependencies
the difference is that build failure of the dependency will not cause installation to fail.
But it is your program's responsibility to handle the lack of the dependency.
Read more about optional dependencies.
npm update
npm
will check all packages for a newer version that satisfies your versioning constraints.
You can specify a single package to update as well:
npm update <package-name>
In addition to plain downloads, npm
also manages versioning, so you can specify any specific version of a package, or require a version higher or lower than what you need.
Many times you'll find that a library is only compatible with a major release of another library. Or a bug in the latest release of a lib, still unfixed, is causing an issue.
Specifying an explicit version of a library also helps to keep everyone on the same exact version of a package, so that the whole team runs the same version until the package.json file is updated.
In all those cases, versioning helps a lot, and npm
follows the semantic versioning (semver) standard.
The package.json
file supports a format for specifying command line tasks that can be run by using
npm run <task-name>
For example :
{
"scripts": {
"start-dev": "node lib/server-development",
"start": "node lib/server-production"
}
}
It's very common to use this feature to run Webpack :
{
"scripts": {
"watch": "webpack --watch --progress --colors --config webpack.conf.js",
"dev": "webpack --progress --colors --config webpack.conf.js",
"prod": "NODE_ENV=production webpack -p --config webpack.conf.js"
}
}
So instead of typing those long commands, which are easy to forget or mistype, you can run
$ npm run watch
$ npm run dev
$ npm run prod
When you install a package using npm
you can perform 2 types of installation:
- a local install
- a global install
By default, when you type an npm install
command, like:
npm install lodash
the package is installed in the current file tree, under the node_modules
subfolder.
As this happens, npm
also adds the lodash
entry in the dependencies
property of the package.json
file present in the current folder.
A global installation is performed using the -g
flag:
npm install -g lodash
When this happens, npm won't install the package under the local folder, but instead, it will use a global location.
Where, exactly?
-
The
npm root -g
command will tell you where that exact location is on your machine.- On macOS or Linux this location could be
/usr/local/lib/node_modules.
- On Windows it could be
C:\Users\YOU\AppData\Roaming\npm\node_modules
- On macOS or Linux this location could be
-
If you use
nvm
to manage Node.js versions, however, that location would differ.I, for example, use nvm and my packages location was shown as
/Users/icehe/.nvm/versions/node/v16.13.0/lib/node_modules
.
When you install a package into your node_modules
folder using npm
, or also globally, how do you use it in your Node.js code?
Say you install lodash
, the popular JavaScript utility library, using npm install lodash
.
This is going to install the package in the local node_modules
folder.
What if your package is an executable?
- In this case, it will put the executable file under the
node_modules/.bin/
folder.
One easy way to demonstrate this is cowsay.
The cowsay package provides a command line program that can be executed to make a cow say something ( and other animals as well 🦊 ) .
- When you install the package using
npm install cowsay
, it will install itself and a few dependencies in thenode_modules
folder: … - There is a hidden
.bin
folder, which contains symbolic links to the cowsay binaries: …
How do you execute those?
-
You can of course type
./node_modules/.bin/cowsay
to run it, and it works, butnpx
, included in the recent versions ofnpm
(since 5.2), is a much better option. You just run:npx cowsay take me out of here
and
npx
will find the package location.
What's package.json
for? What should you know about it, and what are some of the cool things you can do with it?
The package.json
file is kind of a manifest for your project.
It can do a lot of things, completely unrelated.
It's a central repository of configuration for tools, for example.
It's also where npm
and yarn
store the names and versions for all the installed packages.
……
Here's a much more complex example, which was extracted from a sample Vue.js application:
{
"name": "test-project",
"version": "1.0.0",
"description": "A Vue.js project",
"main": "src/main.js",
"private": true,
"scripts": {
"dev": "webpack-dev-server --inline --progress --config build/webpack.dev.conf.js",
"start": "npm run dev",
"unit": "jest --config test/unit/jest.conf.js --coverage",
"test": "npm run unit",
"lint": "eslint --ext .js,.vue src test/unit",
"build": "node build/build.js"
},
"dependencies": {
"vue": "^2.5.2"
},
"devDependencies": {
"autoprefixer": "^7.1.2",
"babel-core": "^6.22.1",
"babel-eslint": "^8.2.1",
"babel-helper-vue-jsx-merge-props": "^2.0.3",
"babel-jest": "^21.0.2",
"babel-loader": "^7.1.1",
"babel-plugin-dynamic-import-node": "^1.2.0",
"babel-plugin-syntax-jsx": "^6.18.0",
"babel-plugin-transform-es2015-modules-commonjs": "^6.26.0",
"babel-plugin-transform-runtime": "^6.22.0",
"babel-plugin-transform-vue-jsx": "^3.5.0",
"babel-preset-env": "^1.3.2",
"babel-preset-stage-2": "^6.22.0",
"chalk": "^2.0.1",
"copy-webpack-plugin": "^4.0.1",
"css-loader": "^0.28.0",
"eslint": "^4.15.0",
"eslint-config-airbnb-base": "^11.3.0",
"eslint-friendly-formatter": "^3.0.0",
"eslint-import-resolver-webpack": "^0.8.3",
"eslint-loader": "^1.7.1",
"eslint-plugin-import": "^2.7.0",
"eslint-plugin-vue": "^4.0.0",
"extract-text-webpack-plugin": "^3.0.0",
"file-loader": "^1.1.4",
"friendly-errors-webpack-plugin": "^1.6.1",
"html-webpack-plugin": "^2.30.1",
"jest": "^22.0.4",
"jest-serializer-vue": "^0.3.0",
"node-notifier": "^5.1.2",
"optimize-css-assets-webpack-plugin": "^3.2.0",
"ora": "^1.2.0",
"portfinder": "^1.0.13",
"postcss-import": "^11.0.0",
"postcss-loader": "^2.0.8",
"postcss-url": "^7.2.1",
"rimraf": "^2.6.0",
"semver": "^5.3.0",
"shelljs": "^0.7.6",
"uglifyjs-webpack-plugin": "^1.1.1",
"url-loader": "^0.5.8",
"vue-jest": "^1.0.2",
"vue-loader": "^13.3.0",
"vue-style-loader": "^3.0.1",
"vue-template-compiler": "^2.5.2",
"webpack": "^3.6.0",
"webpack-bundle-analyzer": "^2.9.0",
"webpack-dev-server": "^2.9.1",
"webpack-merge": "^4.1.0"
},
"engines": {
"node": ">= 6.0.0",
"npm": ">= 3.0.0"
},
"browserslist": ["> 1%", "last 2 versions", "not ie <= 8"]
}
there are lots of things going on here:
version
indicates the current versionname
sets the application/package namedescription
is a brief description of the app/packagemain
sets the entry point for the applicationprivate
if set totrue
prevents the app/package to be accidentally published onnpm
scripts
defines a set of node scripts you can rundependencies
sets a list ofnpm
packages installed as dependenciesdevDependencies
sets a list ofnpm
packages installed as development dependenciesengines
sets which versions of Node.js this package/app works onbrowserslist
is used to tell which browsers ( and their versions ) you want to support- ……
All those properties are used by either npm
or other tools that we can use.
This section describes the properties you can use in detail. We refer to "package" but the same thing applies to local applications which you do not use as packages.
Most of those properties are only used on https://www.npmjs.com/, others by scripts that interact with your code, like npm
or others.
……
Command-specific properties
The package.json
file can also host command-specific configuration, for example for Babel, ESLint, and more.
Each has a specific property, like eslintConfig
, babel
and others.
Those are command-specific, and you can find how to use those in the respective command/project documentation.
You have seen in the description above version numbers like these: ~3.0.0
or ^0.13.0
.
What do they mean, and which other version specifiers can you use?
That symbol specifies which updates your package accepts, from that dependency.
Given that using semver ( semantic versioning ) all versions have 3 digits,
- the first being the major release,
- the second the minor release and
- the third is the patch release,
you have these "Rules".
You can combine most of the versions in ranges, like this: 1.0.0 || >=1.1.0 <1.2.0
, to either use 1.0.0 or one release from 1.1.0 up, but lower than 1.2.0.
In version 5, npm introduced the package-lock.json
file.
What's that? You probably know about the package.json file, which is much more common and has been around for much longer.
The goal of package-lock.json
file is to keep track of the exact version of every package that is installed so that a product is 100% reproducible in the same way even if packages are updated by their maintainers.
This solves a very specific problem that package.json
left unsolved.
In package.json
you can set which versions you want to upgrade to ( patch or minor ) , using the semver notation, for example:
-
if you write
~0.13.0
, you want to only update patch releases :0.13.1
is ok, but0.14.0
is not. -
if you write
^0.13.0
, you want to get updates that do not change the leftmost non-zero number : 0.13.1, 0.13.2 and so on.If you write
^1.13.0
, you will get patch and minor releases:1.13.1
,1.14.0
and so on up to2.0.0
but not2.0.0
. -
If you write
0.13.0
, that is the exact version that will be used, always
You don't commit to Git your node_modules
folder, which is generally huge, and when you try to replicate the project on another machine by using the npm install
command, if you specified the ~
syntax and a patch release of a package has been released, that one is going to be installed.
Same for ^
and minor releases.
If you specify exact versions, like
0.13.0
in the example, you are not affected by this problem.
It could be you, or another person trying to initialize the project on the other side of the world by running npm install
.
So your original project and the newly initialized project are actually different. Even if a patch or minor release should not introduce breaking changes, we all know bugs can (and so, they will) slide in.
The package-lock.json
sets your currently installed version of each package in stone, and npm
will use those exact versions when running npm ci
.
This concept is not new, and other programming languages package managers ( like Composer in PHP ) use a similar system for years.
The package-lock.json
file needs to be committed to your Git repository, so it can be fetched by other people, if the project is public or you have collaborators, or if you use Git as a source for deployments.
The dependencies versions will be updated in the package-lock.json
file when you run npm update
.
……
To see the version of all installed npm packages, including their dependencies:
$ npm list
/Users/joe/dev/node/cowsay
└─┬ [email protected]
├── [email protected]
├─┬ [email protected]
│ ├── [email protected]
│ └── [email protected]
├─┬ [email protected]
│ ├── [email protected]
│ └─┬ [email protected]
│ └── [email protected]
└── [email protected]
You can also just open the package-lock.json
file, but this involves some visual scanning.
npm list -g
is the same, but for globally installed packages.
$ npm list -g
/Users/icehe/.nvm/versions/node/v16.13.0/lib
├── [email protected]
├── [email protected]
└── [email protected]
To get only your top-level packages ( basically, the ones you told npm to install and you listed in the package.json
), run :
$ npm list --depth=0
/Users/joe/dev/node/cowsay
└── [email protected]
You can get the version of a specific package by specifying its name:
$ npm list cowsay
/Users/joe/dev/node/cowsay
└── [email protected]
This also works for dependencies of packages you installed:
$ npm list minimist
/Users/joe/dev/node/cowsay
└─┬ [email protected]
└─┬ [email protected]
└── [email protected]
……
You can install an old version of an npm package using the @
syntax:
npm install <package>@<version>
……
To discover new releases of the packages, you run npm outdated
.
……
Some of those updates are major releases.
Running npm update won't update the version of those.
Major releases are never updated in this way because they ( by definition ) introduce breaking changes, and npm
wants to save you trouble.
To update all packages to a new major version, install the npm-check-updates
package globally:
npm install -g npm-check-updates
ncu -u
this will upgrade all the version hints in the package.json
file, to dependencies
and devDependencies
, so npm can install the new major version.
You are now ready to run the update:
npm update
If you just downloaded the project without the node_modules
dependencies and you want to install the shiny new versions first, just run
npm install
The Semantic Versioning concept is simple : all versions have 3 digits: x.y.z
.
- the first digit is the major version
- the second digit is the minor version
- the third digit is the patch version
When you make a new release, you don't just up a number as you please, but you have rules:
- you up the major version when you make incompatible API changes
- you up the minor version when you add functionality in a backward-compatible manner
- you up the patch version when you make backward-compatible bug fixes
The convention is adopted all across programming languages, and it is very important that every npm
package adheres to it, because the whole system depends on that.
Why is that so important?
Because npm
set some rules we can use in the package.json
file to choose which versions it can update our packages to, when we run npm update
.
See those symbols and their rules in detail :
-
^
It will only do updates that do not change the leftmost non-zero number i.e there can be changes in minor version or patch version but not in major version.If you write
^13.1.0
, when runningnpm update
, it can update to13.2.0
,13.3.0
even13.3.1
,13.3.2
and so on, but not to14.0.0
or above. -
~
if you write~0.13.0
when runningnpm update
it can update to patch releases:0.13.1
is ok, but0.14.0
is not. -
>
accept any version higher than the one you specify -
>=
accept any version equal to or higher than the one you specify -
<=
accept any version equal or lower to the one you specify -
<
accept any version lower than the one you specify -
=
accept that exact version -
-
accept a range of versions. Example:2.1.0 - 2.6.2
-
||
combine sets. Example:< 2.1 || > 2.6
You can combine some of those notations, for example use 1.0.0 || >=1.1.0 <1.2.0
to either use 1.0.0 or one release from 1.1.0 up, but lower than 1.2.0.
There are other rules, too:
- no symbol : you accept only that specific version you specify (
1.2.1
) latest
: you want to use the latest version available
……
In general, all packages should be installed locally.
require('package-name');
This makes sure you can have dozens of applications in your computer, all running a different version of each package if needed.
Updating a global package would make all your projects use the new release, and as you can imagine this might cause nightmares in terms of maintenance, as some packages might break compatibility with further dependencies, and so on.
All projects have their own local version of a package, even if this might appear like a waste of resources, it's minimal compared to the possible negative consequences.
A package should be installed globally when it provides an executable command that you run from the shell ( CLI ) , and it's reused across projects.
You can also install executable commands locally and run them using npx
, but some packages are just better installed globally.
……
npx
is a very powerful command that's been available in npm starting version 5.2.
If you don't want to install npm
, you can install x as a standalone package
npx
lets you run code built with Node.js and published through the npm registry.
……
Running npx commandname
automatically finds the correct reference of the command inside the node_modules
folder of a project, without needing to know the exact path, and without requiring the package to be installed globally and in the user's path.
There is another great feature of npx
, which is allowing to run commands without first installing them.
This is pretty useful, mostly because:
- you don't need to install anything
- you can run different versions of the same command, using the syntax @version
Use the @
to specify the version, and combine that with the node
npm package :
npx node@10 -v # v10.18.1
npx node@12 -v # v12.14.1
This helps to avoid tools like nvm
or the other Node.js version management tools.
npx
does not limit you to the packages published on the npm registry.
You can run code that sits in a GitHub gist, for example :
npx https://gist.github.com/zkat/4bc19503fe9e9309e2bfaa2c58074d32
Of course, you need to be careful when running code that you do not control, as with great power comes great responsibility.
The Event Loop is one of the most important aspects to understand about Node.js.
Why is this so important? Because it explains how Node.js can be asynchronous and have non-blocking I/O, and so it explains basically the "killer app" of Node.js, the thing that made it this successful.
The Node.js JavaScript code runs on a single thread. There is just one thing happening at a time.
This is a limitation that's actually very helpful, as it simplifies a lot how you program without worrying about concurrency issues.
You just need to pay attention to how you write your code and avoid anything that could block the thread, like synchronous network calls or infinite loops.
In general, in most browsers there is an event loop for every browser tab, to make every process isolated and avoid a web page with infinite loops or heavy processing to block your entire browser.
The environment manages multiple concurrent event loops, to handle API calls for example. Web Workers run in their own event loop as well.
You mainly need to be concerned that your code will run on a single event loop, and write code with this thing in mind to avoid blocking it.
……
The call stack is a LIFO (Last In, First Out) stack.
The event loop continuously checks the call stack to see if there's any function that needs to run.
While doing so, it adds any function call it finds to the call stack and executes each one in order.
……
When setTimeout()
is called, the Browser or Node.js starts the timer.
Once the timer expires, in this case immediately as we put 0 as the timeout, the callback function is put in the Message Queue.
……
The loop gives priority to the call stack, and it first processes everything it finds in the call stack, and once there's nothing in there, it goes to pick up things in the message queue.
ECMAScript 2015 introduced the concept of the Job Queue, which is used by Promises (also introduced in ES6/ES2015). It's a way to execute the result of an async function as soon as possible, rather than being put at the end of the call stack.
Promises that resolve before the current function ends will be executed right after the current function.
I find nice the analogy of a rollercoaster ride at an amusement park: the message queue puts you at the back of the queue, behind all the other people, where you will have to wait for your turn, while the job queue is the fastpass ticket that lets you take another ride right after you finished the previous one.
const bar = () => console.log('bar');
const baz = () => console.log('baz');
const foo = () => {
console.log('foo');
setTimeout(bar, 0);
new Promise((resolve, reject) => resolve('should be right after baz, before bar')).then(
(resolve) => console.log(resolve)
);
baz();
};
foo();
Output :
foo
baz
should be right after baz, before bar
bar
……
As you try to understand the Node.js event loop, one important part of it is process.nextTick()
.
Every time the event loop takes a full trip, we call it a tick.
When we pass a function to process.nextTick()
, we instruct the engine to invoke this function at the end of the current operation, before the next event loop tick starts :
process.nextTick(() => {
//do something
});
The event loop is busy processing the current function code.
When this operation ends, the JS engine runs all the functions passed to nextTick
calls during that operation.
It's the way we can tell the JS engine to process a function asynchronously (after the current function), but as soon as possible, not queue it.
Calling setTimeout(() => {}, 0)
will execute the function at the end of next tick, much later than when using nextTick()
which prioritizes the call and executes it just before the beginning of the next tick.
Use nextTick()
when you want to make sure that in the next event loop iteration that code is already executed.
When you want to execute some piece of code asynchronously, but as soon as possible, one option is to use the setImmediate()
function provided by Node.js:
Any function passed as the setImmediate()
argument is a callback that's executed in the next iteration of the event loop.
How is setImmediate()
different from setTimeout(() => {}, 0)
( passing a 0ms timeout ), and from process.nextTick()
?
A function passed to process.nextTick()
is going to be executed on the current iteration of the event loop, after the current operation ends.
This means it will always execute before setTimeout
and setImmediate
.
A setTimeout()
callback with a 0ms delay is very similar to setImmediate()
.
The execution order will depend on various factors, but they will be both run in the next iteration of the event loop.
……
This syntax defines a new function. You can call whatever other function you want in there, or you can pass an existing function name, and a set of parameters:
const myFunction = (firstParam, secondParam) => {
// do something
};
// runs after 2 seconds with parameters
setTimeout(myFunction, 2000, firstParam, secondParam);
setTimeout
returns the timer id.
This is generally not used, but you can store this id, and clear it if you want to delete this scheduled function execution :
const id = setTimeout(() => {
// should run after 2 seconds
}, 2000);
// I changed my mind
clearTimeout(id);
If you specify the timeout delay to 0
, the callback function will be executed as soon as possible, but after the current function execution:
setTimeout(() => {
console.log('after ');
}, 0);
console.log(' before ');
……
This is especially useful to avoid blocking the CPU on intensive tasks and let other functions be executed while performing a heavy calculation, by queuing functions in the scheduler.
Some browsers (IE and Edge) implement a
setImmediate()
method that does this same exact functionality, but it's not standard and unavailable on other browsers. > But it's a standard function in Node.js.
setInterval
is a function similar to setTimeout
, with a difference : instead of running the callback function once, it will run it forever, at the specific time interval you specify ( in milliseconds ) :
setInterval(() => {
// runs every 2 seconds
}, 2000);
The function above runs every 2 seconds unless you tell it to stop, using clearInterval
, passing it the interval id that setInterval
returned :
const id = setInterval(() => {
// runs every 2 seconds
}, 2000);
clearInterval(id);
It's common to call clearInterval
inside the setInterval
callback function, to let it auto-determine if it should run again or stop.
For example this code runs something unless App.somethingIWait
has the value arrived:
const interval = setInterval(() => {
if (App.somethingIWait === 'arrived') {
clearInterval(interval);
return;
}
// otherwise do things
}, 100);
setInterval
starts a function every n milliseconds, without any consideration about when a function finished its execution.
If a function always takes the same amount of time, it's all fine:
Maybe the function takes different execution times, depending on network conditions for example:
And maybe one long execution overlaps the next one:
To avoid this, you can schedule a recursive setTimeout to be called when the callback function finishes :
const myFunction = () => {
// do something
setTimeout(myFunction, 1000);
};
setTimeout(myFunction, 1000);
to achieve this scenario :
setTimeout
and setInterval
are available in Node.js, through the Timers module.
……
……
JavaScript is synchronous by default and is single threaded. This means that code cannot create new threads and run in parallel.
……
……
How do you handle errors with callbacks? One very common strategy is to use what Node.js adopted: the first parameter in any callback function is the error object : error-first callbacks
If there is no error, the object is null
.
If there is an error, it contains some description of the error and other information.
fs.readFile('/file.json', (err, data) => {
if (err) {
//handle error
console.log(err);
return;
}
//no errors, process data
console.log(data);
});
……
……
-
Uncaught TypeError: undefined is not a promise
If you get the
Uncaught TypeError: undefined is not a promise
error in the console, make sure you usenew Promise()
instead of justPromise()
-
UnhandledPromiseRejectionWarning
This means that a promise you called rejected, but there was no catch used to handle the error. Add a
catch
after the offendingthen
to handle this properly.
……
Async functions are a combination of promises and generators, and basically, they are a higher level abstraction over promises.
Let me repeat: async
/await
is built on promises.
They reduce the boilerplate around promises, and the "don't break the chain" limitation of chaining promises.
When Promises were introduced in ES2015, they were meant to solve a problem with asynchronous code, and they did, but over the 2 years that separated ES2015 and ES2017, it was clear that promises could not be the ultimate solution.
Promises were introduced to solve the famous callback hell problem, but they introduced complexity on their own, and syntax complexity.
They were good primitives around which a better syntax could be exposed to the developers, so when the time was right we got async functions.
They make the code look like it's synchronous, but it's asynchronous and non-blocking behind the scenes.
An async function returns a promise, like in this example:
const doSomethingAsync = () => {
return new Promise((resolve) => {
setTimeout(() => resolve('I did something'), 3000);
});
};
When you want to call this function you prepend await
, and the calling code will stop until the promise is resolved or rejected.
One caveat : the client function must be defined as async
.
Here's an example:
const doSomething = async () => {
console.log(await doSomethingAsync());
};
This is a simple example of async
/await
used to run a function asynchronously :
const doSomethingAsync = () => {
return new Promise((resolve) => {
setTimeout(() => resolve('I did something'), 3000);
});
};
const doSomething = async () => {
console.log(await doSomethingAsync());
};
console.log('Before');
doSomething();
console.log('After');
Output :
Before
After
I did something
Prepending the async
keyword to any function means that the function will return a promise.
Even if it's not doing so explicitly, it will internally make it return a promise.
This is why this code is valid:
const aFunction = async () => {
return 'test';
};
aFunction().then(alert); // This will alert 'test'
and it's the same as :
const aFunction = () => {
return Promise.resolve('test');
};
aFunction().then(alert); // This will alert 'test'
As you can see in the example above, our code looks very simple. Compare it to code using plain promises, with chaining and callback functions.
And this is a very simple example, the major benefits will arise when the code is much more complex.
For example here's how you would get a JSON resource, and parse it, using promises :
const getFirstUserData = () => {
return fetch('/users.json') // get users list
.then((response) => response.json()) // parse JSON
.then((users) => users[0]) // pick first user
.then((user) => fetch(`/users/${user.name}`)) // get user data
.then((userResponse) => userResponse.json()); // parse JSON
};
getFirstUserData();
And here is the same functionality provided using await/async :
const getFirstUserData = async () => {
const response = await fetch('/users.json'); // get users list
const users = await response.json(); // parse JSON
const user = users[0]; // pick first user
const userResponse = await fetch(`/users/${user.name}`); // get user data
const userData = await userResponse.json(); // parse JSON
return userData;
};
getFirstUserData();
Async functions can be chained very easily, and the syntax is much more readable than with plain promises :
const promiseToDoSomething = () => {
return new Promise((resolve) => {
setTimeout(() => resolve('I did something'), 10000);
});
};
const watchOverSomeoneDoingSomething = async () => {
const something = await promiseToDoSomething();
return something + '\nand I watched';
};
const watchOverSomeoneWatchingSomeoneDoingSomething = async () => {
const something = await watchOverSomeoneDoingSomething();
return something + '\nand I watched as well';
};
watchOverSomeoneWatchingSomeoneDoingSomething().then((res) => {
console.log(res);
});
I did something
and I watched
and I watched as well
Debugging promises is hard because the debugger will not step over asynchronous code.
Async/await makes this very easy because to the compiler it's just like synchronous code.
If you worked with JavaScript in the browser, you know how much of the interaction of the user is handled through events: mouse clicks, keyboard button presses, reacting to mouse movements, and so on.
On the backend side, Node.js offers us the option to build a similar system using the events
module.
This module, in particular, offers the EventEmitter
class, which we'll use to handle our events.
You initialize that using
const EventEmitter = require('events');
const eventEmitter = new EventEmitter();
This object exposes, among many others, the on
and emit
methods.
emit
is used to trigger an eventon
is used to add a callback function that's going to be executed when the event is triggered
For example, let's create a start event, and as a matter of providing a sample, we react to that by just logging to the console :
eventEmitter.on('start', () => {
console.log('started');
});
When we run
eventEmitter.emit('start');
the event handler function is triggered, and we get the console log.
You can pass arguments to the event handler by passing them as additional arguments to emit()
:
eventEmitter.on('start', (number) => {
console.log(`started ${number}`);
});
eventEmitter.emit('start', 23);
Multiple arguments :
eventEmitter.on('start', (start, end) => {
console.log(`started from ${start} to ${end}`);
});
eventEmitter.emit('start', 1, 100);
The EventEmitter object also exposes several other methods to interact with events, like
once()
: add a one-time listenerremoveListener()
/off()
: remove an event listener from an eventremoveAllListeners()
: remove all listeners for an event
You can read all their details on the events module page at nodejs.org/api/events.html
Here is a sample Hello World HTTP web server :
const http = require('http');
const port = process.env.PORT || 3000;
const server = http.createServer((req, res) => {
res.statusCode = 200;
res.setHeader('Content-Type', 'text/html');
res.end('<h1>Hello, World!</h1>');
});
server.listen(port, () => {
console.log(`Server running at port ${port}`);
});
We include the http
module.
We use the module to create an HTTP server.
The server is set to listen on the specified port, 3000
.
When the server is ready, the listen
callback function is called.
The callback function we pass is the one that's going to be executed upon every request that comes in. Whenever a new request is received, the request
event is called, providing two objects: a request ( an http.IncomingMessage
object ) and a response ( an http.ServerResponse
object ) .
request
provides the request details. Through it, we access the request headers and request data.response
is used to populate the data we're going to return to the client.
In this case with
res.statusCode = 200;
we set the statusCode property to 200, to indicate a successful response.
We also set the Content-Type header :
res.setHeader('Content-Type', 'text/html');
and we end close the response, adding the content as an argument to end()
:
res.end('<h1>Hello, World!</h1>');
Perform a GET Request
const https = require('https');
const options = {
hostname: 'example.com',
port: 443,
path: '/todos',
method: 'GET',
};
const req = https.request(options, (res) => {
console.log(`statusCode: ${res.statusCode}`);
res.on('data', (d) => {
process.stdout.write(d);
});
});
req.on('error', (error) => {
console.error(error);
});
req.end();
Perform a POST Request
const https = require('https');
const data = new TextEncoder().encode(
JSON.stringify({
todo: 'Buy the milk 🍼',
})
);
const options = {
hostname: 'whatever.com',
port: 443,
path: '/todos',
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Content-Length': data.length,
},
};
const req = https.request(options, (res) => {
console.log(`statusCode: ${res.statusCode}`);
res.on('data', (d) => {
process.stdout.write(d);
});
});
req.on('error', (error) => {
console.error(error);
});
req.write(data);
req.end();
PUT and DELETE requests use the same POST request format - you just need to change the options.method
value to the appropriate method.
There are many ways to perform an HTTP POST request in Node.js, depending on the abstraction level you want to use.
The simplest way to perform an HTTP request using Node.js is to use the Axios
library :
const axios = require('axios');
axios
.post('https://whatever.com/todos', {
todo: 'Buy the milk',
})
.then((res) => {
console.log(`statusCode: ${res.status}`);
console.log(res);
})
.catch((error) => {
console.error(error);
});
Axios requires the use of a 3rd party library.
A POST request is possible just using the Node.js standard modules, although it's more verbose than the two preceding options :
const https = require('https');
const data = JSON.stringify({
todo: 'Buy the milk',
});
const options = {
hostname: 'whatever.com',
port: 443,
path: '/todos',
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Content-Length': data.length,
},
};
const req = https.request(options, (res) => {
console.log(`statusCode: ${res.statusCode}`);
res.on('data', (d) => {
process.stdout.write(d);
});
});
req.on('error', (error) => {
console.error(error);
});
req.write(data);
req.end();
……
If you are using Express
, that's quite simple: use the body-parser Node.js module.
For example, to get the body of this request :
const axios = require('axios');
axios.post('https://whatever.com/todos', {
todo: 'Buy the milk',
});
This is the matching server-side code :
const express = require('express');
const app = express();
app.use(
express.urlencoded({
extended: true,
})
);
app.use(express.json());
app.post('/todos', (req, res) => {
console.log(req.body.todo);
});
If you're not using Express and you want to do this in vanilla Node.js, you need to do a bit more work, of course, as Express abstracts a lot of this for you.
The key thing to understand is that when you initialize the HTTP server using http.createServer()
, the callback is called when the server got all the HTTP headers, but not the request body.
The request
object passed in the connection callback is a stream.
So, we must listen for the body content to be processed, and it's processed in chunks.
We first get the data by listening to the stream data events, and when the data ends, the stream end event is called, once :
const server = http.createServer((req, res) => {
// we can access HTTP headers
req.on('data', (chunk) => {
console.log(`Data chunk available: ${chunk}`);
});
req.on('end', () => {
//end of data
});
});
So to access the data, assuming we expect to receive a string, we must concatenate the chunks into a string when listening to the stream data
, and when the stream end
, we parse the string to JSON:
const server = http.createServer((req, res) => {
let data = '';
req.on('data', (chunk) => {
data += chunk;
});
req.on('end', () => {
console.log(JSON.parse(data).todo); // 'Buy the milk'
res.end();
});
});
Starting from Node.js v10 a for await … of
syntax is available for use.
It simplifies the example above and makes it look more linear :
const server = http.createServer(async (req, res) => {
const buffers = [];
for await (const chunk of req) {
buffers.push(chunk);
}
const data = Buffer.concat(buffers).toString();
console.log(JSON.parse(data).todo); // 'Buy the milk'
res.end();
});
Before you're able to interact with a file that sits in your filesystem, you must get a file descriptor.
A file descriptor is a reference to an open file, a number ( fd
) returned by opening the file using the open()
method offered by the fs
module.
This number ( fd
) uniquely identifies an open file in operating system :
const fs = require('fs');
fs.open('/Users/joe/test.txt', 'r', (err, fd) => {
//fd is our file descriptor
});
Notice the r
we used as the second parameter to the fs.open()
call.
That flag means we open the file for reading. Other flags you'll commonly use are:
-
r+
open the file for reading and writing, if file doesn't exist it won't be created.
-
w+
open the file for reading and writing, positioning the stream at the beginning of the file. The file is created if not existing.
-
a
open the file for writing, positioning the stream at the end of the file. The file is created if not existing.
-
a+
open the file for reading and writing, positioning the stream at the end of the file. The file is created if not existing.
You can also open the file by using the fs.openSync
method, which returns the file descriptor, instead of providing it in a callback:
const fs = require('fs')
try {
const fd = fs.openSync('/Users/joe/test.txt', 'r')
} catch (err) {
console.error(err)
}
Once you get the file descriptor, in whatever way you choose, you can perform all the operations that require it, like calling fs.close()
and many other operations that interact with the filesystem.
Every file comes with a set of details that we can inspect using Node.js.
In particular, using the stat()
method provided by the fs
module.
You call it passing a file path, and once Node.js gets the file details it will call the callback function you pass, with 2 parameters: an error message, and the file stats:
const fs = require('fs')
fs.stat('/Users/joe/test.txt', (err, stats) => {
if (err) {
console.error(err)
return
}
//we have access to the file stats in `stats`
})
Node.js provides also a sync method, which blocks the thread until the file stats are ready:
const fs = require('fs')
try {
const stats = fs.statSync('/Users/joe/test.txt')
} catch (err) {
console.error(err)
}
The file information is included in the stats variable.
What kind of information can we extract using the stats? Including:
- if the file is a directory or a file, using
stats.isFile()
andstats.isDirectory()
- if the file is a symbolic link using
stats.isSymbolicLink()
- the file size in bytes using
stats.size
.
There are other advanced methods, but the bulk of what you'll use in your day-to-day programming is this.
const fs = require('fs')
fs.stat('/Users/joe/test.txt', (err, stats) => {
if (err) {
console.error(err)
return
}
stats.isFile() //true
stats.isDirectory() //false
stats.isSymbolicLink() //false
stats.size //1024000 //= 1MB
})
Every file in the system has a path.
- On Linux and macOS, a path might look like:
/users/joe/file.txt
- while Windows computers are different, and have a structure such as:
C:\users\joe\file.txt
You need to pay attention when using paths in your applications, as this difference must be taken into account.
You include this module in your files using
const path = require('path')
and you can start using its methods.
Given a path, you can extract information out of it using those methods:
dirname
: get the parent folder of a filebasename
: get the filename partextname
: get the file extension
const notes = '/users/joe/notes.txt'
path.dirname(notes) // /users/joe
path.basename(notes) // notes.txt
path.extname(notes) // .txt
Join two or more parts of a path by using path.join()
:
const name = 'joe'
path.join('/', 'users', name, 'notes.txt') //'/users/joe/notes.txt'
Get the absolute path calculation of a relative path using path.resolve()
:
path.resolve('joe.txt') //'/Users/joe/joe.txt' if run from my home folder
In this case Node.js will simply append /joe.txt
to the current working directory.
If you specify a second parameter folder, resolve
will use the first as a base for the second:
path.resolve('tmp', 'joe.txt') //'/Users/joe/tmp/joe.txt' if run from my home folder
……
path.normalize()
is another useful function, that will try and calculate the actual path, when it contains relative specifiers like .
or ..
, or double slashes:
path.normalize('/users/joe/..//test.txt') //'/users/test.txt'
Neither resolve nor normalize will check if the path exists. They just calculate a path based on the information they got.
The simplest way to read a file in Node.js is to use the fs.readFile()
method, passing it the file path, encoding and a callback function that will be called with the file data (and the error):
const fs = require('fs')
fs.readFile('/Users/joe/test.txt', 'utf8' , (err, data) => {
if (err) {
console.error(err)
return
}
console.log(data)
})
Alternatively, you can use the synchronous version fs.readFileSync()
:
const fs = require('fs')
try {
const data = fs.readFileSync('/Users/joe/test.txt', 'utf8')
console.log(data)
} catch (err) {
console.error(err)
}
Both fs.readFile()
and fs.readFileSync()
read the full content of the file in memory before returning the data.
This means that big files are going to have a major impact on your memory consumption and speed of execution of the program.
In this case, a better option is to read the file content using streams.
The easiest way to write to files in Node.js is to use the fs.writeFile()
API.
const fs = require('fs')
const content = 'Some content!'
fs.writeFile('/Users/joe/test.txt', content, err => {
if (err) {
console.error(err)
return
}
//file written successfully
})
Alternatively, you can use the synchronous version fs.writeFileSync()
:
const fs = require('fs')
const content = 'Some content!'
try {
fs.writeFileSync('/Users/joe/test.txt', content)
//file written successfully
} catch (err) {
console.error(err)
}
By default, this API will replace the contents of the file if it does already exist.
You can modify the default by specifying a flag:
fs.writeFile('/Users/joe/test.txt', content, { flag: 'a+' }, err => {})
The flags you'll likely use are
-
r+
open the file for reading and writing -
w+
open the file for reading and writing, positioning the stream at the beginning of the file.The file is created if it does not exist
-
a
open the file for writing, positioning the stream at the end of the file.The file is created if it does not exist
-
a+
open the file for reading and writing, positioning the stream at the end of the file.The file is created if it does not exist
( you can find more flags at https://nodejs.org/api/fs.html#fs_file_system_flags )
Append to a file
A handy method to append content to the end of a file is fs.appendFile()
(and its fs.appendFileSync()
counterpart):
const content = 'Some content!'
fs.appendFile('file.log', content, err => {
if (err) {
console.error(err)
return
}
//done!
})
Using streams
All those methods write the full content to the file before returning the control back to your program (in the async version, this means executing the callback)
In this case, a better option is to write the file content using streams.
Check if a folder exists
Use fs.access()
to check if the folder exists and Node.js can access it with its permissions.
Create a new folder
Use fs.mkdir()
or fs.mkdirSync()
to create a new folder.
const fs = require('fs')
const folderName = '/Users/joe/test'
try {
if (!fs.existsSync(folderName)) {
fs.mkdirSync(folderName)
}
} catch (err) {
console.error(err)
}
Read the content of a directory
Use fs.readdir()
or fs.readdirSync()
to read the contents of a directory.
This piece of code reads the content of a folder, both files and subfolders, and returns their relative path:
const fs = require('fs')
const folderPath = '/Users/joe'
fs.readdirSync(folderPath)
You can get the full path:
fs.readdirSync(folderPath).map(fileName => {
return path.join(folderPath, fileName)
})
You can also filter the results to only return the files, and exclude the folders:
const isFile = fileName => {
return fs.lstatSync(fileName).isFile()
}
fs.readdirSync(folderPath).map(fileName => {
return path.join(folderPath, fileName)
})
.filter(isFile)
Rename a folder
Use fs.rename()
or fs.renameSync()
to rename folder.
The first parameter is the current path, the second the new path:
const fs = require('fs')
fs.rename('/Users/joe', '/Users/roger', err => {
if (err) {
console.error(err)
return
}
//done
})
fs.renameSync()
is the synchronous version:
const fs = require('fs')
try {
fs.renameSync('/Users/joe', '/Users/roger')
} catch (err) {
console.error(err)
}
Remove a folder
Use fs.rmdir()
or fs.rmdirSync()
to remove a folder.
Removing a folder that has content can be more complicated than you need. You can pass the option { recursive: true }
to recursively remove the contents.
const fs = require('fs')
fs.rmdir(dir, { recursive: true }, (err) => {
if (err) {
throw err;
}
console.log(`${dir} is deleted!`);
});
NOTE: In Node v16.x the option recursive is deprecated
for
fs.rmdir of callback API, instead usefs.rm
to delete folders that have content in them:
const fs = require('fs')
fs.rm(dir, { recursive: true, force: true }, (err) => {
if (err) {
throw err;
}
console.log(`${dir} is deleted!`)
});
Or you can install and make use of the fs-extra
module, which is very popular and well maintained.
It's a drop-in replacement of the fs
module, which provides more features on top of it.
In this case the remove()
method is what you want.
Use it like this:
const fs = require('fs-extra')
const folder = '/Users/joe'
fs.remove(folder, err => {
console.error(err)
})
It can also be used with promises:
fs.remove(folder)
.then(() => {
//done
})
.catch(err => {
console.error(err)
})
or with async/await:
async function removeFolder(folder) {
try {
await fs.remove(folder)
//done
} catch (err) {
console.error(err)
}
}
const folder = '/Users/joe'
removeFolder(folder)
The fs
module provides a lot of very useful functionality to access and interact with the file system.
There is no need to install it. Being part of the Node.js core, it can be used by simply requiring it:
const fs = require('fs')
Once you do so, you have access to all its methods, which include:
-
fs.access()
check if the file exists and Node.js can access it with its permissions
-
fs.appendFile()
append data to a file. If the file does not exist, it's created
-
fs.chmod()
change the permissions of a file specified by the filename passed.
Related:
fs.lchmod()
,fs.fchmod()
-
fs.chown()
change the owner and group of a file specified by the filename passed.
Related:
fs.fchown(),
fs.lchown()
-
fs.close()
close a file descriptor
-
fs.copyFile()
copies a file
-
fs.createReadStream()
create a readable file stream
-
fs.createWriteStream()
create a writable file stream
-
fs.link()
create a new hard link to a file
-
fs.mkdir()
create a new folder
-
fs.mkdtemp()
create a temporary directory
-
fs.open()
set the file mode
-
fs.readdir()
read the contents of a directory
-
fs.readFile()
read the content of a file.
Related:
fs.read()
-
fs.readlink()
read the value of a symbolic link
-
fs.realpath()
resolve relative file path pointers (
.
,..
) to the full path -
fs.rename()
rename a file or folder
-
fs.rmdir()
remove a folder
-
fs.stat()
returns the status of the file identified by the filename passed.
Related:
fs.fstat()
,fs.lstat()
-
fs.symlink()
create a new symbolic link to a file
-
fs.truncate()
truncate to the specified length the file identified by the filename passed.
Related:
fs.ftruncate()
-
fs.unlink()
remove a file or a symbolic link
-
fs.unwatchFile()
stop watching for changes on a file
-
fs.utimes()
change the timestamp of the file identified by the filename passed.
Related:
fs.futimes()
-
fs.watchFile()
start watching for changes on a file.
Related:
fs.watch()
-
fs.writeFile()
write data to a file.
Related:
fs.write()
One peculiar thing about the fs
module is that all the methods are asynchronous by default, but they can also work synchronously by appending Sync
.
For example:
fs.rename()
fs.renameSync()
fs.write()
fs.writeSync()
The path
module provides a lot of very useful functionality to access and interact with the file system.
This module provides path.sep
which provides the path segment separator (\
on Windows, and /
on Linux / macOS), and path.delimiter
which provides the path delimiter (;
on Windows, and :
on Linux / macOS).
-
path.basename()
Return the last portion of a path.
A second parameter can filter out the file extension:
-
path.dirname()
Return the directory part of a path:
require('path').dirname('/test/something') // /test require('path').dirname('/test/something/file.txt') // /test/something
-
path.dirname()
Return the directory part of a path:
require('path').dirname('/test/something') // /test require('path').dirname('/test/something/file.txt') // /test/something
-
path.extname()
Return the extension part of a path
require('path').extname('/test/something') // '' require('path').extname('/test/something/file.txt') // '.txt'
-
path.format()
Returns a path string from an object.
This is the opposite of
path.parse
path.format
accepts an object as argument with the following keys:root
: the rootdir
: the folder path starting from the rootbase
: the file name + extensionname
: the file nameext
: the file extension
root
is ignored ifdir
is providedext
andname
are ignored ifbase
exists// # POSIX # // '/Users/joe/test.txt' require('path').format({ dir: '/Users/joe', base: 'test.txt' }) // '/Users/joe/test.txt' require('path').format({ root: '/Users/joe', name: 'test', ext: '.txt' }) // # WINDOWS # // 'C:\\Users\\joe\\test.txt' require('path').format({ dir: 'C:\\Users\\joe', base: 'test.txt' })
-
path.isAbsolute()
Returns true if it's an absolute path
require('path').isAbsolute('/test/something') // true require('path').isAbsolute('./test/something') // false
-
path.join()
Joins two or more parts of a path:
const name = 'joe' require('path').join('/', 'users', name, 'notes.txt') //'/users/joe/notes.txt'
-
path.normalize()
Tries to calculate the actual path when it contains relative specifiers like
.
or..
, or double slashes:require('path').normalize('/users/joe/..//test.txt') //'/users/test.txt'
-
path.parse()
Parses a path to an object with the segments that compose it:
root
: the rootdir
: the folder path starting from the rootbase
: the file name + extensionname
: the file nameext
: the file extension
require('path').parse('/users/test.txt')
results in
{ root: '/', dir: '/users', base: 'test.txt', ext: '.txt', name: 'test' }
-
path.relative()
Accepts 2 paths as arguments. Returns the relative path from the first path to the second, based on the current working directory.
require('path').relative('/Users/joe', '/Users/joe/test.txt') //'test.txt' require('path').relative('/Users/joe', '/Users/joe/something/test.txt') //'something/test.txt'
-
path.resolve()
You can get the absolute path calculation of a relative path using
path.resolve()
:path.resolve('joe.txt') //'/Users/joe/joe.txt' if run from my home folder
By specifying a second parameter, resolve will use the first as a base for the second:
path.resolve('tmp', 'joe.txt') //'/Users/joe/tmp/joe.txt' if run from my home folder
If the first parameter starts with a slash, that means it's an absolute path:
path.resolve('/etc', 'joe.txt') //'/etc/joe.txt'
This module provides many functions that you can use to retrieve information from the underlying operating system and the computer the program runs on, and interact with it.
There are a few useful properties that tell us some key things related to handling files:
-
os.EOL
gives the line delimiter sequence.
It's
\n
on Linux and macOS, and\r\n
on Windows. -
os.constants.signals
tells us all the constants related to handling process signals, like
SIGHUP
,SIGKILL
and so on. -
os.constants.errno
sets the constants for error reporting, like
EADDRINUSE
,EOVERFLOW
and more.
You can read them all on https://nodejs.org/api/os.html#os_signal_constants .
Let's now see the main methods that os provides:
-
os.arch()
Return the string that identifies the underlying architecture, like
arm
,x64
,arm64
. -
os.cpus()
Return information on the CPUs available on your system.
[ { model: 'Intel(R) Core(TM)2 Duo CPU P8600 @ 2.40GHz', speed: 2400, times: { user: 281685380, nice: 0, sys: 187986530, idle: 685833750, irq: 0 } }, { model: 'Intel(R) Core(TM)2 Duo CPU P8600 @ 2.40GHz', speed: 2400, times: { user: 282348700, nice: 0, sys: 161800480, idle: 703509470, irq: 0 } } ]
-
os.endianness()
Return BE or LE depending if Node.js was compiled with Big Endian or Little Endian.
-
os.freemem()
Return the number of bytes that represent the free memory in the system.
-
os.homedir()
Return the path to the home directory of the current user.
-
os.hostname()
Return the host name.
-
os.loadavg()
Return the calculation made by the operating system on the load average.
It only returns a meaningful value on Linux and macOS.
[3.68798828125, 4.00244140625, 11.1181640625]
-
os.networkInterfaces()
Returns the details of the network interfaces available on your system.
{ lo0: [ { address: '127.0.0.1', netmask: '255.0.0.0', family: 'IPv4', mac: 'fe:82:00:00:00:00', internal: true }, { address: '::1', netmask: 'ffff:ffff:ffff:ffff:ffff:ffff:ffff:ffff', family: 'IPv6', mac: 'fe:82:00:00:00:00', scopeid: 0, internal: true }, { address: 'fe80::1', netmask: 'ffff:ffff:ffff:ffff::', family: 'IPv6', mac: 'fe:82:00:00:00:00', scopeid: 1, internal: true } ], en1: [ { address: 'fe82::9b:8282:d7e6:496e', netmask: 'ffff:ffff:ffff:ffff::', family: 'IPv6', mac: '06:00:00:02:0e:00', scopeid: 5, internal: false }, { address: '192.168.1.38', netmask: '255.255.255.0', family: 'IPv4', mac: '06:00:00:02:0e:00', internal: false } ], utun0: [ { address: 'fe80::2513:72bc:f405:61d0', netmask: 'ffff:ffff:ffff:ffff::', family: 'IPv6', mac: 'fe:80:00:20:00:00', scopeid: 8, internal: false } ] }
-
os.platform()
Return the platform that Node.js was compiled for:
darwin
freebsd
linux
openbsd
win32
- …
-
os.release()
Returns a string that identifies the operating system release number
-
os.tmpdir()
Returns the path to the assigned temp folder.
-
os.totalmem()
Returns the number of bytes that represent the total memory available in the system.
-
os.type()
Identifies the operating system:
Linux
Darwin
on macOSWindows_NT
on Windows
-
os.uptime()
Returns the number of seconds the computer has been running since it was last rebooted.
-
os.userInfo()
Returns an object that contains the current
username
,uid
,gid
,shell
, andhomedir
The events module provides us the EventEmitter
class, which is key to working with events in Node.js.
const EventEmitter = require('events')
const door = new EventEmitter()
The event listener has these in-built events:
newListener
when a listener is addedremoveListener
when a listener is removed
Here's a detailed descriptidon of the most useful methods:
-
emitter.addListener()
Alias for
emitter.on()
. -
emitter.emit()
Emits an event.
It synchronously calls every event listener in the order they were registered.
door.emit("slam") // emitting the event "slam"
-
emitter.eventNames()
Return an array of strings that represent the events registered on the current EventEmitter object:
door.eventNames()
-
emitter.getMaxListeners()
Get the maximum amount of listeners one can add to an EventEmitter object, which defaults to 10 but can be increased or lowered by using
setMaxListeners()
door.getMaxListeners()
-
emitter.listenerCount()
Get the count of listeners of the event passed as parameter:
door.listenerCount('open')
-
emitter.listeners()
Gets an array of listeners of the event passed as parameter:
door.listeners('open')
-
emitter.off()
Alias for
emitter.removeListener()
added in Node.js 10 -
emitter.on()
Adds a callback function that's called when an event is emitted.
Usage:
door.on('open', () => { console.log('Door was opened') })
-
emitter.once()
Adds a callback function that's called when an event is emitted for the first time after registering this.
This callback is only going to be called once, never again.
const EventEmitter = require('events') const ee = new EventEmitter() ee.once('my-event', () => { //call callback function once })
-
emitter.prependListener()
When you add a listener using on or
addListener
, it's added last in the queue of listeners, and called last.Using
prependListener
it's added, and called, before other listeners. -
emitter.prependOnceListener()
When you add a listener using once, it's added last in the queue of listeners, and called last.
Using
prependOnceListener
it's added, and called, before other listeners. -
emitter.removeAllListeners()
Removes all listeners of an EventEmitter object listening to a specific event:
door.removeAllListeners('open')
-
emitter.removeListener()
Remove a specific listener.
You can do this by saving the callback function to a variable, when added, so you can reference it later:
const doSomething = () => {} door.on('open', doSomething) door.removeListener('open', doSomething)
-
emitter.setMaxListeners()
Sets the maximum amount of listeners one can add to an
EventEmitter
object, which defaults to 10 but can be increased or lowered.door.setMaxListeners(50)
The HTTP core module is a key module to Node.js networking.
The module provides some properties and methods, and some classes.