-
Notifications
You must be signed in to change notification settings - Fork 293
/
Copy pathzipTree.js
84 lines (77 loc) · 2.34 KB
/
zipTree.js
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
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
const BbPromise = require('bluebird');
const fse = require('fs-extra');
const path = require('path');
BbPromise.promisifyAll(fse);
/**
* Add a directory recursively to a zip file. Files in src will be added to the top folder of zip.
* @param {JSZip} zip a zip object in the folder you want to add files to.
* @param {string} src the source folder.
* @return {Promise} a promise offering the original JSZip object.
*/
function addTree(zip, src) {
const srcN = path.normalize(src);
return fse
.readdirAsync(srcN)
.map((name) => {
const srcPath = path.join(srcN, name);
return fse.statAsync(srcPath).then((stat) => {
if (stat.isDirectory()) {
return addTree(zip.folder(name), srcPath);
} else {
const opts = { date: stat.mtime, unixPermissions: stat.mode };
return fse
.readFileAsync(srcPath)
.then((data) => zip.file(name, data, opts));
}
});
})
.then(() => zip); // Original zip for chaining.
}
/**
* Write zip contents to a file.
* @param {JSZip} zip the zip object
* @param {string} targetPath path to write the zip file to.
* @return {Promise} a promise resolving to null.
*/
function writeZip(zip, targetPath) {
const opts = {
platform: process.platform == 'win32' ? 'DOS' : 'UNIX',
compression: 'DEFLATE',
compressionOptions: {
level: 9,
},
};
return new BbPromise((resolve) =>
zip
.generateNodeStream(opts)
.pipe(fse.createWriteStream(targetPath))
.on('finish', resolve)
).then(() => null);
}
/**
* Add a new file to a zip file from a buffer.
* @param {JSZip} zip the zip object to add the file to.
* @param {string} zipPath the target path in the zip.
* @param {Promise} bufferPromise a promise providing a nodebuffer.
* @return {Promise} a promise providing the JSZip object.
* @param {object} fileOpts an object with the opts to save for the file in the zip.
*/
function zipFile(zip, zipPath, bufferPromise, fileOpts) {
return bufferPromise
.then((buffer) =>
zip.file(
zipPath,
buffer,
Object.assign(
{},
{
// necessary to get the same hash when zipping the same content
date: new Date(0),
},
fileOpts
)
)
)
.then(() => zip);
}
module.exports = { addTree, writeZip, zipFile };