10 Useful HTML File Upload Tips

10 Useful HTML File Upload Tips

[[351004]]

The ability to upload files is a key requirement for many web and mobile applications. From uploading photos to social media to posting resumes to job portals, file uploads are everywhere.

As a web developer, we must know that HTML provides native file upload support with a little help from JavaScript. In HTML5, the File API is added to the DOM. With it, we can read FileList and the File objects in it, which solves multiple use cases for files, i.e. loading files locally or sending them over the network to a server for processing, etc.

In this article, we will discuss 10 uses of HTML file upload support, I hope you find it useful.

If at any time you would like to use these file upload features, you can find them here:

HTML file upload demo: https://html-file-upload.netlify.app/

The source code for this demo is in my Github repository, please feel free to follow me and keep updating the code with examples, and give a đź‘Ť if you find it useful.

Source code repository: https://github.com/atapas/html-file-upload

1. Single file upload

We can specify the input type as file to use the file uploader functionality in our web application.

  1. <input type= "file" id= "file-uploader" >

The input file type enables users to upload one or more files via a button, by default it allows uploading a single file using the operating system's native file browser.

After the upload is successful, the File API can use simple JavaScript code to read the File object. To read the File object, we need to listen to the change event of the file uploader.

First, get the file uploader instance by ID

  1. const fileUploader = document.getElementById( 'file-uploader' );

Then add a change event listener to read the file object after the upload is complete. We get the uploaded file information from the event.target.files property.

  1. fileUploader.addEventListener( 'change' , (event) => {
  2. const files = event.target.files;
  3. console.log( 'files' , files);
  4. });

Watch the output in the browser console and notice that the File objects in the FileList array have all the metadata information for the uploaded files.

Here is the code page for the same example for further study

CodePen: https://codepen.io/atapas/pen/rNLOyRm

  1. <div>
  2. <h1>Single file upload</h1>
  3. <input type= "file" id= "file-uploader" >
  4. <p>Upload the file and view the output in the browser console. </p>
  5. <p id= "feedback" ></p>
  6. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2.  
  3. fileUploader.addEventListener( 'change' , (event) => {
  4. const files = event.target.files;
  5. console.log( 'files' , files);
  6.    
  7. const feedback = document.getElementById( 'feedback' );
  8. const msg = `File ${files[0]. name } uploaded successfully!`;
  9. feedback.innerHTML = msg;
  10. });

2. Upload multiple files

We can upload multiple files at once. To do this, we just need to add an attribute called multiple to the input file tag.

  1. <input type= "file" id= "file-uploader" multiple />

Now, the file browser will allow you to upload one or more files to upload. Just like the previous example, you can add a change event handler to capture the uploaded file information. Did you notice that FileList is an array? Yes, for multiple file uploads, the array will have the following information:

Below is a link to a CodePen that explores multiple file uploads.

CodePen: https://codepen.io/atapas/pen/MWeamYp

  1. <div>
  2. <h1>Multiple file uploads</h1>
  3. <input type= "file" id= "file-uploader" multiple>
  4. <p>Upload multiple files and view the output in the browser console</p>
  5. <p id= "feedback" ></p>
  6. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2.  
  3. fileUploader.addEventListener( 'change' , (event) => {
  4. const files = event.target.files;
  5. console.log( 'files' , files);
  6.    
  7. // show the upload feedback
  8. const feedback = document.getElementById( 'feedback' );
  9. const msg = `${files.length} file(s) uploaded successfully!`;
  10. feedback.innerHTML = msg;
  11. });

3. Understand file metadata

