每天学点node系列-zlib
程序员文章站
2022-08-17 15:13:53
永不放弃,永不放弃又有两个原则,第一个原则是永不放弃,第二个原则就是:当你想放弃时回头看第一个原则。 概览 做过web性能优化的同学,对性能优化大杀器gzip应该不陌生。浏览器向服务器发起资源请求,比如下载一个js文件,服务器先对资源进行压缩,再返回给浏览器,以此节省流量,加快访问速度。 浏览器通过 ......
永不放弃,永不放弃又有两个原则,第一个原则是永不放弃,第二个原则就是:当你想放弃时回头看第一个原则。
概览
做过web性能优化的同学,对性能优化大杀器gzip应该不陌生。浏览器向服务器发起资源请求,比如下载一个js文件,服务器先对资源进行压缩,再返回给浏览器,以此节省流量,加快访问速度。
浏览器通过http请求头部里加上accept-encoding,告诉服务器,“你可以用gzip,或者defalte算法压缩资源”。
那么,在nodejs里,是如何对资源进行压缩的呢?答案就是zlib模块。
zlib
zlib模块提供 gzip 和 deflate/inflate 来实现压缩功能.
压缩
const zlib = require('zlib') const fs = require('fs') const gzip = zlib.creategzip() const inp = fs.createreadstream('1.txt') const out = fs.createwritestream('1.txt.gz') inp.pipe(gzip).pipe(out)
解压
const zlib = require('zlib') var fs = require('fs') var gunzip = zlib.creategunzip() var infile = fs.createreadstream('./1.txt.gz') var outfile = fs.createwritestream('./2.txt') infile.pipe(gunzip).pipe(outfile)
解/压缩http请求和响应
zlib 可以用来实现对 http 中定义的 gzip 和 deflate 内容编码机制的支持。
http 的 accept-encoding 头字段用来标记客户端接受的压缩编码。
压缩服务端响应
// 服务端示例 // 对每一个请求运行 gzip 操作的成本是十分高昂的. // 缓存压缩缓冲区是更加高效的方式. const zlib = require('zlib') const http = require('http') const fs = require('fs') http.createserver((req, res) => { const raw = fs.createreadstream('index.html') let acceptencoding = req.headers['accept-encoding'] if (!acceptencoding) { acceptencoding = '' } if (/\bdeflate\b/.test(acceptencoding)) { res.writehead(200, { 'content-encoding': 'deflate' }) raw.pipe(zlib.createdeflate()).pipe(res) } else if (/\bgzip\b/.test(acceptencoding)) { res.writehead(200, { 'content-encoding': 'gzip' }) raw.pipe(zlib.creategzip()).pipe(res) } else { res.writehead(200, {}) raw.pipe(res) } }).listen(3000)
解压客户端请求
// 客户端请求示例 const zlib = require('zlib') const http = require('http') const fs = require('fs') const request = http.get({ host: 'localhost.com', path: '/', port: 3000, headers: { 'accept-encoding': 'gzip,deflate' } }) request.on('response', (response) => { const output = fs.createwritestream('index.html') switch (response.headers['content-encoding']) { // 或者, 只是使用 zlib.createunzip() 方法去处理这两种情况 case 'gzip': response.pipe(zlib.creategunzip()).pipe(output) break case 'deflate': response.pipe(zlib.createinflate()).pipe(output) break default: response.pipe(output) break } })
默认情况下, 当解压不完整的数据时 zlib 方法会抛出一个错误. 然而, 如果它已经知道数据是不完整的, 或者仅仅是为了检查已压缩文件的开头, 可以通过改变用来解压最后一个的输入数据块的刷新方法来避免默认的错误处理.
const zlib = require('zlib') const buffer = buffer.from('ejzt0yma', 'base64'); zlib.unzip(buffer, { finishflush: zlib.constants.z_sync_flush }, (err, buffer) => { if (!err) { console.log(buffer.tostring()); } else { // 错误处理 } })
相关链接
上一篇: 前端开发学习指南-转载