1234567891011121314151617181920212223242526272829303132333435 |
- /**
- * Create a range error with the message:
- * 'Index out of range (index < min)'
- * 'Index out of range (index < max)'
- *
- * @param {number} index The actual index
- * @param {number} [min=0] Minimum index (included)
- * @param {number} [max] Maximum index (excluded)
- * @extends RangeError
- */
- export function IndexError(index, min, max) {
- if (!(this instanceof IndexError)) {
- throw new SyntaxError('Constructor must be called with the new operator');
- }
- this.index = index;
- if (arguments.length < 3) {
- this.min = 0;
- this.max = min;
- } else {
- this.min = min;
- this.max = max;
- }
- if (this.min !== undefined && this.index < this.min) {
- this.message = 'Index out of range (' + this.index + ' < ' + this.min + ')';
- } else if (this.max !== undefined && this.index >= this.max) {
- this.message = 'Index out of range (' + this.index + ' > ' + (this.max - 1) + ')';
- } else {
- this.message = 'Index out of range (' + this.index + ')';
- }
- this.stack = new Error().stack;
- }
- IndexError.prototype = new RangeError();
- IndexError.prototype.constructor = RangeError;
- IndexError.prototype.name = 'IndexError';
- IndexError.prototype.isIndexError = true;
|