Whenever we upload a file, the File object has metadata information like file name, size, last updated time, type etc. This information is useful for further validation and decision making.

  1. // Get the file uploader by id
  2. const fileUploader = document.getElementById( 'file-uploader' );
  3.  
  4. // Listen for change events and read metadata
  5. fileUploader.addEventListener( 'change' , (event) => {
  6. // Get the FileList array
  7. const files = event.target.files;
  8.  
  9. // Loop through the files and get the metadata
  10. for (const file of files) {
  11. const name = file.name ;
  12. const type = file.type ? file.type: 'NA' ;
  13. const size = file.size ;
  14. const lastModified = file.lastModified;
  15. console.log({ file, name , type, size , lastModified});
  16. }
  17. });

Here is the output for a single file upload:

Use this CodePen to explore further

CodePen: https://codepen.io/atapas/pen/gOMaRJv

  1. <div>
  2. <h1> Read File Metadata</h1>
  3. <input type= "file" id= "file-uploader" >
  4. <p id= "feedback" ></p>
  5. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2.  
  3. fileUploader.addEventListener( 'change' , (event) => {
  4. const files = event.target.files;
  5. console.log( 'files' , files);
  6.    
  7. for (const file of files) {
  8. const name = file.name ;
  9. const type = file.type ? file.type : 'NA' ;
  10. const size = file.size ;
  11. const lastModified = file.lastModified;
  12. console.log({file, name , type, size , lastModified});
  13.      
  14. const feedback = document.getElementById( 'feedback' );
  15. const msg = ` File Name : ${ name } <br/>
  16. File Size : ${ size } <br/>
  17. File type: ${type} <br/>
  18. File Last Modified: ${new Date (lastModified)}`;
  19.                
  20. feedback.innerHTML = msg;
  21. }
  22. });

4. Understand the file accept attribute

We can use the accept attribute to restrict the types of files to be uploaded. You may want to only allow png format images to be browsed when users upload their profile pictures.

  1. <input type= "file" id= "file-uploader" accept= ".jpg, .png" multiple>

In the above code, the file browser will only allow files with extensions jpg and png.

Note that in this case the file browser will automatically set the file selection type to Custom instead of All. However, you can always change it back to All Files if needed.

Explore the accept attribute with this CodePen

CodePen: https://codepen.io/atapas/pen/OJXymRP

  1. <div>
  2. <h1>Only .png and .jpg files can be selected</h1>
  3. <input type= "file" id= "file-uploader" accept= ".jpg, .png" multiple>
  4. <p>Upload files and see the output   in browser console
  5. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2.  
  3. fileUploader.addEventListener( 'change' , (event) => {
  4. const files = event.target.files;
  5. console.log( 'files' , files);
  6. });

5. Manage file content

You can display the file contents after the file has been successfully uploaded. For profile pictures, it can be confusing if you don't show the uploaded image to the user immediately after uploading.

We can use the FileReader object to convert the file into a binary string. Then add a load event listener to get the binary string when the file is successfully uploaded.

  1. // Get an instance of FileReader
  2. const reader = new FileReader();
  3.  
  4. fileUploader.addEventListener( 'change' , (event) => {
  5. const files = event.target.files;
  6. const file = files[0];
  7.  
  8. // Get the file object after uploading and read it
  9. // data as a URL binary string
  10. reader.readAsDataURL(file);
  11.  
  12. // After loading, process the string
  13. reader.addEventListener( 'load' , (event) => {
  14. // Here we create an image tag and add the image
  15. const img = document.createElement( 'img' );
  16. imageGrid.appendChild(img);
  17. img.src = event.target.result;
  18. img.alt = file.name ;
  19. });
  20. });

Try selecting an image file in the CodePen below and see it render.

CodePen: https://codepen.io/atapas/pen/zYBvdjZ

  1. <div>
  2. <h1>Show file contents</h1>
  3. <input type= "file" id= "file-uploader" accept= ".jpg, .jpeg, .png" >
  4. <div id= "image-grid" ></div>
  5. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2. const reader = new FileReader();
  3. const imageGrid = document.getElementById( 'image-grid' );
  4.  
  5. fileUploader.addEventListener( 'change' , (event) => {
  6. const files = event.target.files;
  7. const file = files[0];
  8. reader.readAsDataURL(file);
  9.    
  10. reader.addEventListener( 'load' , (event) => {
  11. const img = document.createElement( 'img' );
  12. imageGrid.appendChild(img);
  13. img.src = event.target.result;
  14. img.alt = file.name ;
  15. });
  16. });

