複数の配列バッファをマージしてBlobを作成したいと思います。ただし、ご存じのとおり、 TypedArray には「プッシュ」または便利なメソッドがありません...
例えば。:
var a = new Int8Array( [ 1, 2, 3 ] );
var b = new Int8Array( [ 4, 5, 6 ] );
その結果、[ 1, 2, 3, 4, 5, 6 ]
。
set
メソッドを使用します。ただし、2倍のメモリが必要になることに注意してください。
var a = new Int8Array( [ 1, 2, 3 ] );
var b = new Int8Array( [ 4, 5, 6 ] );
var c = new Int8Array(a.length + b.length);
c.set(a);
c.set(b, a.length);
console.log(a);
console.log(b);
console.log(c);
私はいつもこの関数を使います:
function mergeTypedArrays(a, b) {
// Checks for truthy values on both arrays
if(!a && !b) throw 'Please specify valid arguments for parameters a and b.';
// Checks for truthy values or empty arrays on each argument
// to avoid the unnecessary construction of a new array and
// the type comparison
if(!b || b.length === 0) return a;
if(!a || a.length === 0) return b;
// Make sure that both typed arrays are of the same type
if(Object.prototype.toString.call(a) !== Object.prototype.toString.call(b))
throw 'The types of the two arguments passed for parameters a and b do not match.';
var c = new a.constructor(a.length + b.length);
c.set(a);
c.set(b, a.length);
return c;
}
Nullまたは型をチェックしない元の関数
function mergeTypedArraysUnsafe(a, b) {
var c = new a.constructor(a.length + b.length);
c.set(a);
c.set(b, a.length);
return c;
}
クライアント側の〜okソリューションの場合:
const a = new Int8Array( [ 1, 2, 3 ] )
const b = new Int8Array( [ 4, 5, 6 ] )
const c = Int8Array.from([...a, ...b])
私は@prinzhornの答えが好きですが、もう少し柔軟でコンパクトなものが欲しかったです。
var a = new Uint8Array( [ 1, 2, 3 ] );
var b = new Float32Array( [ 4.5, 5.5, 6.5 ] );
const merge = (tArrs, type = Uint8Array) => {
const ret = new (type)(tArrs.reduce((acc, tArr) => acc + tArr.byteLength, 0))
let off = 0
tArrs.forEach((tArr, i) => {
ret.set(tArr, off)
off += tArr.byteLength
})
return ret
}
merge([a, b], Float32Array)
ワンライナーとして、結果の型がすべてを取る限り、任意の数の配列(myArrays
ここ)と混合型を取る(Int8Array
ここに):
let combined = Int8Array.from(Array.prototype.concat(...myArrays.map(a => Array.from(a))));
複数の型付き配列がある場合
arrays = [ typed_array1, typed_array2,..... typed_array100]
1から100までのすべてのサブ配列を単一の「結果」に連結したいのですが、この関数が機能します。
single_array = concat(arrays)
function concat(arrays) {
// sum of individual array lengths
let totalLength = arrays.reduce((acc, value) => acc + value.length, 0);
if (!arrays.length) return null;
let result = new Uint8Array(totalLength);
// for each array - copy it over result
// next array is copied right after the previous one
let length = 0;
for(let array of arrays) {
result.set(array, length);
length += array.length;
}
return result;
}