- Published on
File upload with progress bar (nodejs)
- Authors
- Name
- Milad E. Fahmy
- @miladezzat12
File upload with progress bar (nodejs)
we will create a file upload service by using pure nodejs and html without any library.
Create backend by nodejs
Create nodejs server
Note create empty file called index.js
and write the following
const http = require('http');
const httpServer = http.createServer();
const port = 3000;
httpServer.listen(port, () => {
console.log(`Server running on port ${port}`);
});
Explain the code:
-
const http = require('http');
thehttp
is the built in node module, if you want to learn more about http you can visit the origin website https://nodejs.org/api/http.html or https://nodejs.dev/learn/the-nodejs-http-module -
const httpServer = http.createServer();
thehttp
contains method calledcreateServer
that we can use it to create server, it is a method turns your computer into an HTTP server -
const port = 3000;
this is the port that the server listen ont it -
httpServer.listen
, Thehttp.server.listen()
is an inbuilt application programming interface of class Server within the http module which is used to start the server from accepting new connections.
Syntax
const server.listen(options[, callback])
Parameters: This method accepts the following two parameters:
- option: It can be the port, host, path, backlog, exclusive, readableAll, writableAll, ipv6Only, etc depending upon user need.
- callback: It is an optional parameter, it is the callback function that is passed as a parameter.
Return Value: This method returns nothing but a callback function.
Service Html page
- Firstly: listen on the coming requests
httpServer.on('request', (req, res) => {});
Syntax:
httpServer.on(string, callback)
Example
// serve the index.html file
if (req.url === '/') {
res.writeHead(200, { 'Content-type': 'text/html' });
return res.end(fs.readFileSync('./index.html'));
}
- Second: create endpoint to upload the file
// upload file and response with its url
if (req.url === '/upload') {
if (req.headers['content-type'] === 'application/json' && req.headers['done'] === 'true') {
res.setHeader('Content-Type', 'application/json');
return res.end(JSON.stringify({ url: `${req.headers.host}/public/${req.headers['file-name']}` }));
}
const fileName = req.headers['file-name'];
req.on('data', (chunk) => {
fs.appendFileSync(__dirname + '/public/' + fileName, chunk)
});
res.end('uploaded');
}
Explain the code
-
if (req.url === '/upload')
check thereq.url
is/upload
; -
this code for check if the file uploaded, and response with the file
url
if (req.headers['content-type'] === 'application/json' && req.headers['done'] === 'true') {
res.setHeader('Content-Type', 'application/json');
return res.end(JSON.stringify({ url: `${req.headers.host}/public/${req.headers['file-name']}` }));
}
const fileName = req.headers['file-name'];
this line, extract the file-name for request headers- This code listen on the data uploaded via request and append it to file name, at the
pubilc
folder
req.on('data', (chunk) => {
fs.appendFileSync(__dirname + '/public/' + fileName, chunk)
});
res.end('uploaded')
, the line end the response
Read file uploaded
const mime = { // this the files uploaded types
html: 'text/html',
txt: 'text/plain',
css: 'text/css',
gif: 'image/gif',
jpg: 'image/jpeg',
png: 'image/png',
svg: 'image/svg+xml',
js: 'application/javascript',
json: 'application/json',
mp4: 'video/mp4',
};
// read file uploaded
const fileRegex = new RegExp(`^/public/.*`, 'i');
if (fileRegex.test(req.url)) {
try {
const fileExtension = path.extname(`${decodeURI(req.url)}`);
const type = mime[path.extname(fileExtension).slice(1)] || 'text/plain';
const s = fs.createReadStream(`${decodeURI(req.url).replace('/', '')}`);
res.writeHead(200, { 'Content-type': type });
s.pipe(res);
} catch (error) {
return res.end('no file');
}
}
-
const fileRegex = new RegExp(^/public/.*, 'i');
create regex expression to check the coming url request is file uploaded url -
if (fileRegex.test(req.url))
check if the url is file uploaded url -
const type = mime[path.extname(fileExtension).slice(1)] || 'text/plain';
, get the file uploaded type -
const s = fs.createReadStream(${decodeURI(req.url).replace('/', '')}
);` create a read stream, for more information about stream in nodejs visit https://nodejs.org/en/knowledge/advanced/streams/how-to-use-fs-create-read-stream/ -
s.pipe(res);
response by file using pipe, Thereadable.pipe()
method in a Readable Stream is used to attach a Writable stream to the readable stream so that it consequently switches into flowing mode and then pushes all the data that it has to the attached Writable.
Create Frontend
- Create empty html page called
index
at the root folder, and write the following
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>File uploader</title>
</head>
<body>
</body>
</html>
- In the body write the following
<h1>My file uploader</h1> // this is just header
File: <input type='file' id='f'> // this is the input, that we used for uploading files
<button id='btnUpload'>Read & Upload</button> // just button
<div id='divOutput'>
// the output of uploading display here, progress bar
</div>
<div id="url"></div> // the url of the file uploaded
- At the end of the body, create
script
tag and write the following code
const btnUpload = document.getElementById("btnUpload"); // get the button upload
const divOutput = document.getElementById("divOutput"); // get the output file
const f = document.getElementById("f"); // get the file input
-
We will use the
FileReader
object to read the files by browsers as chunks from more information aboutFileReader
you can visit https://developer.mozilla.org/en-US/docs/Web/API/FileReader -
const fileReader = new FileReader();
create instance for filereader -
const theFile = f.files[0];
get the file -
fileReader.onload
, this method listen on load file -
calculate the number of chunks of file,
const chunkCount = Math.floor((ev.target.result.byteLength / (1024 * 1024)) * 0.5) + 1;
-
const CHUNK_SIZE = ev.target.result.byteLength / chunkCount;
chunk size -
const fileName = uuid() + '-' + theFile.name;
create unique file name for uploaded file -
uuid, this is a method to create unique id for file,
function uuid() {
return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g,
function (c) {
let r = Math.random() * 16 | 0, v = c == 'x' ? r : (r & 0x3 | 0x8);
return v.toString(16);
}) + '-' + Date.now().toString(32);
}
- Upload the file chunks and display the progress bar
for (let chunkId = 0; chunkId < chunkCount + 1; chunkId++) {
const chunk = ev.target.result.slice(chunkId * CHUNK_SIZE, chunkId * CHUNK_SIZE + CHUNK_SIZE);
await fetch("http://localhost:3000/upload", {
"method": "POST",
"headers": {
"content-type": "application/octet-stream",
"content-length": chunk.length,
"file-name": fileName
},
"body": chunk
});
divOutput.innerHTML = `
<div id="progressbar">
<div style ="background-color: orange; width: ${Math.floor(chunkId * CHUNK_SIZE * 100 / ev.target.result.byteLength, 0)}%; height: 20px;border-radius: 10px;">
${Math.floor(chunkId * CHUNK_SIZE * 100 / ev.target.result.byteLength, 0)}%
</div>
</div>
`;
}
- After finished the upload file, we will send the
done
uploaded to the server and display the file uploaded url
const response = await fetch("http://localhost:3000/upload", {
"method": "POST",
"headers": {
"content-type": "application/json",
"file-name": fileName,
done: true,
},
"body": JSON.stringify({ "done": true }),
});
const data = await response.json();
document.getElementById('url').innerHTML = `<a href=${data.url}> ${data.url} </a>`;
fileReader.readAsArrayBuffer(theFile);
read the file as buffer
for the source code on github https://github.com/miladezzat/file-uploader-with-progress-bar