6. Verify file size

As we can see, we can read the size metadata of the file, which can actually be used for file size validation, where you might allow users to upload image files up to 1MB in size. Let’s see how we can achieve this.

  1. //Listener for file upload change event
  2. fileUploader.addEventListener( 'change' , (event) => {
  3. // Read the file size
  4. const file = event.target.files[0];
  5. const size = file.size ;
  6.  
  7. let msg = '' ;
  8.  
  9. // Check if the file size is greater than 1MB and prepare a message.
  10. if ( size > 1024 * 1024) {
  11. msg = `<span style= "color:red;" >The allowed file size   is 1MB. The file you are trying to upload is   of ${returnFileSize( size )}</span>`;
  12. } else {
  13. msg = `<span style= "color:green;" > A ${returnFileSize( size )} file has been uploaded successfully. </span>`;
  14. }
  15.  
  16. // Display a message to the user
  17. feedback.innerHTML = msg;
  18. });

Try uploading files of different sizes to see how the validation works.

CodePen: https://codepen.io/atapas/pen/pobjMKv

  1. <div>
  2. <h1>Check file size</h1>
  3. <input type= "file" id= "file-uploader" >
  4.    
  5. <div id= "feedback" ></div
  6. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2. const feedback = document.getElementById( 'feedback' );
  3.  
  4. fileUploader.addEventListener( 'change' , (event) => {
  5. const file = event.target.files[0];
  6. console.log( 'file' , file);
  7.    
  8. const size = file.size ;
  9. console.log( 'size' , size );
  10. let msg = '' ;
  11.    
  12. if ( size > 1024 * 1024) {
  13. msg = `<span style= "color:red;" >The allowed file size   is 1MB. The file you are trying to upload is   of ${returnFileSize( size )}</span>`;
  14. } else {
  15. msg = `<span style= "color:green;" > A ${returnFileSize( size )} file has been uploaded successfully. </span>`;
  16. }
  17. feedback.innerHTML = msg;
  18. });
  19.  
  20. function returnFileSize(number) {
  21. if(number < 1024) {
  22. return number + 'bytes' ;
  23. } else if(number >= 1024 && number < 1048576) {
  24. return (number/1024).toFixed(2) + 'KB' ;
  25. } else if(number >= 1048576) {
  26. return (number/1048576).toFixed(2) + 'MB' ;
  27. }
  28. }

7. Display file upload progress

Better usability is to let your users know the progress of the file upload. Now, we know FileReader and the events for reading and loading files.

  1. const reader = new FileReader();

FileReader has another event called progress to let us know how much has been loaded. We can use the HTML5 progress tag to create a progress bar with this information.

  1. reader.addEventListener( 'progress' , (event) => {
  2. if (event.loaded && event.total) {
  3. // Calculate the completion percentage
  4. const percent = (event.loaded / event.total) * 100;
  5. // Set the value to the progress component
  6. progress.value = percent;
  7. }
  8. });

Why don’t you try uploading a larger file and see how the progress bar works in the CodePen below? Give it a try.

