EN
Node.js - delete files
0 points
In this article, we would like to show you how to delete files in Node.js.
Below we will present 3 methods to delete files in node.js:
- synchronously,
- asynchronously with callback,
- asynchronously with async/await.
xxxxxxxxxx
1
const fs = require('fs');
2
3
try {
4
fs.unlinkSync('./fileToDelete.txt');
5
console.log('successfully deleted fileToDelete.txt');
6
} catch (error) {
7
console.log(error);
8
}
xxxxxxxxxx
1
const fs = require('fs');
2
3
fs.unlink('./fileToDelete.txt', (error) => {
4
if (error) {
5
console.error(error.message);
6
} else {
7
console.log('successfully deleted');
8
}
9
});
xxxxxxxxxx
1
const fs = require('fs/promises');
2
3
const deleteFile = async (path) => {
4
try {
5
await fs.unlink(path);
6
console.log('successfully deleted');
7
} catch (error) {
8
console.error(error.message);
9
}
10
};
11
12
deleteFile('./fileToDelete.txt');