How to resize an array in TypeScript

1 Answer

0 votes
function resizeArray<T>(arr: T[], newSize: number, defaultValue: T): T[] {
    return [
        ...arr,
        ...Array(Math.max(newSize - arr.length, 0)).fill(defaultValue)
    ];
}

let arr: number[] = [1, 2, 3, 4, 5, 6, 7];

console.log(arr);

arr = resizeArray(arr, 10, 0);

console.log(arr);



/*
run:

[1, 2, 3, 4, 5, 6, 7] 
[1, 2, 3, 4, 5, 6, 7, 0, 0, 0] 

*/


 



answered Oct 14 by avibootz
...