CodePen: https://codepen.io/atapas/pen/eYzpwYj

  1. <div>
  2. <h1>File upload progress</h1>
  3. <input type= "file" id= "file-uploader" >
  4.    
  5. <div id= "feedback" ></div>
  6.    
  7. <label id= "progress-label"   for = "progress" ></label>
  8. <progress id= "progress" value= "0"   max = "100" > </progress>
  9. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2. const feedback = document.getElementById( 'feedback' );
  3. const progress = document.getElementById( 'progress' );
  4.  
  5. const reader = new FileReader();
  6.  
  7. fileUploader.addEventListener( 'change' , (event) => {
  8. const files = event.target.files;
  9. const file = files[0];
  10. reader.readAsDataURL(file);
  11.    
  12. reader.addEventListener( 'progress' , (event) => {
  13. if (event.loaded && event.total) {
  14. const percent = (event.loaded / event.total) * 100;
  15. progress.value = percent;
  16. document.getElementById( 'progress-label' ).innerHTML = Math.round(percent) + '%' ;
  17.        
  18. if (percent === 100) {
  19. let msg = `<span style= "color:green;" >File <u><b>${file. name }</b></u> has been uploaded successfully.</span>`;
  20. feedback.innerHTML = msg;
  21. }
  22. }
  23. });
  24. });

8. What about directory upload?

Can we upload entire directories? Well, it is possible, but there are some limitations. There is a non-standard property called webkitdirectory (at least at the time of writing this article) that allows us to upload entire directories.

Although initially implemented only for WebKit-based browsers, WebKitDirectory is also available in Microsoft Edge and Firefox 50 and later. However, even though it has relatively broad support, it is still not standard and should not be used unless you have no other choice.

You can specify this property as

  1. <input type= "file" id= "file-uploader" webkitdirectory />

This will allow you to select a folder (aka directory)

Users must provide confirmation information to upload a directory.

Once the user clicks the Upload button, the upload will take place. An important thing to note here is that the FileList array will contain information about all the files in the upload directory in a flat structure. But the key is that for each File object, the webkitRelativePath property will have the directory path.

For example, let's consider a main directory and other folders and files under it,

Now, the File object will have the webkitRelativePath populated as

You can use it to present folders and files in any UI structure of your choice. Use this CodePen to explore further.

CodePen: https://codepen.io/atapas/pen/dyXYRKp

  1. <div>
  2. <h1>Upload directories</h1>
  3. <input type= "file" id= "file-uploader" webkitdirectory />
  4.    
  5. <ul id= "pathList" ></ul>
  6. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2. const pathList = document.getElementById( 'pathList' );
  3.  
  4. function removeAllChildNodes(parent) {
  5. while (parent.firstChild) {
  6. parent.removeChild(parent.firstChild);
  7. }
  8. }
  9.  
  10. fileUploader.addEventListener( 'change' , (event) => {
  11. const files = event.target.files;
  12. console.log( 'files' , files);
  13.    
  14. removeAllChildNodes(pathList);
  15.    
  16. [...files].forEach((file, index ) => {
  17. let path = document.createElement( 'li' );
  18. path.innerHTML = file.webkitRelativePath;
  19. pathList.appendChild(path);
  20. });
  21. });

9. Let's drag and drop upload

Not supporting drag and drop functionality for file uploads is kind of an old fashioned way of doing things, isn’t it? Let’s see how to achieve this in a few simple steps.

First, create a drop zone and an optional area to display the uploaded file content. We will use an image as the file to be dropped here.

  1. <div id= "container" >
  2. <h1>Drag & Drop an Image</h1>
  3. <div id= "drop-zone" >
  4. DROP HERE
  5. </div>
  6.  
  7. <div id= "content" >
  8. Your image to appear here..
  9. </div>
  10. </div>

Get the drag and content areas by their respective IDs.

  1. const dropZone = document.getElementById( 'drop-zone' );
  2. const content = document.getElementById( 'content' );

Add a dragover event handler to show the effect of the content being copied.

  1. dropZone.addEventListener( 'dragover' , event => {
  2. event.stopPropagation();
  3. event.preventDefault();
  4. event.dataTransfer.dropEffect = 'copy' ;
  5. });

Next, we define what we want to do when the image is dropped. We will need a drop event listener to handle this.

  1. dropZone.addEventListener( 'drop' , event => {
  2. // Get the file
  3. const files = event.dataTransfer.files;
  4.  
  5. // Now, we can do everything possible to display the file contents in an HTML element, such as a DIV.
  6. });

