EN
Node.js - read files
0 points
In this article, we would like to show you how to read files in Node.js.
Below we will present 3 methods to read files in node.js:
- synchronously,
- asynchronously with callback,
- asynchronously with async/await.
Is recommended to use synchronous operations when we want to get better performance - e.g. Node JS-based sequential scripts run under the operating system.
xxxxxxxxxx
1
const fs = require('fs');
2
3
const data = fs.readFileSync('/path/to/file.txt','utf8');
4
console.log(data);
Note:
In the
fs.readFile()
method, we must provide an absolute path to the file.
xxxxxxxxxx
1
const fs = require('fs');
2
3
fs.readFile('/path/to/file.txt', 'utf8', (error, data) => { // encoding parameter is optional
4
if (error) throw error;
5
console.log(data);
6
}
7
);
xxxxxxxxxx
1
const { readFile } = require('fs/promises');
2
3
const readFileAsync = async (path) => {
4
try {
5
const data = await readFile(path, 'utf-8'); // encoding parameter is optional
6
console.log(data);
7
} catch (error) {
8
console.error(error);
9
}
10
};
11
12
readFileAsync('/path/to/file.txt');