您当前的位置:首页 > 网站建设 > javascript
| php | asp | css | H5 | javascript | Mysql | Dreamweaver | Delphi | 网站维护 | 帝国cms | React | 考试系统 | ajax |

JavaScript实现大文件分片上传处理

51自学网 2022-05-02 21:35:25
  javascript

很多时候我们在处理文件上传时,如视频文件,小则几十M,大则 1G+,以一般的HTTP请求发送数据的方式的话,会遇到的问题:

1、文件过大,超出服务端的请求大小限制;
2、请求时间过长,请求超时;
3、传输中断,必须重新上传导致前功尽弃

这些问题很影响用户的体验感,所以下面介绍一种基于原生JavaScript进行文件分片处理上传的方案,具体实现过程如下:

1、通过dom获取文件对象,并且对文件进行MD5加密(文件内容+文件标题形式),采用SparkMD5进行文件加密;
2、进行分片设置,文件File基于Blob, 继承了Blob的功能,可以把File当成Blob的子类,利于Blob的slice方法进行文件分片处理,并且依次进行上传
3、分片文件上传完成后,请求合并接口后端进行文件合并处理即可

1. 上传文件页面

<!DOCTYPE html><html lang="en"><head>  <meta charset="UTF-8">  <meta name="viewport" content="width=device-width, initial-scale=1.0">  <meta http-equiv="X-UA-Compatible" content="ie=edge">  <title>文件上传</title>  <script src="https://cdn.bootcss.com/axios/0.18.0/axios.min.js"></script>  <script src="https://code.jquery.com/jquery-3.4.1.js"></script>  <script src="https://cdnjs.cloudflare.com/ajax/libs/spark-md5/3.0.0/spark-md5.js"></script>  <style>    /* 自定义进度条样式 */    .precent input[type=range] {      -webkit-appearance: none;      /*清除系统默认样式*/      width: 7.8rem;      /* background: -webkit-linear-gradient(#ddd, #ddd) no-repeat, #ddd; */      /*设置左边颜色为#61bd12,右边颜色为#ddd*/      background-size: 75% 100%;      /*设置左右宽度比例*/      height: 0.6rem;      /*横条的高度*/      border-radius: 0.4rem;      border: 1px solid #ddd;      box-shadow: 0 0 10px rgba(0,0,0,.125) inset ;    }    /*拖动块的样式*/    .precent input[type=range]::-webkit-slider-thumb {      -webkit-appearance: none;      /*清除系统默认样式*/      height: .9rem;      /*拖动块高度*/      width: .9rem;      /*拖动块宽度*/      background: #fff;      /*拖动块背景*/      border-radius: 50%;      /*外观设置为圆形*/      border: solid 1px #ddd;      /*设置边框*/    }  </style></head><body>  <h1>大文件分片上传测试</h1>  <div>    <input id="file" type="file" name="avatar" />    <div style="padding: 10px 0;">      <input id="submitBtn" type="button" value="提交" />      <input id="pauseBtn" type="button" value="暂停" />    </div>    <div class="precent">      <input type="range" value="0" /><span id="precentVal">0%</span>    </div>  </div>  <script type="text/javascript" src="./js/index.js"></script></body></html>

2. 大文件分片上传处理

$(document).ready(() => {  const submitBtn = $('#submitBtn');  //提交按钮  const precentDom = $(".precent input")[0]; // 进度条  const precentVal = $("#precentVal");  // 进度条值对应dom  const pauseBtn = $('#pauseBtn');  // 暂停按钮  // 每个chunk的大小,设置为1兆  const chunkSize = 1 * 1024 * 1024;  // 获取slice方法,做兼容处理  const blobSlice = File.prototype.slice || File.prototype.mozSlice || File.prototype.webkitSlice;  // 对文件进行MD5加密(文件内容+文件标题形式)  const hashFile = (file) => {    return new Promise((resolve, reject) => {      const chunks = Math.ceil(file.size / chunkSize);      let currentChunk = 0;      const spark = new SparkMD5.ArrayBuffer();      const fileReader = new FileReader();      function loadNext() {        const start = currentChunk * chunkSize;        const end = start + chunkSize >= file.size ? file.size : start + chunkSize;        fileReader.readAsArrayBuffer(blobSlice.call(file, start, end));      }      fileReader.onload = e => {        spark.append(e.target.result); // Append array buffer        currentChunk += 1;        if (currentChunk < chunks) {          loadNext();        } else {          console.log('finished loading');          const result = spark.end();          // 通过内容和文件名称进行md5加密          const sparkMd5 = new SparkMD5();          sparkMd5.append(result);          sparkMd5.append(file.name);          const hexHash = sparkMd5.end();          resolve(hexHash);        }      };      fileReader.onerror = () => {        console.warn('文件读取失败!');      };      loadNext();    }).catch(err => {      console.log(err);    });  }  // 提交  submitBtn.on('click', async () => {    var pauseStatus = false;    var nowUploadNums = 0    // 1.读取文件    const fileDom = $('#file')[0];    const files = fileDom.files;    const file = files[0];    if (!file) {      alert('没有获取文件');      return;    }    // 2.设置分片参数属性、获取文件MD5值    const hash = await hashFile(file); //文件 hash     const blockCount = Math.ceil(file.size / chunkSize); // 分片总数    const axiosPromiseArray = []; // axiosPromise数组    // 文件上传    const uploadFile = () => {      const start = nowUploadNums * chunkSize;      const end = Math.min(file.size, start + chunkSize);      // 构建表单      const form = new FormData();      // blobSlice.call(file, start, end)方法是用于进行文件分片      form.append('file', blobSlice.call(file, start, end));      form.append('index', nowUploadNums);      form.append('hash', hash);      // ajax提交 分片,此时 content-type 为 multipart/form-data      const axiosOptions = {        onUploadProgress: e => {          nowUploadNums++;          // 判断分片是否上传完成          if (nowUploadNums < blockCount) {            setPrecent(nowUploadNums, blockCount);            uploadFile(nowUploadNums)          } else {            // 4.所有分片上传后,请求合并分片文件            axios.all(axiosPromiseArray).then(() => {              setPrecent(blockCount, blockCount); // 全部上传完成              axios.post('/file/merge_chunks', {                name: file.name,                total: blockCount,                hash              }).then(res => {                console.log(res.data, file);                pauseStatus = false;                alert('上传成功');              }).catch(err => {                console.log(err);              });            });          }        },      };      // 加入到 Promise 数组中      if (!pauseStatus) {        axiosPromiseArray.push(axios.post('/file/upload', form, axiosOptions));      }    }    // 设置进度条    function setPrecent(now, total) {      var prencentValue = ((now / total) * 100).toFixed(2)      precentDom.value = prencentValue      precentVal.text(prencentValue + '%')      precentDom.style.cssText = `background:-webkit-linear-gradient(top, #059CFA, #059CFA) 0% 0% / ${prencentValue}% 100% no-repeat`    }    // 暂停    pauseBtn.on('click', (e) => {      pauseStatus = !pauseStatus;      e.currentTarget.value = pauseStatus ? '开始' : '暂停'      if (!pauseStatus) {        uploadFile(nowUploadNums)      }    })    uploadFile();  });})

3. 文件上传和合并分片文件接口(node)

const Router = require('koa-router');const multer = require('koa-multer');const fs = require('fs-extra');const path = require('path');const router = new Router();const { mkdirsSync } = require('../utils/dir');const uploadPath = path.join(__dirname, 'upload');const chunkUploadPath = path.join(uploadPath, 'temp');const upload = multer({ dest: chunkUploadPath });// 文件上传接口router.post('/file/upload', upload.single('file'), async (ctx, next) => {  const { index, hash } = ctx.req.body;  const chunksPath = path.join(chunkUploadPath, hash, '/');  if(!fs.existsSync(chunksPath)) mkdirsSync(chunksPath);  fs.renameSync(ctx.req.file.path, chunksPath + hash + '-' + index);  ctx.status = 200;  ctx.res.end('Success');}) // 合并分片文件接口router.post('/file/merge_chunks', async (ctx, next) => {  const { name, total, hash } = ctx.request.body;  const chunksPath = path.join(chunkUploadPath, hash, '/');  const filePath = path.join(uploadPath, name);  // 读取所有的chunks  const chunks = fs.readdirSync(chunksPath);  // 创建存储文件  fs.writeFileSync(filePath, '');   if(chunks.length !== total || chunks.length === 0) {    ctx.status = 200;    ctx.res.end('切片文件数量不符合');    return;  }  for (let i = 0; i < total; i++) {    // 追加写入到文件中    fs.appendFileSync(filePath, fs.readFileSync(chunksPath + hash + '-' +i));    // 删除本次使用的chunk        fs.unlinkSync(chunksPath + hash + '-' +i);  }  fs.rmdirSync(chunksPath);  // 文件合并成功,可以把文件信息进行入库。  ctx.status = 200;  ctx.res.end('Success');})

以上就是文件分片上传的基本过程,过程中加入了上传进度条、暂停和开始上传操作,见详细代码

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持wanshiok.com。


原生js实现拼图效果
jquery实现员工管理注册页面
51自学网,即我要自学网,自学EXCEL、自学PS、自学CAD、自学C语言、自学css3实例,是一个通过网络自主学习工作技能的自学平台,网友喜欢的软件自学网站。
京ICP备13026421号-1