Try dragging and dropping an image file in the CodePen example below and see how it works, and don’t forget to look at the code to render the dragged and dropped image.

CodePen: https://codepen.io/atapas/pen/ExyVoXN

  1. <div id= "container" >
  2. <h1>Drag & Drop an Image</h1>
  3. <div id= "drop-zone" > DROP HERE </div>
  4. <div id= "content" >Your image to appear here.. </div>
  5. </div>
  1. const dropZone = document.getElementById( 'drop-zone' );
  2. const content = document.getElementById( 'content' );
  3.  
  4. const reader = new FileReader();
  5.  
  6. if (window.FileList && window.File) {
  7. dropZone.addEventListener( 'dragover' , event => {
  8. event.stopPropagation();
  9. event.preventDefault();
  10. event.dataTransfer.dropEffect = 'copy' ;
  11. });
  12.    
  13. dropZone.addEventListener( 'drop' , event => {
  14. content.innerHTML = '' ;
  15. event.stopPropagation();
  16. event.preventDefault();
  17. const files = event.dataTransfer.files;
  18. console.log(files);
  19.      
  20. reader.readAsDataURL(files[0]);
  21.    
  22. reader.addEventListener( 'load' , (event) => {
  23. content.innerHTML = '' ;
  24. const img = document.createElement( 'img' );
  25. img.style.height = '400px' ;
  26. img.style.width = '400px' ;
  27. content.appendChild(img);
  28. img.src = event.target.result;
  29. img.alt = file.name ;
  30.        
  31. });
  32. });
  33. }

10. Use objectURLs to process files

There is a special method called URL.createObjectURL() that can create a unique URL from a file, and you can also release it using the URL.revokeObjectURL() method.

The DOM URL.createObjectURL() and URL.revokeObjectURL() methods let you create simple URL strings that can be used to reference any data that can be referenced using a DOM file object, including local files on the user's computer.

A simple usage of an object URL is:

img.src = URL.createObjectURL(file);

Use this CodePen to explore object URLs further. Tip: Compare this method to the one mentioned earlier in #5.

  1. <div>
  2. <h1>Use Object URL</h1>
  3. <input type= "file" id= "file-uploader" accept= ".jpg, .jpeg, .png" >
  4.    
  5. <div id= "image-grid" ></div>
  6. </div>
  1. const fileUploader = document.getElementById( 'file-uploader' );
  2. const reader = new FileReader();
  3. const imageGrid = document.getElementById( 'image-grid' );
  4.  
  5. fileUploader.addEventListener( 'change' , (event) => {
  6. const files = event.target.files;
  7. const file = files[0];
  8.    
  9. const img = document.createElement( 'img' );
  10. imageGrid.appendChild(img);
  11. img.src = URL.createObjectURL(file);
  12. img.alt = file.name ;
  13. });

Finish

Many times, native HTML functionality is more than enough to handle the use case at hand. I find that file uploads provide a lot of nice options by default.

Original article: https://dev.to/atapas/10-useful-html-file-upload-tips-for-web-developers-2d1d

This article is reprinted from the WeChat public account "Front-end Full Stack Developer". You can follow it through the QR code below. To reprint this article, please contact the WeChat public account "Front-end Full Stack Developer".

<<:  A wonderful explanation of the four major communication interfaces: UART/I2C/SPI/1-wire

>>:  Regarding the 6G satellite, I am "confused"

Recommend

I don't know the router's address.

When we set up a wireless router, we need to ente...

Network communication protocol TCP

It is very easy to create a local TCP server, whi...

The concept and installation plan of network bridge and wireless bridge

What is a bridge A bridge is like a smart repeate...

It will take time for 5G to achieve a breakthrough from "1 to N"

[[402114]] Recently, the Ministry of Industry and...

What is SD-Branch? Why do you need it?

[51CTO.com Quick Translation] The deployed SD-WAN...