Mastering Chunked File Uploads in Spring Boot

Published on

Mastering Chunked File Uploads in Spring Boot

File uploads are an integral part of web applications, providing users the ability to send data to the server. As file sizes increase, handling uploads correctly becomes crucial. Chunked file uploads allow users to upload large files in smaller, manageable pieces, improving reliability and performance. In this blog post, we will explore how to implement chunked file uploads in a Spring Boot application.

Table of Contents

  1. What Are Chunked File Uploads?
  2. Why Use Chunked Uploads?
  3. Setting Up Your Spring Boot Project
  4. Implementing Chunked File Uploads
    • Server-Side Implementation
    • Client-Side Implementation
  5. Conclusion
  6. Further Reading

What Are Chunked File Uploads?

Chunked file uploads refer to the process of splitting a file into smaller chunks before sending it to the server. Each chunk is uploaded separately, reducing memory consumption and making it easier to resume interrupted uploads. By sending data in smaller pieces, applications can better handle large files, and users can experience a smoother upload process.

Why Use Chunked Uploads?

  1. Resilience: If an upload fails, only the current chunk needs to be re-sent.
  2. Network Efficiency: Smaller data packets can be handled more efficiently by server and client.
  3. Progress Indication: Users can be informed of upload progress, enhancing user experience.
  4. Resource Management: Reducing the number of resources held in memory while processing uploads.

Setting Up Your Spring Boot Project

Dependencies

To implement chunked uploads, you need a Spring Boot project set up with Spring Web as a dependency. In your pom.xml, include:

<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-web</artifactId>
</dependency>

Project Structure

Your project structure should look like this:

src
├─ main
│  ├─ java
│  │  └─ com
│  │     └─ example
│  │        └─ chunkupload
│  │           ├─ ChunkUploadController.java
│  └─ resources
└─ static
   └─ index.html

Implementing Chunked File Uploads

Server-Side Implementation

Create a controller named ChunkUploadController.java to handle the uploads.

package com.example.chunkupload;

import org.springframework.web.bind.annotation.*;
import org.springframework.web.multipart.MultipartFile;

import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.OutputStream;

@RestController
@RequestMapping("/upload")
public class ChunkUploadController {

    private static final String UPLOAD_DIR = "uploads/";

    @PostMapping("/{fileName}/{chunkNumber}")
    public String uploadChunk(
        @PathVariable String fileName,
        @PathVariable int chunkNumber,
        @RequestParam("file") MultipartFile file) throws IOException {
        
        // Ensure target directory exists
        File directory = new File(UPLOAD_DIR);
        if (!directory.exists()) {
            directory.mkdirs();
        }

        // Create the output file, appending chunks
        File outputFile = new File(UPLOAD_DIR + fileName);
        try (OutputStream os = new FileOutputStream(outputFile, true)) {
            os.write(file.getBytes());
        }
        return "Chunk " + chunkNumber + " uploaded successfully.";
    }
}

Explanation of the Code

  • File Handling: The UPLOAD_DIR specifies where files will be stored. We ensure this directory exists before writing to it.
  • OutputStream: By using FileOutputStream with the append flag set to true, chunks are simply appended to the existing file. This is crucial for reconstructing uploaded files.
  • Response: The server sends a confirmation message for each chunk uploaded.

Client-Side Implementation

In index.html, we will implement the front end to enable chunked file uploads. You would typically use JavaScript for this, as shown below:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Chunked File Upload</title>
</head>
<body>
    <input type="file" id="fileInput">
    <button onclick="uploadFile()">Upload</button>

    <script>
        async function uploadFile() {
            const file = document.getElementById('fileInput').files[0];
            const chunkSize = 1024 * 1024; // 1MB
            let start = 0;
            let chunkNumber = 0;

            while (start < file.size) {
                const end = Math.min(start + chunkSize, file.size);
                const chunk = file.slice(start, end);
                const formData = new FormData();
                formData.append('file', chunk);

                await fetch(`/upload/${file.name}/${chunkNumber++}`, {
                    method: 'POST',
                    body: formData,
                });

                start = end; // Move to the next chunk
            }

            alert('File uploaded successfully!');
        }
    </script>
</body>
</html>

What This Code Does

  • The JavaScript function uploadFile slices the file into 1MB chunks and uploads each chunk sequentially.
  • The fetch API is used for sending asynchronous POST requests to the /upload endpoint.
  • It confirms that each chunk is uploaded through an alert once all chunks have been sent successfully.

Final Thoughts

Implementing chunked file uploads in Spring Boot allows for a more robust user experience when handling large files. By splitting files into manageable chunks, we enhance upload reliability and reduce load on the server, contributing to a more responsive application.

Beyond the server-end and client-end code presented above, additional considerations include error handling, client-side progress tracking, and potentially using libraries for a smoother experience.

For further deep dives into Spring Boot and file handling, check out Baeldung's Guide to File Uploading or Spring's official documentation.

Incorporating these principles into your applications will greatly improve performance and user satisfaction. Happy coding!