Node.js –将数组转换为缓冲区:要将数组(八位字节数组/数字数组/二进制数组)转换为缓冲区,请使用Buffer。from(array)
方法。
Buffer. |
Buffer.from方法从数组中读取八位位组,并返回使用这些读取字节初始化的缓冲区。
在下面的示例中,八位字节数组被读取到缓冲区。
var arr = [0x74, 0x32, 0x91]; const buf = Buffer.from(arr); for(const byt of buf.values()){ console.log(byt); }
输出结果
$ node array-to-buffer.js 116 50 145
我们已将每个字节中的数据记录为数字。
0x74 = 0111 0100 = 116 0x32 = 0011 0010 = 50 0x91 = 1001 0001 = 145
在以下示例中,将数字数组读取到缓冲区。
var arr = [74, 32, 91]; const buf = Buffer.from(arr); for(const byt of buf.values()){ console.log(byt); }
输出结果
$ node array-to-buffer.js 74 32 91
我们已将每个字节中的数据记录为数字。
在下面的示例中,八位字节数组被读取到缓冲区。
var arr = [true, true, false]; const buf = Buffer.from(arr); for(const byt of buf.values()){ console.log(byt); }
输出结果
$ node array-to-buffer.js 1 1 0
true为1,false为0。
在本Node.js教程– Node.js将数组转换为缓冲区中,我们学习了如何将八位字节数组,数字数组和布尔数组转换为Node.js缓冲区。