RangeError: invalid array length
  
  
   The JavaScript exception "Invalid array length" occurs when specifying an array length that is either negative, a floating number or exceeds the maximum supported by the platform (i.e. when creating an Array or ArrayBuffer, or when setting the length property).
   The maximum allowed array length depends on the platform, browser and browser version. For Array the maximum length is 232-1. For ArrayBuffer the maximum is 231-1 (2GiB-1) on 32-bit systems. From Firefox version 89 the maximum value of ArrayBuffer is 233 (8GiB) on 64-bit systems.
   
    Note: Array and ArrayBuffer are independent data structures (the implementation of one does not affect the other).
    
   
  
   Message
   
    RangeError: invalid array length (V8-based & Firefox)
RangeError: Array buffer allocation failed (V8-based)
RangeError: Array size is not a small enough positive integer. (Safari)
    
  
  
  
   What went wrong?
   
    An invalid array length might appear in these situations:
    
     - Creating an ArrayorArrayBufferwith a negative length, or setting a negative value for thelengthproperty.
- Creating an Arrayor setting thelengthproperty greater than 232-1.
- Creating an ArrayBufferthat is bigger than 231-1 (2GiB-1) on a 32-bit system, or 233 (8GiB) on a 64-bit system.
- Creating an Arrayor setting thelengthproperty to a floating-point number.
- Before Firefox 89: Creating an ArrayBufferthat is bigger than 231-1 (2GiB-1).
If you are creating an Array, using the constructor, you probably want to use the literal notation instead, as the first argument is interpreted as the length of the Array.
    Otherwise, you might want to clamp the length before setting the length property, or using it as argument of the constructor.
    
  
  
  
   Invalid cases
   
    
     
     new Array(Math.pow(2, 40));
new Array(-1);
new ArrayBuffer(Math.pow(2, 32)); 
new ArrayBuffer(-1);
const a = [];
a.length = a.length - 1; 
const b = new Array(Math.pow(2, 32) - 1);
b.length = b.length + 1; 
b.length = 2.5; 
const c = new Array(2.5); 
     
    
  
  
   Valid cases
   
    
     
     [Math.pow(2, 40)]; 
[-1]; 
new ArrayBuffer(Math.pow(2, 31) - 1);
new ArrayBuffer(Math.pow(2, 33)); 
new ArrayBuffer(0);
const a = [];
a.length = Math.max(0, a.length - 1);
const b = new Array(Math.pow(2, 32) - 1);
b.length = Math.min(0xffffffff, b.length + 1);
b.length = 3;
const c = new Array(3);