大文件上传我们知道需要做MD5计算以及文件分片,由于最近业务业务上的调整,需要把MD5换成crc32,,crc32可以校验文件的完整性,对于业务处理比较方便。这里记录一下解决思路吧。
1. 文件分片
考虑到文件可能很大,出于性能的考虑,优先把文件分片,这里我设置默认5M大小一个分片:
1 2 3 4 5 6 7 8 9
| const createFileChunk = (file, size = 5 * 1024 * 1024) => { let chunks = []; let cur = 0; while (cur < file.size) { chunks.push(file.slice(cur, cur + size)); cur += size; } return chunks; };
|
2. 文件crc32计算
首先找一个crc32的库,这里我选了sheetjs的crc32库。
为了提高性能,这种纯计算的功能使用web workers另起一个线程处理。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42
|
self.importScripts("https://cdn.bootcdn.net/ajax/libs/crc-32/1.2.0/crc32.js");
self.onmessage = e => { const { fileChunks } = e.data; let crc32 = null; let percentage = 0; let count = 0; const loadNext = index => { const reader = new FileReader(); reader.readAsArrayBuffer(fileChunks[index]); reader.onload = e => { count++; const blob = new Uint8Array(e.target.result); if (index === 0) { crc32 = self.CRC32.buf(blob); } else { crc32 = self.CRC32.buf(blob, crc32); }
if (count === fileChunks.length) { self.postMessage({ percentage: 100, hash: crc32 }); self.close(); } else { percentage += 100 / fileChunks.length; self.postMessage({ percentage }); loadNext(count); } }; }; loadNext(0); };
|
web workers调用以及封装:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
| const createFileCRC32InWorker = fileChunks => { return new Promise(resolve => { const worker = new Worker("./crc32_worker.js"); worker.postMessage({ fileChunks }); worker.onmessage = e => { const { percentage, hash } = e.data; hash && resolve(hash); }; }); };
|
3. 上传进度本地缓存
计算出的crc32值用来作为判断文件的key,可在localStorage缓存分片上传的进度。
1 2 3 4 5
| const uploadCache = { 1259060791: { position: [0, 0, 0] } }
|
如上代码, 1259060791
为文件的crc32值,把它作为key, position
为上传的进度,比如一个15M的文件,会分成3片(默认设置了每片5M),然后根据自己的上传业务,上传完成的分片标记为 1
。
1 2 3 4 5
| const uploadCache = { 1259060791: { position: [1, 0, 0] } }
|
值得注意的是,通常分片上传都会多个分片并行上传,标记为 1
需要留意 position
的下标跟分片的下标是否一致。
4. 浏览器刷新后获取文件的问题
由于浏览器的安全机制,刷新后无法自动获取到原来的文件,所以需要通过提示去引导用户重现选择该文件,然后才可以断点续传。