nodejs使用archiver模块实现压缩文件

archiver是一个用于生成存档的npm包,拥有丰富的API接口。
平常使用webpack打包项目时,需要手动将打包后的文件添加为zip压缩文件,如果使用archiver就可以在打包时直接压缩为zip文件,提高打包效率。

压缩文件

const fs = require('fs')
const archiver = require('archiver')

// 创建文件输出流
let output = fs.createWriteStream(__dirname + '/dist.zip')
let archive = archiver('zip', {
  zlib: { level: 9 } // 设置压缩级别
})

// 文件输出流结束
output.on('close', function() {
  console.log(`总共 ${archive.pointer()} 字节`)
  console.log('archiver完成文件的归档,文件输出流描述符已关闭')
})

// 数据源是否耗尽
output.on('end', function() {
  console.log('数据源已耗尽')
})

// 存档警告
archive.on('warning', function(err) {
  if (err.code === 'ENOENT') {
    console.warn('stat故障和其他非阻塞错误')
  } else {
    throw err
  }
})

// 存档出错
archive.on('error', function(err) {
  throw err
})

// 通过管道方法将输出流存档到文件
archive.pipe(output)

// 从流中追加文件
let file1 = __dirname + '/file1.txt'
archive.append(fs.createReadStream(file1), { name: 'file1.txt' })

// 从字符串追加文件
archive.append('string cheese!', { name: 'file2.txt' })

// 从缓冲区追加文件
let buffer3 = Buffer.from('buff it!')
archive.append(buffer3, { name: 'file3.txt' })

// 追加一个文件
archive.file('file1.txt', { name: 'file4.txt' })

// 从子目录追加文件并将其命名为“新子dir”在存档中
archive.directory('static/', 'static')

//完成归档
archive.finalize()

你可能感兴趣的:(nodejs使用archiver模块实现压缩文件)