如何在没有阻塞循环的情况下读取节点js中的大型二进制文件?
How to read large binary files in node js without a blocking loop?
我正在尝试学习事件驱动编程的一些基础知识。因此,对于一个练习,我正在尝试编写一个程序来读取一个大型二进制文件并对其进行处理,但不会进行阻塞调用。我想出了以下内容:
var fs = require('fs');
var BUFFER_SIZE = 1024;
var path_of_file = "somefile"
fs.open(path_of_file, 'r', (error_opening_file, fd) =>
{
if (error_opening_file)
{
console.log(error_opening_file.message);
return;
}
var buffer = new Buffer(BUFFER_SIZE);
fs.read(fd, buffer, 0, BUFFER_SIZE, 0, (error_reading_file, bytesRead, buffer) =>
{
if (error_reading_file)
{
console.log(error_reading_file.message);
return;
}
// do something e.g. print or write to another file
})
})
我知道我需要放置一个 while 循环才能读取完整的文件,但在上面的代码中,我只读取了文件的前 1024 个字节,无法制定如何在不使用阻塞循环的情况下继续读取文件.我们该怎么做?
改用fs.createReadStream。这将一遍又一遍地调用您的回调,直到它完成读取文件,因此您不必阻塞。
var fs = require('fs');
var readStream = fs.createReadStream('./test.exe');
readStream.on('data', function (chunk) {
console.log(chunk.length);
})
我正在尝试学习事件驱动编程的一些基础知识。因此,对于一个练习,我正在尝试编写一个程序来读取一个大型二进制文件并对其进行处理,但不会进行阻塞调用。我想出了以下内容:
var fs = require('fs');
var BUFFER_SIZE = 1024;
var path_of_file = "somefile"
fs.open(path_of_file, 'r', (error_opening_file, fd) =>
{
if (error_opening_file)
{
console.log(error_opening_file.message);
return;
}
var buffer = new Buffer(BUFFER_SIZE);
fs.read(fd, buffer, 0, BUFFER_SIZE, 0, (error_reading_file, bytesRead, buffer) =>
{
if (error_reading_file)
{
console.log(error_reading_file.message);
return;
}
// do something e.g. print or write to another file
})
})
我知道我需要放置一个 while 循环才能读取完整的文件,但在上面的代码中,我只读取了文件的前 1024 个字节,无法制定如何在不使用阻塞循环的情况下继续读取文件.我们该怎么做?
改用fs.createReadStream。这将一遍又一遍地调用您的回调,直到它完成读取文件,因此您不必阻塞。
var fs = require('fs');
var readStream = fs.createReadStream('./test.exe');
readStream.on('data', function (chunk) {
console.log(chunk.length);
})