Preface Normal business needs: upload pictures, Excel, etc. After all, files of several MB in size can be uploaded to the server quickly. This leads to a corresponding solution. For pauses, disconnections, and poor network conditions when uploading large files, using slicing + breakpoint resume can handle the above situations well. Solution Analysisslice It is to split the uploaded video. The specific operations are: File.slice(start,end): returns a new blob object
Resume downloadBefore uploading each slice, request the server interface to read the number of uploaded slices of the same file. If a new file is uploaded, the server returns 0, otherwise it returns the number of uploaded slices. Specific solution processThis demo provides key ideas and methods. Other functions such as file restrictions, lastModifiedDate verification of file duplication, regular clearing of cached files and other functional extensions can be added based on this code. html <input class="video" type="file" /> <button type="submit" onclick="handleVideo(event, '.video', 'video')"> Submit</button> script let count = 0; // Record the file index to be uploaded const handleVideo = async (event, name, url) => { // Prevent browser default form events event.preventDefault(); let currentSize = document.querySelector("h2"); let files = document.querySelector(name).files; //Default number of slices const sectionLength = 100; // First request the interface to check whether the file exists on the server // If count is 0, it is the first upload. If count is not 0, the file exists on the server and the number of uploaded slices is returned count = await handleCancel(files[0]); //Declare the array object storing the slice let fileCurrent = []; // Loop file file object for (const file of [...files]) { // Get the size of each slice let itemSize = Math.ceil(file.size / sectionLength); // Loop through file sizes and store file blobs in array let current = 0; for (current; current < file.size; current += itemSize) { fileCurrent.push({ file: file.slice(current, current + itemSize) }); } // axios simulates manual cancellation request const CancelToken = axios.CancelToken; const source = CancelToken.source(); // When resuming the upload, process the number of slices. If the uploaded slices have already been uploaded, there is no need to request to upload again fileCurrent = count === 0 ? fileCurrent : fileCurrent.slice(count, sectionLength); // Loop slice request interface for (const [index, item] of fileCurrent.entries()) { //Simulate request pause||Network disconnectedif (index > 90) { source.cancel("Cancel request"); } // Save file related information // file is a slice blob object // filename is the file name // index is the current slice number // total is the total slice number let formData = new FormData(); formData.append("file", item.file); formData.append("filename", file.name); formData.append("total", sectionLength); formData.append("index", index + count + 1); await axios({ url: `http://localhost:8080/${url}`, method: "POST", data: formData, cancelToken: source.token, }) .then((response) => { // Return data to display progress currentSize.innerHTML = `progress${response.data.size}%`; }) .catch((err) => { console.log(err); }); } } }; // Request interface to check whether the uploaded file exists // count is 0, which means it does not exist. If count is not 0, the corresponding number of slices has been uploaded const handleCancel = (file) => { return axios({ method: "post", url: "http://localhost:8080/getSize", headers: { "Content-Type": "application/json; charset = utf-8" }, data: { fileName: file.name, }, }) .then((res) => { return res.data.count; }) .catch((err) => { console.log(err); }); }; Node server // Use express to build server api const express = require("express"); //Introduce the logic code for uploading files const upload = require("./upload_file"); // Process all responses and set cross-domain app.all("*", (req, res, next) => { res.header("Access-Control-Allow-Origin", "*"); res.header("Access-Control-Allow-Headers", "X-Requested-With"); res.header("Access-Control-Allow-Methods", "PUT,POST,GET,DELETE,OPTIONS"); res.header("Access-Control-Allow-Headers", "Content-Type, X-Requested-With"); res.header("X-Powered-By", " 3.2.1"); res.header("Content-Type", "application/json;charset=utf-8"); next(); }); const app = express(); app.use(bodyParser.json({ type: "application/*+json" })); // Video upload (query the current number of slices) app.post("/getSize", upload.getSize); // Video upload interface app.post("/video", upload.video); // Enable local port listening app.listen(8080); upload_file // File upload module const formidable = require("formidable"); // File system module const fs = require("fs"); // System path module const path = require("path"); //Operation write file stream const handleStream = (item, writeStream) => { // Read the corresponding directory file buffer const readFile = fs.readFileSync(item); // Write the read buffer || chunk to the stream writeStream.write(readFile); // After writing, clear the temporarily stored slice file fs.unlink(item, () => {}); }; // Video upload (slice) module.exports.video = (req, res) => { // Create parsing object const form = new formidable.IncomingForm(); // Set the video file upload path let dirPath = path.join(__dirname, "video"); form.uploadDir = dirPath; // Whether to keep the uploaded file name suffix form.keepExtensions = true; // err error object contains error information if parsing fails // fields contains formData key-value objects other than binary // file object type information about uploaded files form.parse(req, async (err, fields, file) => { // Get the uploaded file blob object let files = file.file; // Get the current slice index let index = fields.index; // Get the total number of slices let total = fields.total; // Get the file name let filename = fields.filename; // Rewrite the upload file name and set the temporary directory let url = dirPath + "/" + filename.split(".")[0] + `_${index}.` + filename.split(".")[1]; try { // Synchronously modify the uploaded file name fs.renameSync(files.path, url); console.log(url); // Asynchronous processing setTimeout(() => { // Determine whether the last slice has been uploaded and write all the videos together if (index === total) { // Synchronously create a new directory to store the complete video let newDir = __dirname + `/uploadFiles/${Date.now()}`; // Create directory fs.mkdirSync(newDir); // Create a writable stream to write to the file let writeStream = fs.createWriteStream(newDir + `/${filename}`); let fsList = []; // Take out all slice files and put them into array for (let i = 0; i < total; i++) { const fsUrl = dirPath + "/" + filename.split(".")[0] + `_${i + 1}.` + filename.split(".")[1]; fsList.push(fsUrl); } // Loop through the slice file array and write to the stream for (let item of fsList) { handleStream(item, writeStream); } // Write all and close the stream write stream writeStream.end(); } }, 100); } catch (e) { console.log(e); } res.send({ code: 0, msg: "Upload successful", size: index, }); }); }; // Get the number of file slices module.exports.getSize = (req, res) => { let count = 0; req.setEncoding("utf8"); req.on("data", function (data) { let name = JSON.parse(data); let dirPath = path.join(__dirname, "video"); // Calculate the number of uploaded slice files let files = fs.readdirSync(dirPath); files.forEach((item, index) => { let url = name.fileName.split(".")[0] + `_${index + 1}.` + name.fileName.split(".")[1]; if (files.includes(url)) { ++count; } }); res.send({ code: 0, msg: "Please continue uploading", count, }); }); }; Logical Analysisfront end First, request to upload to check whether the file is uploaded for the first time or the corresponding slice already exists
Loop through the slice array and upload each slice file
Server Receive the query file filename, find the temporary storage file address, and determine whether the corresponding uploaded file exists
Receive uploaded file slices and store the files in a temporary storage directory
summary The above code may be changed or deviated depending on the specific business process. This is just one of the specific implementation methods. The above code address: https://github.com/Surprise-ling/uploadFiles This is the end of this article about the implementation of Node.js breakpoint resume. For more relevant Node.js breakpoint resume content, please search 123WORDPRESS.COM's previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: Detailed explanation of how to efficiently import multiple .sql files into MySQL
>>: Detailed explanation of location and rewrite usage in nginx
Get the Dockerfile from the Docker image docker h...
Table of contents Let's talk about flattening...
1. The effect diagram implemented in this article...
This article shares the specific code of js to ac...
Defining an array in Bash There are two ways to c...
Table of contents Preface ErrorBoundary Beyond Er...
1. Event bubbling : In the process of JavaScript ...
The shutdown.bat file has a sentence if not "...
<br />I have been working in front-end for s...
Recently, when I was using Docker to deploy a Jav...
Table of contents Jenkins installation Install Ch...
When using Docker containers, it is more convenie...
Table of contents Overview Hash Properties Host p...
This article shares the specific code of JavaScri...
When I was writing the login page today, I needed...