我有一个字符串数组,应该写入.txt文件。另外,我需要使用JSZip将生成的.txt文件压缩为.zip格式。在客户端,我能够使用这个字符串数组生成'text / plain'Blob,然后使用JSZip将这个Blob压缩为.zip格式。我需要在服务器端使用node.js执行相同操作,但我意识到Blob在node.js中不可用。我尝试使用'Buffer'而不是Blob,我得到了一个压缩为.zip的二进制文件;我是node.js的初学者,无法理解Buffer的概念。我可以在node.js中创建Blob吗?或者我可以使用node.js缓冲区执行相同的操作吗?
在客户端,我可以从这样的Blob内容生成zip文件,
//stringsArray is an array of strings
var blob = new Blob( stringsArray, { type: "text/plain" } );
var zip = new JSZip();
zip.file( 'file.txt' , blob );
zip.generateAsync( { type: 'blob', compression: 'DEFLATE' } )
.then( function( zipFile ){
//do something with zipFile
}, function( error ){
console.log( 'Error in compression' );
} );
如何使用Node.js进行相同的操作?
答案 0 :(得分:2)
我找到了解决方案。在我的代码中,我没有使用正确的方法将字符串数组转换为node.js缓冲区(我无法使用JSZip压缩缓冲区,因为缓冲区不正确)。 我尝试了以下代码,但它给了我一个不正确的缓冲区,
//stringsArray is an array of strings
var buffer = Buffer.from( stringsArray );
正确的方法是,我们必须先将每个字符串转换为缓冲区,然后通过附加所有这些子缓冲区来创建一个新的缓冲区。我创建了一个自定义缓冲区构建器,它将通过向其附加字符串来构建node.js缓冲区。以下是我尝试的新方法,它对我有用。
var CustomBufferBuilder = function() {
this.parts = [];
this.totalLength = 0;
}
CustomBufferBuilder.prototype.append = function( part ) {
var tempBuffer = Buffer.from( part );
this.parts.push( tempBuffer );
this.totalLength += tempBuffer.length;
this.buffer = undefined;
};
CustomBufferBuilder.prototype.getBuffer = function() {
if ( !this.buffer ) {
this.buffer = Buffer.concat( this.parts, this.totalLength );
}
return this.buffer;
};
var customBufferBuilder = new CustomBufferBuilder();
var stringsArray = [ 'hello ', 'world.', '\nThis ', 'is', ' a ', 'test.' ];//stringsArray is an array of strings
var len = stringsArray.length;
for( var i = 0; i< len; i++ ){
customBufferBuilder.append( stringsArray[ i ] );
}
var bufferContent = customBufferBuilder.getBuffer();
var zip = new JSZip();
zip.file( 'test.txt', bufferContent, { binary : true } );
zip.generateAsync( { type : "nodebuffer", compression: 'DEFLATE' } )
.then( function callback( buffer ) {
fs.writeFile( 'test.zip', buffer, function( err ){
if( err ){
//tasks to perform in case of error
}
else{
//other logic
}
} );
}, function( e ) {
//tasks to perform in case of error
} );
作为输出,我在其中获得了zip文件(test.zip)和test.txt。 zip文件中的test.txt文件包含以下单词, &#39; hello world。\ n这是一个测试。&#39;。
感谢@BrahmaDev花时间研究我的问题:)