EN
Node.js - read JSON files
3 points
In this article, we would like to show you how to read JSON files in Node.js.
Quick solution:
xxxxxxxxxx
1
const fs = require('fs');
2
3
try {
4
const fileJson = fs.readFileSync('/path/to/file.json', 'utf-8');
5
const fileData = JSON.parse(fileJson);
6
console.log(fileData);
7
} catch (ex) {
8
console.error(ex);
9
}
Example preview:

In the below, we present 3 methods to read JSON files:
- synchronously,
- asynchronously with callbacks,
- asynchronously with
async
/await
keywords.
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 readJsonFile = (path) => {
4
const fileJson = fs.readFileSync(path, 'utf-8');
5
const fileData = JSON.parse(fileJson);
6
return fileData;
7
};
8
9
10
// Usage example:
11
12
const fileData = readJsonFile('/path/to/file.json');
13
14
console.log(fileData);
This approach is commonly used in Node.js web applications.
xxxxxxxxxx
1
const fs = require('fs');
2
3
const readJsonFile = (path, callback) => {
4
fs.readFile(path, 'utf-8', (error, fileJson) => {
5
if (error) {
6
callback(error, undefined);
7
} else {
8
try {
9
const fileData = JSON.parse(fileJson);
10
callback(undefined, fileData);
11
} catch (ex) {
12
callback(ex, undefined);
13
}
14
}
15
});
16
};
17
18
19
// Usage example:
20
21
readJsonFile('/path/to/file.json', (error, fileData) => {
22
if (error) {
23
console.log(error);
24
} else {
25
console.log(fileData);
26
}
27
});
The main advantage of this approach is source code readability.
xxxxxxxxxx
1
const { readFile } = require('fs/promises');
2
3
const readJsonFile = async (path) => {
4
const jsonData = await readFile(path, 'utf-8');
5
const parsedData = JSON.parse(jsonData);
6
return parsedData;
7
};
8
9
10
// Usage example 1:
11
12
const someMethod = async () => {
13
try {
14
const fileData = await readJsonFile('/path/to/file.json');
15
console.log(fileData);
16
} catch (ex) {
17
console.error(ex);
18
}
19
};
20
21
someMethod();
22
23
24
// Usage example 2:
25
26
readJsonFile('/path/to/file.json')
27
.then((fileData) => console.log(fileData))
28
.catch((ex) => console.error(ex));