how to download a data in node js code example
Example 1: download image in nodejs
const request = require('request');
const fs = require('fs');
async function download(url, dest) {
/* Create an empty file where we can save data */
const file = fs.createWriteStream(dest);
/* Using Promises so that we can use the ASYNC AWAIT syntax */
await new Promise((resolve, reject) => {
request({
/* Here you should specify the exact link to the file you are trying to download */
uri: url,
gzip: true,
})
.pipe(file)
.on('finish', async () => {
console.log(`The file is finished downloading.`);
resolve();
})
.on('error', (error) => {
reject(error);
});
})
.catch((error) => {
console.log(`Something happened: ${error}`);
});
}
// example
(async () => {
const data = await download('https://random.dog/vh7i79y2qhhy.jpg', './images/image.jpg');
console.log(data); // The file is finished downloading.
})();
Example 2: download file nodejs
const http = require('http');
const fs = require('fs');
const url = 'www.example.com/image.png'; // link to file you want to download
const path = 'app/assets/my_image_name.xlsx' // where to save a file
const request = http.get(url, function(response) {
if (response.statusCode === 200) {
var file = fs.createWriteStream(path);
response.pipe(file);
}
request.setTimeout(60000, function() { // if after 60s file not downlaoded, we abort a request
request.abort();
});
});