(function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(); else if(typeof define === 'function' && define.amd) define([], factory); else if(typeof exports === 'object') exports["IpfsHttpClient"] = factory(); else root["IpfsHttpClient"] = factory(); })(window, function() { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) { /******/ return installedModules[moduleId].exports; /******/ } /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ i: moduleId, /******/ l: false, /******/ exports: {} /******/ }; /******/ /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ /******/ // Flag the module as loaded /******/ module.l = true; /******/ /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ /******/ /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ /******/ // define getter function for harmony exports /******/ __webpack_require__.d = function(exports, name, getter) { /******/ if(!__webpack_require__.o(exports, name)) { /******/ Object.defineProperty(exports, name, { enumerable: true, get: getter }); /******/ } /******/ }; /******/ /******/ // define __esModule on exports /******/ __webpack_require__.r = function(exports) { /******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) { /******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' }); /******/ } /******/ Object.defineProperty(exports, '__esModule', { value: true }); /******/ }; /******/ /******/ // create a fake namespace object /******/ // mode & 1: value is a module id, require it /******/ // mode & 2: merge all properties of value into the ns /******/ // mode & 4: return value when already ns object /******/ // mode & 8|1: behave like require /******/ __webpack_require__.t = function(value, mode) { /******/ if(mode & 1) value = __webpack_require__(value); /******/ if(mode & 8) return value; /******/ if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value; /******/ var ns = Object.create(null); /******/ __webpack_require__.r(ns); /******/ Object.defineProperty(ns, 'default', { enumerable: true, value: value }); /******/ if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key)); /******/ return ns; /******/ }; /******/ /******/ // getDefaultExport function for compatibility with non-harmony modules /******/ __webpack_require__.n = function(module) { /******/ var getter = module && module.__esModule ? /******/ function getDefault() { return module['default']; } : /******/ function getModuleExports() { return module; }; /******/ __webpack_require__.d(getter, 'a', getter); /******/ return getter; /******/ }; /******/ /******/ // Object.prototype.hasOwnProperty.call /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; /******/ /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ /******/ /******/ // Load entry module and return exports /******/ return __webpack_require__(__webpack_require__.s = 201); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global) {/*! * The buffer module from node.js, for the browser. * * @author Feross Aboukhadijeh * @license MIT */ /* eslint-disable no-proto */ var base64 = __webpack_require__(203); var ieee754 = __webpack_require__(107); var isArray = __webpack_require__(108); exports.Buffer = Buffer; exports.SlowBuffer = SlowBuffer; exports.INSPECT_MAX_BYTES = 50; /** * If `Buffer.TYPED_ARRAY_SUPPORT`: * === true Use Uint8Array implementation (fastest) * === false Use Object implementation (most compatible, even IE6) * * Browsers that support typed arrays are IE 10+, Firefox 4+, Chrome 7+, Safari 5.1+, * Opera 11.6+, iOS 4.2+. * * Due to various browser bugs, sometimes the Object implementation will be used even * when the browser supports typed arrays. * * Note: * * - Firefox 4-29 lacks support for adding new properties to `Uint8Array` instances, * See: https://bugzilla.mozilla.org/show_bug.cgi?id=695438. * * - Chrome 9-10 is missing the `TypedArray.prototype.subarray` function. * * - IE10 has a broken `TypedArray.prototype.subarray` function which returns arrays of * incorrect length in some situations. * We detect these buggy browsers and set `Buffer.TYPED_ARRAY_SUPPORT` to `false` so they * get the Object implementation, which is slower but behaves correctly. */ Buffer.TYPED_ARRAY_SUPPORT = global.TYPED_ARRAY_SUPPORT !== undefined ? global.TYPED_ARRAY_SUPPORT : typedArraySupport(); /* * Export kMaxLength after typed array support is determined. */ exports.kMaxLength = kMaxLength(); function typedArraySupport() { try { var arr = new Uint8Array(1); arr.__proto__ = { __proto__: Uint8Array.prototype, foo: function foo() { return 42; } }; return arr.foo() === 42 && // typed array instances can be augmented typeof arr.subarray === 'function' && // chrome 9-10 lack `subarray` arr.subarray(1, 1).byteLength === 0; // ie10 has broken `subarray` } catch (e) { return false; } } function kMaxLength() { return Buffer.TYPED_ARRAY_SUPPORT ? 0x7fffffff : 0x3fffffff; } function createBuffer(that, length) { if (kMaxLength() < length) { throw new RangeError('Invalid typed array length'); } if (Buffer.TYPED_ARRAY_SUPPORT) { // Return an augmented `Uint8Array` instance, for best performance that = new Uint8Array(length); that.__proto__ = Buffer.prototype; } else { // Fallback: Return an object instance of the Buffer class if (that === null) { that = new Buffer(length); } that.length = length; } return that; } /** * The Buffer constructor returns instances of `Uint8Array` that have their * prototype changed to `Buffer.prototype`. Furthermore, `Buffer` is a subclass of * `Uint8Array`, so the returned instances will have all the node `Buffer` methods * and the `Uint8Array` methods. Square bracket notation works as expected -- it * returns a single octet. * * The `Uint8Array` prototype remains unmodified. */ function Buffer(arg, encodingOrOffset, length) { if (!Buffer.TYPED_ARRAY_SUPPORT && !(this instanceof Buffer)) { return new Buffer(arg, encodingOrOffset, length); } // Common case. if (typeof arg === 'number') { if (typeof encodingOrOffset === 'string') { throw new Error('If encoding is specified then the first argument must be a string'); } return allocUnsafe(this, arg); } return from(this, arg, encodingOrOffset, length); } Buffer.poolSize = 8192; // not used by this implementation // TODO: Legacy, not needed anymore. Remove in next major version. Buffer._augment = function (arr) { arr.__proto__ = Buffer.prototype; return arr; }; function from(that, value, encodingOrOffset, length) { if (typeof value === 'number') { throw new TypeError('"value" argument must not be a number'); } if (typeof ArrayBuffer !== 'undefined' && value instanceof ArrayBuffer) { return fromArrayBuffer(that, value, encodingOrOffset, length); } if (typeof value === 'string') { return fromString(that, value, encodingOrOffset); } return fromObject(that, value); } /** * Functionally equivalent to Buffer(arg, encoding) but throws a TypeError * if value is a number. * Buffer.from(str[, encoding]) * Buffer.from(array) * Buffer.from(buffer) * Buffer.from(arrayBuffer[, byteOffset[, length]]) **/ Buffer.from = function (value, encodingOrOffset, length) { return from(null, value, encodingOrOffset, length); }; if (Buffer.TYPED_ARRAY_SUPPORT) { Buffer.prototype.__proto__ = Uint8Array.prototype; Buffer.__proto__ = Uint8Array; if (typeof Symbol !== 'undefined' && Symbol.species && Buffer[Symbol.species] === Buffer) { // Fix subarray() in ES2016. See: https://github.com/feross/buffer/pull/97 Object.defineProperty(Buffer, Symbol.species, { value: null, configurable: true }); } } function assertSize(size) { if (typeof size !== 'number') { throw new TypeError('"size" argument must be a number'); } else if (size < 0) { throw new RangeError('"size" argument must not be negative'); } } function alloc(that, size, fill, encoding) { assertSize(size); if (size <= 0) { return createBuffer(that, size); } if (fill !== undefined) { // Only pay attention to encoding if it's a string. This // prevents accidentally sending in a number that would // be interpretted as a start offset. return typeof encoding === 'string' ? createBuffer(that, size).fill(fill, encoding) : createBuffer(that, size).fill(fill); } return createBuffer(that, size); } /** * Creates a new filled Buffer instance. * alloc(size[, fill[, encoding]]) **/ Buffer.alloc = function (size, fill, encoding) { return alloc(null, size, fill, encoding); }; function allocUnsafe(that, size) { assertSize(size); that = createBuffer(that, size < 0 ? 0 : checked(size) | 0); if (!Buffer.TYPED_ARRAY_SUPPORT) { for (var i = 0; i < size; ++i) { that[i] = 0; } } return that; } /** * Equivalent to Buffer(num), by default creates a non-zero-filled Buffer instance. * */ Buffer.allocUnsafe = function (size) { return allocUnsafe(null, size); }; /** * Equivalent to SlowBuffer(num), by default creates a non-zero-filled Buffer instance. */ Buffer.allocUnsafeSlow = function (size) { return allocUnsafe(null, size); }; function fromString(that, string, encoding) { if (typeof encoding !== 'string' || encoding === '') { encoding = 'utf8'; } if (!Buffer.isEncoding(encoding)) { throw new TypeError('"encoding" must be a valid string encoding'); } var length = byteLength(string, encoding) | 0; that = createBuffer(that, length); var actual = that.write(string, encoding); if (actual !== length) { // Writing a hex string, for example, that contains invalid characters will // cause everything after the first invalid character to be ignored. (e.g. // 'abxxcd' will be treated as 'ab') that = that.slice(0, actual); } return that; } function fromArrayLike(that, array) { var length = array.length < 0 ? 0 : checked(array.length) | 0; that = createBuffer(that, length); for (var i = 0; i < length; i += 1) { that[i] = array[i] & 255; } return that; } function fromArrayBuffer(that, array, byteOffset, length) { array.byteLength; // this throws if `array` is not a valid ArrayBuffer if (byteOffset < 0 || array.byteLength < byteOffset) { throw new RangeError('\'offset\' is out of bounds'); } if (array.byteLength < byteOffset + (length || 0)) { throw new RangeError('\'length\' is out of bounds'); } if (byteOffset === undefined && length === undefined) { array = new Uint8Array(array); } else if (length === undefined) { array = new Uint8Array(array, byteOffset); } else { array = new Uint8Array(array, byteOffset, length); } if (Buffer.TYPED_ARRAY_SUPPORT) { // Return an augmented `Uint8Array` instance, for best performance that = array; that.__proto__ = Buffer.prototype; } else { // Fallback: Return an object instance of the Buffer class that = fromArrayLike(that, array); } return that; } function fromObject(that, obj) { if (Buffer.isBuffer(obj)) { var len = checked(obj.length) | 0; that = createBuffer(that, len); if (that.length === 0) { return that; } obj.copy(that, 0, 0, len); return that; } if (obj) { if (typeof ArrayBuffer !== 'undefined' && obj.buffer instanceof ArrayBuffer || 'length' in obj) { if (typeof obj.length !== 'number' || isnan(obj.length)) { return createBuffer(that, 0); } return fromArrayLike(that, obj); } if (obj.type === 'Buffer' && isArray(obj.data)) { return fromArrayLike(that, obj.data); } } throw new TypeError('First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.'); } function checked(length) { // Note: cannot use `length < kMaxLength()` here because that fails when // length is NaN (which is otherwise coerced to zero.) if (length >= kMaxLength()) { throw new RangeError('Attempt to allocate Buffer larger than maximum ' + 'size: 0x' + kMaxLength().toString(16) + ' bytes'); } return length | 0; } function SlowBuffer(length) { if (+length != length) { // eslint-disable-line eqeqeq length = 0; } return Buffer.alloc(+length); } Buffer.isBuffer = function isBuffer(b) { return !!(b != null && b._isBuffer); }; Buffer.compare = function compare(a, b) { if (!Buffer.isBuffer(a) || !Buffer.isBuffer(b)) { throw new TypeError('Arguments must be Buffers'); } if (a === b) return 0; var x = a.length; var y = b.length; for (var i = 0, len = Math.min(x, y); i < len; ++i) { if (a[i] !== b[i]) { x = a[i]; y = b[i]; break; } } if (x < y) return -1; if (y < x) return 1; return 0; }; Buffer.isEncoding = function isEncoding(encoding) { switch (String(encoding).toLowerCase()) { case 'hex': case 'utf8': case 'utf-8': case 'ascii': case 'latin1': case 'binary': case 'base64': case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': return true; default: return false; } }; Buffer.concat = function concat(list, length) { if (!isArray(list)) { throw new TypeError('"list" argument must be an Array of Buffers'); } if (list.length === 0) { return Buffer.alloc(0); } var i; if (length === undefined) { length = 0; for (i = 0; i < list.length; ++i) { length += list[i].length; } } var buffer = Buffer.allocUnsafe(length); var pos = 0; for (i = 0; i < list.length; ++i) { var buf = list[i]; if (!Buffer.isBuffer(buf)) { throw new TypeError('"list" argument must be an Array of Buffers'); } buf.copy(buffer, pos); pos += buf.length; } return buffer; }; function byteLength(string, encoding) { if (Buffer.isBuffer(string)) { return string.length; } if (typeof ArrayBuffer !== 'undefined' && typeof ArrayBuffer.isView === 'function' && (ArrayBuffer.isView(string) || string instanceof ArrayBuffer)) { return string.byteLength; } if (typeof string !== 'string') { string = '' + string; } var len = string.length; if (len === 0) return 0; // Use a for loop to avoid recursion var loweredCase = false; for (;;) { switch (encoding) { case 'ascii': case 'latin1': case 'binary': return len; case 'utf8': case 'utf-8': case undefined: return utf8ToBytes(string).length; case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': return len * 2; case 'hex': return len >>> 1; case 'base64': return base64ToBytes(string).length; default: if (loweredCase) return utf8ToBytes(string).length; // assume utf8 encoding = ('' + encoding).toLowerCase(); loweredCase = true; } } } Buffer.byteLength = byteLength; function slowToString(encoding, start, end) { var loweredCase = false; // No need to verify that "this.length <= MAX_UINT32" since it's a read-only // property of a typed array. // This behaves neither like String nor Uint8Array in that we set start/end // to their upper/lower bounds if the value passed is out of range. // undefined is handled specially as per ECMA-262 6th Edition, // Section 13.3.3.7 Runtime Semantics: KeyedBindingInitialization. if (start === undefined || start < 0) { start = 0; } // Return early if start > this.length. Done here to prevent potential uint32 // coercion fail below. if (start > this.length) { return ''; } if (end === undefined || end > this.length) { end = this.length; } if (end <= 0) { return ''; } // Force coersion to uint32. This will also coerce falsey/NaN values to 0. end >>>= 0; start >>>= 0; if (end <= start) { return ''; } if (!encoding) encoding = 'utf8'; while (true) { switch (encoding) { case 'hex': return hexSlice(this, start, end); case 'utf8': case 'utf-8': return utf8Slice(this, start, end); case 'ascii': return asciiSlice(this, start, end); case 'latin1': case 'binary': return latin1Slice(this, start, end); case 'base64': return base64Slice(this, start, end); case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': return utf16leSlice(this, start, end); default: if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding); encoding = (encoding + '').toLowerCase(); loweredCase = true; } } } // The property is used by `Buffer.isBuffer` and `is-buffer` (in Safari 5-7) to detect // Buffer instances. Buffer.prototype._isBuffer = true; function swap(b, n, m) { var i = b[n]; b[n] = b[m]; b[m] = i; } Buffer.prototype.swap16 = function swap16() { var len = this.length; if (len % 2 !== 0) { throw new RangeError('Buffer size must be a multiple of 16-bits'); } for (var i = 0; i < len; i += 2) { swap(this, i, i + 1); } return this; }; Buffer.prototype.swap32 = function swap32() { var len = this.length; if (len % 4 !== 0) { throw new RangeError('Buffer size must be a multiple of 32-bits'); } for (var i = 0; i < len; i += 4) { swap(this, i, i + 3); swap(this, i + 1, i + 2); } return this; }; Buffer.prototype.swap64 = function swap64() { var len = this.length; if (len % 8 !== 0) { throw new RangeError('Buffer size must be a multiple of 64-bits'); } for (var i = 0; i < len; i += 8) { swap(this, i, i + 7); swap(this, i + 1, i + 6); swap(this, i + 2, i + 5); swap(this, i + 3, i + 4); } return this; }; Buffer.prototype.toString = function toString() { var length = this.length | 0; if (length === 0) return ''; if (arguments.length === 0) return utf8Slice(this, 0, length); return slowToString.apply(this, arguments); }; Buffer.prototype.equals = function equals(b) { if (!Buffer.isBuffer(b)) throw new TypeError('Argument must be a Buffer'); if (this === b) return true; return Buffer.compare(this, b) === 0; }; Buffer.prototype.inspect = function inspect() { var str = ''; var max = exports.INSPECT_MAX_BYTES; if (this.length > 0) { str = this.toString('hex', 0, max).match(/.{2}/g).join(' '); if (this.length > max) str += ' ... '; } return ''; }; Buffer.prototype.compare = function compare(target, start, end, thisStart, thisEnd) { if (!Buffer.isBuffer(target)) { throw new TypeError('Argument must be a Buffer'); } if (start === undefined) { start = 0; } if (end === undefined) { end = target ? target.length : 0; } if (thisStart === undefined) { thisStart = 0; } if (thisEnd === undefined) { thisEnd = this.length; } if (start < 0 || end > target.length || thisStart < 0 || thisEnd > this.length) { throw new RangeError('out of range index'); } if (thisStart >= thisEnd && start >= end) { return 0; } if (thisStart >= thisEnd) { return -1; } if (start >= end) { return 1; } start >>>= 0; end >>>= 0; thisStart >>>= 0; thisEnd >>>= 0; if (this === target) return 0; var x = thisEnd - thisStart; var y = end - start; var len = Math.min(x, y); var thisCopy = this.slice(thisStart, thisEnd); var targetCopy = target.slice(start, end); for (var i = 0; i < len; ++i) { if (thisCopy[i] !== targetCopy[i]) { x = thisCopy[i]; y = targetCopy[i]; break; } } if (x < y) return -1; if (y < x) return 1; return 0; }; // Finds either the first index of `val` in `buffer` at offset >= `byteOffset`, // OR the last index of `val` in `buffer` at offset <= `byteOffset`. // // Arguments: // - buffer - a Buffer to search // - val - a string, Buffer, or number // - byteOffset - an index into `buffer`; will be clamped to an int32 // - encoding - an optional encoding, relevant is val is a string // - dir - true for indexOf, false for lastIndexOf function bidirectionalIndexOf(buffer, val, byteOffset, encoding, dir) { // Empty buffer means no match if (buffer.length === 0) return -1; // Normalize byteOffset if (typeof byteOffset === 'string') { encoding = byteOffset; byteOffset = 0; } else if (byteOffset > 0x7fffffff) { byteOffset = 0x7fffffff; } else if (byteOffset < -0x80000000) { byteOffset = -0x80000000; } byteOffset = +byteOffset; // Coerce to Number. if (isNaN(byteOffset)) { // byteOffset: it it's undefined, null, NaN, "foo", etc, search whole buffer byteOffset = dir ? 0 : buffer.length - 1; } // Normalize byteOffset: negative offsets start from the end of the buffer if (byteOffset < 0) byteOffset = buffer.length + byteOffset; if (byteOffset >= buffer.length) { if (dir) return -1;else byteOffset = buffer.length - 1; } else if (byteOffset < 0) { if (dir) byteOffset = 0;else return -1; } // Normalize val if (typeof val === 'string') { val = Buffer.from(val, encoding); } // Finally, search either indexOf (if dir is true) or lastIndexOf if (Buffer.isBuffer(val)) { // Special case: looking for empty string/buffer always fails if (val.length === 0) { return -1; } return arrayIndexOf(buffer, val, byteOffset, encoding, dir); } else if (typeof val === 'number') { val = val & 0xFF; // Search for a byte value [0-255] if (Buffer.TYPED_ARRAY_SUPPORT && typeof Uint8Array.prototype.indexOf === 'function') { if (dir) { return Uint8Array.prototype.indexOf.call(buffer, val, byteOffset); } else { return Uint8Array.prototype.lastIndexOf.call(buffer, val, byteOffset); } } return arrayIndexOf(buffer, [val], byteOffset, encoding, dir); } throw new TypeError('val must be string, number or Buffer'); } function arrayIndexOf(arr, val, byteOffset, encoding, dir) { var indexSize = 1; var arrLength = arr.length; var valLength = val.length; if (encoding !== undefined) { encoding = String(encoding).toLowerCase(); if (encoding === 'ucs2' || encoding === 'ucs-2' || encoding === 'utf16le' || encoding === 'utf-16le') { if (arr.length < 2 || val.length < 2) { return -1; } indexSize = 2; arrLength /= 2; valLength /= 2; byteOffset /= 2; } } function read(buf, i) { if (indexSize === 1) { return buf[i]; } else { return buf.readUInt16BE(i * indexSize); } } var i; if (dir) { var foundIndex = -1; for (i = byteOffset; i < arrLength; i++) { if (read(arr, i) === read(val, foundIndex === -1 ? 0 : i - foundIndex)) { if (foundIndex === -1) foundIndex = i; if (i - foundIndex + 1 === valLength) return foundIndex * indexSize; } else { if (foundIndex !== -1) i -= i - foundIndex; foundIndex = -1; } } } else { if (byteOffset + valLength > arrLength) byteOffset = arrLength - valLength; for (i = byteOffset; i >= 0; i--) { var found = true; for (var j = 0; j < valLength; j++) { if (read(arr, i + j) !== read(val, j)) { found = false; break; } } if (found) return i; } } return -1; } Buffer.prototype.includes = function includes(val, byteOffset, encoding) { return this.indexOf(val, byteOffset, encoding) !== -1; }; Buffer.prototype.indexOf = function indexOf(val, byteOffset, encoding) { return bidirectionalIndexOf(this, val, byteOffset, encoding, true); }; Buffer.prototype.lastIndexOf = function lastIndexOf(val, byteOffset, encoding) { return bidirectionalIndexOf(this, val, byteOffset, encoding, false); }; function hexWrite(buf, string, offset, length) { offset = Number(offset) || 0; var remaining = buf.length - offset; if (!length) { length = remaining; } else { length = Number(length); if (length > remaining) { length = remaining; } } // must be an even number of digits var strLen = string.length; if (strLen % 2 !== 0) throw new TypeError('Invalid hex string'); if (length > strLen / 2) { length = strLen / 2; } for (var i = 0; i < length; ++i) { var parsed = parseInt(string.substr(i * 2, 2), 16); if (isNaN(parsed)) return i; buf[offset + i] = parsed; } return i; } function utf8Write(buf, string, offset, length) { return blitBuffer(utf8ToBytes(string, buf.length - offset), buf, offset, length); } function asciiWrite(buf, string, offset, length) { return blitBuffer(asciiToBytes(string), buf, offset, length); } function latin1Write(buf, string, offset, length) { return asciiWrite(buf, string, offset, length); } function base64Write(buf, string, offset, length) { return blitBuffer(base64ToBytes(string), buf, offset, length); } function ucs2Write(buf, string, offset, length) { return blitBuffer(utf16leToBytes(string, buf.length - offset), buf, offset, length); } Buffer.prototype.write = function write(string, offset, length, encoding) { // Buffer#write(string) if (offset === undefined) { encoding = 'utf8'; length = this.length; offset = 0; // Buffer#write(string, encoding) } else if (length === undefined && typeof offset === 'string') { encoding = offset; length = this.length; offset = 0; // Buffer#write(string, offset[, length][, encoding]) } else if (isFinite(offset)) { offset = offset | 0; if (isFinite(length)) { length = length | 0; if (encoding === undefined) encoding = 'utf8'; } else { encoding = length; length = undefined; } // legacy write(string, encoding, offset, length) - remove in v0.13 } else { throw new Error('Buffer.write(string, encoding, offset[, length]) is no longer supported'); } var remaining = this.length - offset; if (length === undefined || length > remaining) length = remaining; if (string.length > 0 && (length < 0 || offset < 0) || offset > this.length) { throw new RangeError('Attempt to write outside buffer bounds'); } if (!encoding) encoding = 'utf8'; var loweredCase = false; for (;;) { switch (encoding) { case 'hex': return hexWrite(this, string, offset, length); case 'utf8': case 'utf-8': return utf8Write(this, string, offset, length); case 'ascii': return asciiWrite(this, string, offset, length); case 'latin1': case 'binary': return latin1Write(this, string, offset, length); case 'base64': // Warning: maxLength not taken into account in base64Write return base64Write(this, string, offset, length); case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': return ucs2Write(this, string, offset, length); default: if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding); encoding = ('' + encoding).toLowerCase(); loweredCase = true; } } }; Buffer.prototype.toJSON = function toJSON() { return { type: 'Buffer', data: Array.prototype.slice.call(this._arr || this, 0) }; }; function base64Slice(buf, start, end) { if (start === 0 && end === buf.length) { return base64.fromByteArray(buf); } else { return base64.fromByteArray(buf.slice(start, end)); } } function utf8Slice(buf, start, end) { end = Math.min(buf.length, end); var res = []; var i = start; while (i < end) { var firstByte = buf[i]; var codePoint = null; var bytesPerSequence = firstByte > 0xEF ? 4 : firstByte > 0xDF ? 3 : firstByte > 0xBF ? 2 : 1; if (i + bytesPerSequence <= end) { var secondByte, thirdByte, fourthByte, tempCodePoint; switch (bytesPerSequence) { case 1: if (firstByte < 0x80) { codePoint = firstByte; } break; case 2: secondByte = buf[i + 1]; if ((secondByte & 0xC0) === 0x80) { tempCodePoint = (firstByte & 0x1F) << 0x6 | secondByte & 0x3F; if (tempCodePoint > 0x7F) { codePoint = tempCodePoint; } } break; case 3: secondByte = buf[i + 1]; thirdByte = buf[i + 2]; if ((secondByte & 0xC0) === 0x80 && (thirdByte & 0xC0) === 0x80) { tempCodePoint = (firstByte & 0xF) << 0xC | (secondByte & 0x3F) << 0x6 | thirdByte & 0x3F; if (tempCodePoint > 0x7FF && (tempCodePoint < 0xD800 || tempCodePoint > 0xDFFF)) { codePoint = tempCodePoint; } } break; case 4: secondByte = buf[i + 1]; thirdByte = buf[i + 2]; fourthByte = buf[i + 3]; if ((secondByte & 0xC0) === 0x80 && (thirdByte & 0xC0) === 0x80 && (fourthByte & 0xC0) === 0x80) { tempCodePoint = (firstByte & 0xF) << 0x12 | (secondByte & 0x3F) << 0xC | (thirdByte & 0x3F) << 0x6 | fourthByte & 0x3F; if (tempCodePoint > 0xFFFF && tempCodePoint < 0x110000) { codePoint = tempCodePoint; } } } } if (codePoint === null) { // we did not generate a valid codePoint so insert a // replacement char (U+FFFD) and advance only 1 byte codePoint = 0xFFFD; bytesPerSequence = 1; } else if (codePoint > 0xFFFF) { // encode to utf16 (surrogate pair dance) codePoint -= 0x10000; res.push(codePoint >>> 10 & 0x3FF | 0xD800); codePoint = 0xDC00 | codePoint & 0x3FF; } res.push(codePoint); i += bytesPerSequence; } return decodeCodePointsArray(res); } // Based on http://stackoverflow.com/a/22747272/680742, the browser with // the lowest limit is Chrome, with 0x10000 args. // We go 1 magnitude less, for safety var MAX_ARGUMENTS_LENGTH = 0x1000; function decodeCodePointsArray(codePoints) { var len = codePoints.length; if (len <= MAX_ARGUMENTS_LENGTH) { return String.fromCharCode.apply(String, codePoints); // avoid extra slice() } // Decode in chunks to avoid "call stack size exceeded". var res = ''; var i = 0; while (i < len) { res += String.fromCharCode.apply(String, codePoints.slice(i, i += MAX_ARGUMENTS_LENGTH)); } return res; } function asciiSlice(buf, start, end) { var ret = ''; end = Math.min(buf.length, end); for (var i = start; i < end; ++i) { ret += String.fromCharCode(buf[i] & 0x7F); } return ret; } function latin1Slice(buf, start, end) { var ret = ''; end = Math.min(buf.length, end); for (var i = start; i < end; ++i) { ret += String.fromCharCode(buf[i]); } return ret; } function hexSlice(buf, start, end) { var len = buf.length; if (!start || start < 0) start = 0; if (!end || end < 0 || end > len) end = len; var out = ''; for (var i = start; i < end; ++i) { out += toHex(buf[i]); } return out; } function utf16leSlice(buf, start, end) { var bytes = buf.slice(start, end); var res = ''; for (var i = 0; i < bytes.length; i += 2) { res += String.fromCharCode(bytes[i] + bytes[i + 1] * 256); } return res; } Buffer.prototype.slice = function slice(start, end) { var len = this.length; start = ~~start; end = end === undefined ? len : ~~end; if (start < 0) { start += len; if (start < 0) start = 0; } else if (start > len) { start = len; } if (end < 0) { end += len; if (end < 0) end = 0; } else if (end > len) { end = len; } if (end < start) end = start; var newBuf; if (Buffer.TYPED_ARRAY_SUPPORT) { newBuf = this.subarray(start, end); newBuf.__proto__ = Buffer.prototype; } else { var sliceLen = end - start; newBuf = new Buffer(sliceLen, undefined); for (var i = 0; i < sliceLen; ++i) { newBuf[i] = this[i + start]; } } return newBuf; }; /* * Need to make sure that buffer isn't trying to write out of bounds. */ function checkOffset(offset, ext, length) { if (offset % 1 !== 0 || offset < 0) throw new RangeError('offset is not uint'); if (offset + ext > length) throw new RangeError('Trying to access beyond buffer length'); } Buffer.prototype.readUIntLE = function readUIntLE(offset, byteLength, noAssert) { offset = offset | 0; byteLength = byteLength | 0; if (!noAssert) checkOffset(offset, byteLength, this.length); var val = this[offset]; var mul = 1; var i = 0; while (++i < byteLength && (mul *= 0x100)) { val += this[offset + i] * mul; } return val; }; Buffer.prototype.readUIntBE = function readUIntBE(offset, byteLength, noAssert) { offset = offset | 0; byteLength = byteLength | 0; if (!noAssert) { checkOffset(offset, byteLength, this.length); } var val = this[offset + --byteLength]; var mul = 1; while (byteLength > 0 && (mul *= 0x100)) { val += this[offset + --byteLength] * mul; } return val; }; Buffer.prototype.readUInt8 = function readUInt8(offset, noAssert) { if (!noAssert) checkOffset(offset, 1, this.length); return this[offset]; }; Buffer.prototype.readUInt16LE = function readUInt16LE(offset, noAssert) { if (!noAssert) checkOffset(offset, 2, this.length); return this[offset] | this[offset + 1] << 8; }; Buffer.prototype.readUInt16BE = function readUInt16BE(offset, noAssert) { if (!noAssert) checkOffset(offset, 2, this.length); return this[offset] << 8 | this[offset + 1]; }; Buffer.prototype.readUInt32LE = function readUInt32LE(offset, noAssert) { if (!noAssert) checkOffset(offset, 4, this.length); return (this[offset] | this[offset + 1] << 8 | this[offset + 2] << 16) + this[offset + 3] * 0x1000000; }; Buffer.prototype.readUInt32BE = function readUInt32BE(offset, noAssert) { if (!noAssert) checkOffset(offset, 4, this.length); return this[offset] * 0x1000000 + (this[offset + 1] << 16 | this[offset + 2] << 8 | this[offset + 3]); }; Buffer.prototype.readIntLE = function readIntLE(offset, byteLength, noAssert) { offset = offset | 0; byteLength = byteLength | 0; if (!noAssert) checkOffset(offset, byteLength, this.length); var val = this[offset]; var mul = 1; var i = 0; while (++i < byteLength && (mul *= 0x100)) { val += this[offset + i] * mul; } mul *= 0x80; if (val >= mul) val -= Math.pow(2, 8 * byteLength); return val; }; Buffer.prototype.readIntBE = function readIntBE(offset, byteLength, noAssert) { offset = offset | 0; byteLength = byteLength | 0; if (!noAssert) checkOffset(offset, byteLength, this.length); var i = byteLength; var mul = 1; var val = this[offset + --i]; while (i > 0 && (mul *= 0x100)) { val += this[offset + --i] * mul; } mul *= 0x80; if (val >= mul) val -= Math.pow(2, 8 * byteLength); return val; }; Buffer.prototype.readInt8 = function readInt8(offset, noAssert) { if (!noAssert) checkOffset(offset, 1, this.length); if (!(this[offset] & 0x80)) return this[offset]; return (0xff - this[offset] + 1) * -1; }; Buffer.prototype.readInt16LE = function readInt16LE(offset, noAssert) { if (!noAssert) checkOffset(offset, 2, this.length); var val = this[offset] | this[offset + 1] << 8; return val & 0x8000 ? val | 0xFFFF0000 : val; }; Buffer.prototype.readInt16BE = function readInt16BE(offset, noAssert) { if (!noAssert) checkOffset(offset, 2, this.length); var val = this[offset + 1] | this[offset] << 8; return val & 0x8000 ? val | 0xFFFF0000 : val; }; Buffer.prototype.readInt32LE = function readInt32LE(offset, noAssert) { if (!noAssert) checkOffset(offset, 4, this.length); return this[offset] | this[offset + 1] << 8 | this[offset + 2] << 16 | this[offset + 3] << 24; }; Buffer.prototype.readInt32BE = function readInt32BE(offset, noAssert) { if (!noAssert) checkOffset(offset, 4, this.length); return this[offset] << 24 | this[offset + 1] << 16 | this[offset + 2] << 8 | this[offset + 3]; }; Buffer.prototype.readFloatLE = function readFloatLE(offset, noAssert) { if (!noAssert) checkOffset(offset, 4, this.length); return ieee754.read(this, offset, true, 23, 4); }; Buffer.prototype.readFloatBE = function readFloatBE(offset, noAssert) { if (!noAssert) checkOffset(offset, 4, this.length); return ieee754.read(this, offset, false, 23, 4); }; Buffer.prototype.readDoubleLE = function readDoubleLE(offset, noAssert) { if (!noAssert) checkOffset(offset, 8, this.length); return ieee754.read(this, offset, true, 52, 8); }; Buffer.prototype.readDoubleBE = function readDoubleBE(offset, noAssert) { if (!noAssert) checkOffset(offset, 8, this.length); return ieee754.read(this, offset, false, 52, 8); }; function checkInt(buf, value, offset, ext, max, min) { if (!Buffer.isBuffer(buf)) throw new TypeError('"buffer" argument must be a Buffer instance'); if (value > max || value < min) throw new RangeError('"value" argument is out of bounds'); if (offset + ext > buf.length) throw new RangeError('Index out of range'); } Buffer.prototype.writeUIntLE = function writeUIntLE(value, offset, byteLength, noAssert) { value = +value; offset = offset | 0; byteLength = byteLength | 0; if (!noAssert) { var maxBytes = Math.pow(2, 8 * byteLength) - 1; checkInt(this, value, offset, byteLength, maxBytes, 0); } var mul = 1; var i = 0; this[offset] = value & 0xFF; while (++i < byteLength && (mul *= 0x100)) { this[offset + i] = value / mul & 0xFF; } return offset + byteLength; }; Buffer.prototype.writeUIntBE = function writeUIntBE(value, offset, byteLength, noAssert) { value = +value; offset = offset | 0; byteLength = byteLength | 0; if (!noAssert) { var maxBytes = Math.pow(2, 8 * byteLength) - 1; checkInt(this, value, offset, byteLength, maxBytes, 0); } var i = byteLength - 1; var mul = 1; this[offset + i] = value & 0xFF; while (--i >= 0 && (mul *= 0x100)) { this[offset + i] = value / mul & 0xFF; } return offset + byteLength; }; Buffer.prototype.writeUInt8 = function writeUInt8(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 1, 0xff, 0); if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value); this[offset] = value & 0xff; return offset + 1; }; function objectWriteUInt16(buf, value, offset, littleEndian) { if (value < 0) value = 0xffff + value + 1; for (var i = 0, j = Math.min(buf.length - offset, 2); i < j; ++i) { buf[offset + i] = (value & 0xff << 8 * (littleEndian ? i : 1 - i)) >>> (littleEndian ? i : 1 - i) * 8; } } Buffer.prototype.writeUInt16LE = function writeUInt16LE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value & 0xff; this[offset + 1] = value >>> 8; } else { objectWriteUInt16(this, value, offset, true); } return offset + 2; }; Buffer.prototype.writeUInt16BE = function writeUInt16BE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value >>> 8; this[offset + 1] = value & 0xff; } else { objectWriteUInt16(this, value, offset, false); } return offset + 2; }; function objectWriteUInt32(buf, value, offset, littleEndian) { if (value < 0) value = 0xffffffff + value + 1; for (var i = 0, j = Math.min(buf.length - offset, 4); i < j; ++i) { buf[offset + i] = value >>> (littleEndian ? i : 3 - i) * 8 & 0xff; } } Buffer.prototype.writeUInt32LE = function writeUInt32LE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset + 3] = value >>> 24; this[offset + 2] = value >>> 16; this[offset + 1] = value >>> 8; this[offset] = value & 0xff; } else { objectWriteUInt32(this, value, offset, true); } return offset + 4; }; Buffer.prototype.writeUInt32BE = function writeUInt32BE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value >>> 24; this[offset + 1] = value >>> 16; this[offset + 2] = value >>> 8; this[offset + 3] = value & 0xff; } else { objectWriteUInt32(this, value, offset, false); } return offset + 4; }; Buffer.prototype.writeIntLE = function writeIntLE(value, offset, byteLength, noAssert) { value = +value; offset = offset | 0; if (!noAssert) { var limit = Math.pow(2, 8 * byteLength - 1); checkInt(this, value, offset, byteLength, limit - 1, -limit); } var i = 0; var mul = 1; var sub = 0; this[offset] = value & 0xFF; while (++i < byteLength && (mul *= 0x100)) { if (value < 0 && sub === 0 && this[offset + i - 1] !== 0) { sub = 1; } this[offset + i] = (value / mul >> 0) - sub & 0xFF; } return offset + byteLength; }; Buffer.prototype.writeIntBE = function writeIntBE(value, offset, byteLength, noAssert) { value = +value; offset = offset | 0; if (!noAssert) { var limit = Math.pow(2, 8 * byteLength - 1); checkInt(this, value, offset, byteLength, limit - 1, -limit); } var i = byteLength - 1; var mul = 1; var sub = 0; this[offset + i] = value & 0xFF; while (--i >= 0 && (mul *= 0x100)) { if (value < 0 && sub === 0 && this[offset + i + 1] !== 0) { sub = 1; } this[offset + i] = (value / mul >> 0) - sub & 0xFF; } return offset + byteLength; }; Buffer.prototype.writeInt8 = function writeInt8(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 1, 0x7f, -0x80); if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value); if (value < 0) value = 0xff + value + 1; this[offset] = value & 0xff; return offset + 1; }; Buffer.prototype.writeInt16LE = function writeInt16LE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value & 0xff; this[offset + 1] = value >>> 8; } else { objectWriteUInt16(this, value, offset, true); } return offset + 2; }; Buffer.prototype.writeInt16BE = function writeInt16BE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value >>> 8; this[offset + 1] = value & 0xff; } else { objectWriteUInt16(this, value, offset, false); } return offset + 2; }; Buffer.prototype.writeInt32LE = function writeInt32LE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000); if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value & 0xff; this[offset + 1] = value >>> 8; this[offset + 2] = value >>> 16; this[offset + 3] = value >>> 24; } else { objectWriteUInt32(this, value, offset, true); } return offset + 4; }; Buffer.prototype.writeInt32BE = function writeInt32BE(value, offset, noAssert) { value = +value; offset = offset | 0; if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000); if (value < 0) value = 0xffffffff + value + 1; if (Buffer.TYPED_ARRAY_SUPPORT) { this[offset] = value >>> 24; this[offset + 1] = value >>> 16; this[offset + 2] = value >>> 8; this[offset + 3] = value & 0xff; } else { objectWriteUInt32(this, value, offset, false); } return offset + 4; }; function checkIEEE754(buf, value, offset, ext, max, min) { if (offset + ext > buf.length) throw new RangeError('Index out of range'); if (offset < 0) throw new RangeError('Index out of range'); } function writeFloat(buf, value, offset, littleEndian, noAssert) { if (!noAssert) { checkIEEE754(buf, value, offset, 4, 3.4028234663852886e+38, -3.4028234663852886e+38); } ieee754.write(buf, value, offset, littleEndian, 23, 4); return offset + 4; } Buffer.prototype.writeFloatLE = function writeFloatLE(value, offset, noAssert) { return writeFloat(this, value, offset, true, noAssert); }; Buffer.prototype.writeFloatBE = function writeFloatBE(value, offset, noAssert) { return writeFloat(this, value, offset, false, noAssert); }; function writeDouble(buf, value, offset, littleEndian, noAssert) { if (!noAssert) { checkIEEE754(buf, value, offset, 8, 1.7976931348623157E+308, -1.7976931348623157E+308); } ieee754.write(buf, value, offset, littleEndian, 52, 8); return offset + 8; } Buffer.prototype.writeDoubleLE = function writeDoubleLE(value, offset, noAssert) { return writeDouble(this, value, offset, true, noAssert); }; Buffer.prototype.writeDoubleBE = function writeDoubleBE(value, offset, noAssert) { return writeDouble(this, value, offset, false, noAssert); }; // copy(targetBuffer, targetStart=0, sourceStart=0, sourceEnd=buffer.length) Buffer.prototype.copy = function copy(target, targetStart, start, end) { if (!start) start = 0; if (!end && end !== 0) end = this.length; if (targetStart >= target.length) targetStart = target.length; if (!targetStart) targetStart = 0; if (end > 0 && end < start) end = start; // Copy 0 bytes; we're done if (end === start) return 0; if (target.length === 0 || this.length === 0) return 0; // Fatal error conditions if (targetStart < 0) { throw new RangeError('targetStart out of bounds'); } if (start < 0 || start >= this.length) throw new RangeError('sourceStart out of bounds'); if (end < 0) throw new RangeError('sourceEnd out of bounds'); // Are we oob? if (end > this.length) end = this.length; if (target.length - targetStart < end - start) { end = target.length - targetStart + start; } var len = end - start; var i; if (this === target && start < targetStart && targetStart < end) { // descending copy from end for (i = len - 1; i >= 0; --i) { target[i + targetStart] = this[i + start]; } } else if (len < 1000 || !Buffer.TYPED_ARRAY_SUPPORT) { // ascending copy from start for (i = 0; i < len; ++i) { target[i + targetStart] = this[i + start]; } } else { Uint8Array.prototype.set.call(target, this.subarray(start, start + len), targetStart); } return len; }; // Usage: // buffer.fill(number[, offset[, end]]) // buffer.fill(buffer[, offset[, end]]) // buffer.fill(string[, offset[, end]][, encoding]) Buffer.prototype.fill = function fill(val, start, end, encoding) { // Handle string cases: if (typeof val === 'string') { if (typeof start === 'string') { encoding = start; start = 0; end = this.length; } else if (typeof end === 'string') { encoding = end; end = this.length; } if (val.length === 1) { var code = val.charCodeAt(0); if (code < 256) { val = code; } } if (encoding !== undefined && typeof encoding !== 'string') { throw new TypeError('encoding must be a string'); } if (typeof encoding === 'string' && !Buffer.isEncoding(encoding)) { throw new TypeError('Unknown encoding: ' + encoding); } } else if (typeof val === 'number') { val = val & 255; } // Invalid ranges are not set to a default, so can range check early. if (start < 0 || this.length < start || this.length < end) { throw new RangeError('Out of range index'); } if (end <= start) { return this; } start = start >>> 0; end = end === undefined ? this.length : end >>> 0; if (!val) val = 0; var i; if (typeof val === 'number') { for (i = start; i < end; ++i) { this[i] = val; } } else { var bytes = Buffer.isBuffer(val) ? val : utf8ToBytes(new Buffer(val, encoding).toString()); var len = bytes.length; for (i = 0; i < end - start; ++i) { this[i + start] = bytes[i % len]; } } return this; }; // HELPER FUNCTIONS // ================ var INVALID_BASE64_RE = /[^+\/0-9A-Za-z-_]/g; function base64clean(str) { // Node strips out invalid characters like \n and \t from the string, base64-js does not str = stringtrim(str).replace(INVALID_BASE64_RE, ''); // Node converts strings with length < 2 to '' if (str.length < 2) return ''; // Node allows for non-padded base64 strings (missing trailing ===), base64-js does not while (str.length % 4 !== 0) { str = str + '='; } return str; } function stringtrim(str) { if (str.trim) return str.trim(); return str.replace(/^\s+|\s+$/g, ''); } function toHex(n) { if (n < 16) return '0' + n.toString(16); return n.toString(16); } function utf8ToBytes(string, units) { units = units || Infinity; var codePoint; var length = string.length; var leadSurrogate = null; var bytes = []; for (var i = 0; i < length; ++i) { codePoint = string.charCodeAt(i); // is surrogate component if (codePoint > 0xD7FF && codePoint < 0xE000) { // last char was a lead if (!leadSurrogate) { // no lead yet if (codePoint > 0xDBFF) { // unexpected trail if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD); continue; } else if (i + 1 === length) { // unpaired lead if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD); continue; } // valid lead leadSurrogate = codePoint; continue; } // 2 leads in a row if (codePoint < 0xDC00) { if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD); leadSurrogate = codePoint; continue; } // valid surrogate pair codePoint = (leadSurrogate - 0xD800 << 10 | codePoint - 0xDC00) + 0x10000; } else if (leadSurrogate) { // valid bmp char, but last char was a lead if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD); } leadSurrogate = null; // encode utf8 if (codePoint < 0x80) { if ((units -= 1) < 0) break; bytes.push(codePoint); } else if (codePoint < 0x800) { if ((units -= 2) < 0) break; bytes.push(codePoint >> 0x6 | 0xC0, codePoint & 0x3F | 0x80); } else if (codePoint < 0x10000) { if ((units -= 3) < 0) break; bytes.push(codePoint >> 0xC | 0xE0, codePoint >> 0x6 & 0x3F | 0x80, codePoint & 0x3F | 0x80); } else if (codePoint < 0x110000) { if ((units -= 4) < 0) break; bytes.push(codePoint >> 0x12 | 0xF0, codePoint >> 0xC & 0x3F | 0x80, codePoint >> 0x6 & 0x3F | 0x80, codePoint & 0x3F | 0x80); } else { throw new Error('Invalid code point'); } } return bytes; } function asciiToBytes(str) { var byteArray = []; for (var i = 0; i < str.length; ++i) { // Node's code seems to be doing this and not & 0x7F.. byteArray.push(str.charCodeAt(i) & 0xFF); } return byteArray; } function utf16leToBytes(str, units) { var c, hi, lo; var byteArray = []; for (var i = 0; i < str.length; ++i) { if ((units -= 2) < 0) break; c = str.charCodeAt(i); hi = c >> 8; lo = c % 256; byteArray.push(lo); byteArray.push(hi); } return byteArray; } function base64ToBytes(str) { return base64.toByteArray(base64clean(str)); } function blitBuffer(src, dst, offset, length) { for (var i = 0; i < length; ++i) { if (i + offset >= dst.length || i >= src.length) break; dst[i + offset] = src[i]; } return i; } function isnan(val) { return val !== val; // eslint-disable-line no-self-compare } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10))) /***/ }), /* 1 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** PROMISIFY CALLBACK-STYLE FUNCTIONS TO ES6 PROMISES * * EXAMPLE: * const fn = promisify( (callback) => callback(null, "Hello world!") ); * fn((err, str) => console.log(str)); * fn().then((str) => console.log(str)); * //Both functions, will log 'Hello world!' * * Note: The function you pass, may have any arguments you want, but the latest * have to be the callback, which you will call with: next(err, value) * * @param method: Function/Array/Map = The function(s) to promisify * @param options: Map = * "context" (default is function): The context which to apply the called function * "replace" (default is falsy): When passed an array/map, if to replace the original object * * @return: A promise if passed a function, otherwise the object with the promises * * @license: MIT * @version: 1.0.3 * @author: Manuel Di Iorio **/ var createCallback = function createCallback(method, context) { return function () { var args = Array.prototype.slice.call(arguments); var lastIndex = args.length - 1; var lastArg = args && args.length > 0 ? args[lastIndex] : null; var cb = typeof lastArg === 'function' ? lastArg : null; if (cb) { return method.apply(context, args); } return new Promise(function (resolve, reject) { args.push(function (err, val) { if (err) return reject(err); resolve(val); }); method.apply(context, args); }); }; }; if (false) {} // Browserify this module module.exports = function (methods, options) { options = options || {}; var type = Object.prototype.toString.call(methods); if (type === "[object Object]" || type === "[object Array]") { var obj = options.replace ? methods : {}; for (var key in methods) { if (methods.hasOwnProperty(key)) obj[key] = createCallback(methods[key]); } return obj; } return createCallback(methods, options.context || methods); }; // Browserify this module if (false) {} /***/ }), /* 2 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; if (typeof Object.create === 'function') { // implementation from standard node.js 'util' module module.exports = function inherits(ctor, superCtor) { if (superCtor) { ctor.super_ = superCtor; ctor.prototype = Object.create(superCtor.prototype, { constructor: { value: ctor, enumerable: false, writable: true, configurable: true } }); } }; } else { // old school shim for old browsers module.exports = function inherits(ctor, superCtor) { if (superCtor) { ctor.super_ = superCtor; var TempCtor = function TempCtor() {}; TempCtor.prototype = superCtor.prototype; ctor.prototype = new TempCtor(); ctor.prototype.constructor = ctor; } }; } /***/ }), /* 3 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const getConfig = __webpack_require__(178); const sendRequest = __webpack_require__(179); const multiaddr = __webpack_require__(15); module.exports = arg => { const config = getConfig(); if (typeof arg === 'function') { return arg; } else if (typeof arg === 'object') { return sendRequest(arg); } else if (typeof arg === 'string') { const maddr = multiaddr(arg).nodeAddress(); config.host = maddr.address; config.port = maddr.port; return sendRequest(config); } else { throw new Error('Argument must be a send function or a config object.'); } }; /***/ }), /* 4 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // shim for using process in browser var process = module.exports = {}; // cached from whatever global is present so that test runners that stub it // don't break things. But we need to wrap it in a try catch in case it is // wrapped in strict mode code which doesn't define any globals. It's inside a // function because try/catches deoptimize in certain engines. var cachedSetTimeout; var cachedClearTimeout; function defaultSetTimout() { throw new Error('setTimeout has not been defined'); } function defaultClearTimeout() { throw new Error('clearTimeout has not been defined'); } (function () { try { if (typeof setTimeout === 'function') { cachedSetTimeout = setTimeout; } else { cachedSetTimeout = defaultSetTimout; } } catch (e) { cachedSetTimeout = defaultSetTimout; } try { if (typeof clearTimeout === 'function') { cachedClearTimeout = clearTimeout; } else { cachedClearTimeout = defaultClearTimeout; } } catch (e) { cachedClearTimeout = defaultClearTimeout; } })(); function runTimeout(fun) { if (cachedSetTimeout === setTimeout) { //normal enviroments in sane situations return setTimeout(fun, 0); } // if setTimeout wasn't available but was latter defined if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) { cachedSetTimeout = setTimeout; return setTimeout(fun, 0); } try { // when when somebody has screwed with setTimeout but no I.E. maddness return cachedSetTimeout(fun, 0); } catch (e) { try { // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally return cachedSetTimeout.call(null, fun, 0); } catch (e) { // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error return cachedSetTimeout.call(this, fun, 0); } } } function runClearTimeout(marker) { if (cachedClearTimeout === clearTimeout) { //normal enviroments in sane situations return clearTimeout(marker); } // if clearTimeout wasn't available but was latter defined if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) { cachedClearTimeout = clearTimeout; return clearTimeout(marker); } try { // when when somebody has screwed with setTimeout but no I.E. maddness return cachedClearTimeout(marker); } catch (e) { try { // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally return cachedClearTimeout.call(null, marker); } catch (e) { // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error. // Some versions of I.E. have different rules for clearTimeout vs setTimeout return cachedClearTimeout.call(this, marker); } } } var queue = []; var draining = false; var currentQueue; var queueIndex = -1; function cleanUpNextTick() { if (!draining || !currentQueue) { return; } draining = false; if (currentQueue.length) { queue = currentQueue.concat(queue); } else { queueIndex = -1; } if (queue.length) { drainQueue(); } } function drainQueue() { if (draining) { return; } var timeout = runTimeout(cleanUpNextTick); draining = true; var len = queue.length; while (len) { currentQueue = queue; queue = []; while (++queueIndex < len) { if (currentQueue) { currentQueue[queueIndex].run(); } } queueIndex = -1; len = queue.length; } currentQueue = null; draining = false; runClearTimeout(timeout); } process.nextTick = function (fun) { var args = new Array(arguments.length - 1); if (arguments.length > 1) { for (var i = 1; i < arguments.length; i++) { args[i - 1] = arguments[i]; } } queue.push(new Item(fun, args)); if (queue.length === 1 && !draining) { runTimeout(drainQueue); } }; // v8 likes predictible objects function Item(fun, array) { this.fun = fun; this.array = array; } Item.prototype.run = function () { this.fun.apply(null, this.array); }; process.title = 'browser'; process.browser = true; process.env = {}; process.argv = []; process.version = ''; // empty string to avoid regexp issues process.versions = {}; function noop() {} process.on = noop; process.addListener = noop; process.once = noop; process.off = noop; process.removeListener = noop; process.removeAllListeners = noop; process.emit = noop; process.prependListener = noop; process.prependOnceListener = noop; process.listeners = function (name) { return []; }; process.binding = function (name) { throw new Error('process.binding is not supported'); }; process.cwd = function () { return '/'; }; process.chdir = function (dir) { throw new Error('process.chdir is not supported'); }; process.umask = function () { return 0; }; /***/ }), /* 5 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const mh = __webpack_require__(14); const multibase = __webpack_require__(47); const multicodec = __webpack_require__(37); const codecs = __webpack_require__(67); const CIDUtil = __webpack_require__(226); const withIs = __webpack_require__(27); /** * @typedef {Object} SerializedCID * @param {string} codec * @param {number} version * @param {Buffer} multihash */ /** * Test if the given input is a CID. * @function isCID * @memberof CID * @static * @param {any} other * @returns {bool} */ /** * Class representing a CID `` * , as defined in [ipld/cid](https://github.com/multiformats/cid). * @class CID */ class CID { /** * Create a new CID. * * The algorithm for argument input is roughly: * ``` * if (cid) * -> create a copy * else if (str) * if (1st char is on multibase table) -> CID String * else -> bs58 encoded multihash * else if (Buffer) * if (1st byte is 0 or 1) -> CID * else -> multihash * else if (Number) * -> construct CID by parts * ``` * * @param {string|Buffer|CID} version * @param {string} [codec] * @param {Buffer} [multihash] * @param {string} [multibaseName] * * @example * new CID(, , , ) * new CID() * new CID() * new CID() * new CID() * new CID() */ constructor(version, codec, multihash, multibaseName) { if (_CID.isCID(version)) { // version is an exising CID instance const cid = version; this.version = cid.version; this.codec = cid.codec; this.multihash = Buffer.from(cid.multihash); // Default guard for when a CID < 0.7 is passed with no multibaseName this.multibaseName = cid.multibaseName || (cid.version === 0 ? 'base58btc' : 'base32'); return; } if (typeof version === 'string') { // e.g. 'base32' or false const baseName = multibase.isEncoded(version); if (baseName) { // version is a CID String encoded with multibase, so v1 const cid = multibase.decode(version); this.version = parseInt(cid.slice(0, 1).toString('hex'), 16); this.codec = multicodec.getCodec(cid.slice(1)); this.multihash = multicodec.rmPrefix(cid.slice(1)); this.multibaseName = baseName; } else { // version is a base58btc string multihash, so v0 this.version = 0; this.codec = 'dag-pb'; this.multihash = mh.fromB58String(version); this.multibaseName = 'base58btc'; } CID.validateCID(this); Object.defineProperty(this, 'string', { value: version }); return; } if (Buffer.isBuffer(version)) { const firstByte = version.slice(0, 1); const v = parseInt(firstByte.toString('hex'), 16); if (v === 1) { // version is a CID buffer const cid = version; this.version = v; this.codec = multicodec.getCodec(cid.slice(1)); this.multihash = multicodec.rmPrefix(cid.slice(1)); this.multibaseName = 'base32'; } else { // version is a raw multihash buffer, so v0 this.version = 0; this.codec = 'dag-pb'; this.multihash = version; this.multibaseName = 'base58btc'; } CID.validateCID(this); return; } // otherwise, assemble the CID from the parameters /** * @type {number} */ this.version = version; /** * @type {string} */ this.codec = codec; /** * @type {Buffer} */ this.multihash = multihash; /** * @type {string} */ this.multibaseName = multibaseName || (version === 0 ? 'base58btc' : 'base32'); CID.validateCID(this); } /** * The CID as a `Buffer` * * @return {Buffer} * @readonly * * @memberOf CID */ get buffer() { let buffer = this._buffer; if (!buffer) { if (this.version === 0) { buffer = this.multihash; } else if (this.version === 1) { buffer = Buffer.concat([Buffer.from('01', 'hex'), multicodec.getCodeVarint(this.codec), this.multihash]); } else { throw new Error('unsupported version'); } // Cache this buffer so it doesn't have to be recreated Object.defineProperty(this, '_buffer', { value: buffer }); } return buffer; } /** * Get the prefix of the CID. * * @returns {Buffer} * @readonly */ get prefix() { return Buffer.concat([Buffer.from("0".concat(this.version), 'hex'), multicodec.getCodeVarint(this.codec), mh.prefix(this.multihash)]); } /** * Convert to a CID of version `0`. * * @returns {CID} */ toV0() { if (this.codec !== 'dag-pb') { throw new Error('Cannot convert a non dag-pb CID to CIDv0'); } const { name, length } = mh.decode(this.multihash); if (name !== 'sha2-256') { throw new Error('Cannot convert non sha2-256 multihash CID to CIDv0'); } if (length !== 32) { throw new Error('Cannot convert non 32 byte multihash CID to CIDv0'); } return new _CID(0, this.codec, this.multihash); } /** * Convert to a CID of version `1`. * * @returns {CID} */ toV1() { return new _CID(1, this.codec, this.multihash); } /** * Encode the CID into a string. * * @param {string} [base=this.multibaseName] - Base encoding to use. * @returns {string} */ toBaseEncodedString() { let base = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : this.multibaseName; if (this.string && base === this.multibaseName) { return this.string; } let str = null; if (this.version === 0) { if (base !== 'base58btc') { throw new Error('not supported with CIDv0, to support different bases, please migrate the instance do CIDv1, you can do that through cid.toV1()'); } str = mh.toB58String(this.multihash); } else if (this.version === 1) { str = multibase.encode(base, this.buffer).toString(); } else { throw new Error('unsupported version'); } if (base === this.multibaseName) { // cache the string value Object.defineProperty(this, 'string', { value: str }); } return str; } toString(base) { return this.toBaseEncodedString(base); } /** * Serialize to a plain object. * * @returns {SerializedCID} */ toJSON() { return { codec: this.codec, version: this.version, hash: this.multihash }; } /** * Compare equality with another CID. * * @param {CID} other * @returns {bool} */ equals(other) { return this.codec === other.codec && this.version === other.version && this.multihash.equals(other.multihash); } /** * Test if the given input is a valid CID object. * Throws if it is not. * * @param {any} other * @returns {void} */ static validateCID(other) { let errorMsg = CIDUtil.checkCIDComponents(other); if (errorMsg) { throw new Error(errorMsg); } } } const _CID = withIs(CID, { className: 'CID', symbolName: '@ipld/js-cid/CID' }); _CID.codecs = codecs; module.exports = _CID; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 6 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports = module.exports = __webpack_require__(156); exports.Stream = exports; exports.Readable = exports; exports.Writable = __webpack_require__(160); exports.Duplex = __webpack_require__(32); exports.Transform = __webpack_require__(161); exports.PassThrough = __webpack_require__(324); exports.finished = __webpack_require__(89); exports.pipeline = __webpack_require__(325); /***/ }), /* 7 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Node.js module for Forge. * * @author Dave Longley * * Copyright 2011-2016 Digital Bazaar, Inc. */ module.exports = { // default options options: { usePureJavaScript: false } }; /***/ }), /* 8 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* eslint-disable node/no-deprecated-api */ var buffer = __webpack_require__(0); var Buffer = buffer.Buffer; // alternative to using Object.keys for old browsers function copyProps(src, dst) { for (var key in src) { dst[key] = src[key]; } } if (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) { module.exports = buffer; } else { // Copy properties from require('buffer') copyProps(buffer, exports); exports.Buffer = SafeBuffer; } function SafeBuffer(arg, encodingOrOffset, length) { return Buffer(arg, encodingOrOffset, length); } SafeBuffer.prototype = Object.create(Buffer.prototype); // Copy static methods from Buffer copyProps(Buffer, SafeBuffer); SafeBuffer.from = function (arg, encodingOrOffset, length) { if (typeof arg === 'number') { throw new TypeError('Argument must not be a number'); } return Buffer(arg, encodingOrOffset, length); }; SafeBuffer.alloc = function (size, fill, encoding) { if (typeof size !== 'number') { throw new TypeError('Argument must be a number'); } var buf = Buffer(size); if (fill !== undefined) { if (typeof encoding === 'string') { buf.fill(fill, encoding); } else { buf.fill(fill); } } else { buf.fill(0); } return buf; }; SafeBuffer.allocUnsafe = function (size) { if (typeof size !== 'number') { throw new TypeError('Argument must be a number'); } return Buffer(size); }; SafeBuffer.allocUnsafeSlow = function (size) { if (typeof size !== 'number') { throw new TypeError('Argument must be a number'); } return buffer.SlowBuffer(size); }; /***/ }), /* 9 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, setImmediate, Buffer) { /** * Utility functions for web applications. * * @author Dave Longley * * Copyright (c) 2010-2018 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); var baseN = __webpack_require__(239); /* Utilities API */ var util = module.exports = forge.util = forge.util || {}; // define setImmediate and nextTick (function () { // use native nextTick (unless we're in webpack) // webpack (or better node-libs-browser polyfill) sets process.browser. // this way we can detect webpack properly if (typeof process !== 'undefined' && process.nextTick && !process.browser) { util.nextTick = process.nextTick; if (typeof setImmediate === 'function') { util.setImmediate = setImmediate; } else { // polyfill setImmediate with nextTick, older versions of node // (those w/o setImmediate) won't totally starve IO util.setImmediate = util.nextTick; } return; } // polyfill nextTick with native setImmediate if (typeof setImmediate === 'function') { util.setImmediate = function () { return setImmediate.apply(undefined, arguments); }; util.nextTick = function (callback) { return setImmediate(callback); }; return; } /* Note: A polyfill upgrade pattern is used here to allow combining polyfills. For example, MutationObserver is fast, but blocks UI updates, so it needs to allow UI updates periodically, so it falls back on postMessage or setTimeout. */ // polyfill with setTimeout util.setImmediate = function (callback) { setTimeout(callback, 0); }; // upgrade polyfill to use postMessage if (typeof window !== 'undefined' && typeof window.postMessage === 'function') { var msg = 'forge.setImmediate'; var callbacks = []; util.setImmediate = function (callback) { callbacks.push(callback); // only send message when one hasn't been sent in // the current turn of the event loop if (callbacks.length === 1) { window.postMessage(msg, '*'); } }; function handler(event) { if (event.source === window && event.data === msg) { event.stopPropagation(); var copy = callbacks.slice(); callbacks.length = 0; copy.forEach(function (callback) { callback(); }); } } window.addEventListener('message', handler, true); } // upgrade polyfill to use MutationObserver if (typeof MutationObserver !== 'undefined') { // polyfill with MutationObserver var now = Date.now(); var attr = true; var div = document.createElement('div'); var callbacks = []; new MutationObserver(function () { var copy = callbacks.slice(); callbacks.length = 0; copy.forEach(function (callback) { callback(); }); }).observe(div, { attributes: true }); var oldSetImmediate = util.setImmediate; util.setImmediate = function (callback) { if (Date.now() - now > 15) { now = Date.now(); oldSetImmediate(callback); } else { callbacks.push(callback); // only trigger observer when it hasn't been triggered in // the current turn of the event loop if (callbacks.length === 1) { div.setAttribute('a', attr = !attr); } } }; } util.nextTick = util.setImmediate; })(); // check if running under Node.js util.isNodejs = typeof process !== 'undefined' && process.versions && process.versions.node; // define isArray util.isArray = Array.isArray || function (x) { return Object.prototype.toString.call(x) === '[object Array]'; }; // define isArrayBuffer util.isArrayBuffer = function (x) { return typeof ArrayBuffer !== 'undefined' && x instanceof ArrayBuffer; }; // define isArrayBufferView util.isArrayBufferView = function (x) { return x && util.isArrayBuffer(x.buffer) && x.byteLength !== undefined; }; /** * Ensure a bits param is 8, 16, 24, or 32. Used to validate input for * algorithms where bit manipulation, JavaScript limitations, and/or algorithm * design only allow for byte operations of a limited size. * * @param n number of bits. * * Throw Error if n invalid. */ function _checkBitsParam(n) { if (!(n === 8 || n === 16 || n === 24 || n === 32)) { throw new Error('Only 8, 16, 24, or 32 bits supported: ' + n); } } // TODO: set ByteBuffer to best available backing util.ByteBuffer = ByteStringBuffer; /** Buffer w/BinaryString backing */ /** * Constructor for a binary string backed byte buffer. * * @param [b] the bytes to wrap (either encoded as string, one byte per * character, or as an ArrayBuffer or Typed Array). */ function ByteStringBuffer(b) { // TODO: update to match DataBuffer API // the data in this buffer this.data = ''; // the pointer for reading from this buffer this.read = 0; if (typeof b === 'string') { this.data = b; } else if (util.isArrayBuffer(b) || util.isArrayBufferView(b)) { if (typeof Buffer !== 'undefined' && b instanceof Buffer) { this.data = b.toString('binary'); } else { // convert native buffer to forge buffer // FIXME: support native buffers internally instead var arr = new Uint8Array(b); try { this.data = String.fromCharCode.apply(null, arr); } catch (e) { for (var i = 0; i < arr.length; ++i) { this.putByte(arr[i]); } } } } else if (b instanceof ByteStringBuffer || typeof b === 'object' && typeof b.data === 'string' && typeof b.read === 'number') { // copy existing buffer this.data = b.data; this.read = b.read; } // used for v8 optimization this._constructedStringLength = 0; } util.ByteStringBuffer = ByteStringBuffer; /* Note: This is an optimization for V8-based browsers. When V8 concatenates a string, the strings are only joined logically using a "cons string" or "constructed/concatenated string". These containers keep references to one another and can result in very large memory usage. For example, if a 2MB string is constructed by concatenating 4 bytes together at a time, the memory usage will be ~44MB; so ~22x increase. The strings are only joined together when an operation requiring their joining takes place, such as substr(). This function is called when adding data to this buffer to ensure these types of strings are periodically joined to reduce the memory footprint. */ var _MAX_CONSTRUCTED_STRING_LENGTH = 4096; util.ByteStringBuffer.prototype._optimizeConstructedString = function (x) { this._constructedStringLength += x; if (this._constructedStringLength > _MAX_CONSTRUCTED_STRING_LENGTH) { // this substr() should cause the constructed string to join this.data.substr(0, 1); this._constructedStringLength = 0; } }; /** * Gets the number of bytes in this buffer. * * @return the number of bytes in this buffer. */ util.ByteStringBuffer.prototype.length = function () { return this.data.length - this.read; }; /** * Gets whether or not this buffer is empty. * * @return true if this buffer is empty, false if not. */ util.ByteStringBuffer.prototype.isEmpty = function () { return this.length() <= 0; }; /** * Puts a byte in this buffer. * * @param b the byte to put. * * @return this buffer. */ util.ByteStringBuffer.prototype.putByte = function (b) { return this.putBytes(String.fromCharCode(b)); }; /** * Puts a byte in this buffer N times. * * @param b the byte to put. * @param n the number of bytes of value b to put. * * @return this buffer. */ util.ByteStringBuffer.prototype.fillWithByte = function (b, n) { b = String.fromCharCode(b); var d = this.data; while (n > 0) { if (n & 1) { d += b; } n >>>= 1; if (n > 0) { b += b; } } this.data = d; this._optimizeConstructedString(n); return this; }; /** * Puts bytes in this buffer. * * @param bytes the bytes (as a UTF-8 encoded string) to put. * * @return this buffer. */ util.ByteStringBuffer.prototype.putBytes = function (bytes) { this.data += bytes; this._optimizeConstructedString(bytes.length); return this; }; /** * Puts a UTF-16 encoded string into this buffer. * * @param str the string to put. * * @return this buffer. */ util.ByteStringBuffer.prototype.putString = function (str) { return this.putBytes(util.encodeUtf8(str)); }; /** * Puts a 16-bit integer in this buffer in big-endian order. * * @param i the 16-bit integer. * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt16 = function (i) { return this.putBytes(String.fromCharCode(i >> 8 & 0xFF) + String.fromCharCode(i & 0xFF)); }; /** * Puts a 24-bit integer in this buffer in big-endian order. * * @param i the 24-bit integer. * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt24 = function (i) { return this.putBytes(String.fromCharCode(i >> 16 & 0xFF) + String.fromCharCode(i >> 8 & 0xFF) + String.fromCharCode(i & 0xFF)); }; /** * Puts a 32-bit integer in this buffer in big-endian order. * * @param i the 32-bit integer. * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt32 = function (i) { return this.putBytes(String.fromCharCode(i >> 24 & 0xFF) + String.fromCharCode(i >> 16 & 0xFF) + String.fromCharCode(i >> 8 & 0xFF) + String.fromCharCode(i & 0xFF)); }; /** * Puts a 16-bit integer in this buffer in little-endian order. * * @param i the 16-bit integer. * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt16Le = function (i) { return this.putBytes(String.fromCharCode(i & 0xFF) + String.fromCharCode(i >> 8 & 0xFF)); }; /** * Puts a 24-bit integer in this buffer in little-endian order. * * @param i the 24-bit integer. * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt24Le = function (i) { return this.putBytes(String.fromCharCode(i & 0xFF) + String.fromCharCode(i >> 8 & 0xFF) + String.fromCharCode(i >> 16 & 0xFF)); }; /** * Puts a 32-bit integer in this buffer in little-endian order. * * @param i the 32-bit integer. * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt32Le = function (i) { return this.putBytes(String.fromCharCode(i & 0xFF) + String.fromCharCode(i >> 8 & 0xFF) + String.fromCharCode(i >> 16 & 0xFF) + String.fromCharCode(i >> 24 & 0xFF)); }; /** * Puts an n-bit integer in this buffer in big-endian order. * * @param i the n-bit integer. * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return this buffer. */ util.ByteStringBuffer.prototype.putInt = function (i, n) { _checkBitsParam(n); var bytes = ''; do { n -= 8; bytes += String.fromCharCode(i >> n & 0xFF); } while (n > 0); return this.putBytes(bytes); }; /** * Puts a signed n-bit integer in this buffer in big-endian order. Two's * complement representation is used. * * @param i the n-bit integer. * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return this buffer. */ util.ByteStringBuffer.prototype.putSignedInt = function (i, n) { // putInt checks n if (i < 0) { i += 2 << n - 1; } return this.putInt(i, n); }; /** * Puts the given buffer into this buffer. * * @param buffer the buffer to put into this one. * * @return this buffer. */ util.ByteStringBuffer.prototype.putBuffer = function (buffer) { return this.putBytes(buffer.getBytes()); }; /** * Gets a byte from this buffer and advances the read pointer by 1. * * @return the byte. */ util.ByteStringBuffer.prototype.getByte = function () { return this.data.charCodeAt(this.read++); }; /** * Gets a uint16 from this buffer in big-endian order and advances the read * pointer by 2. * * @return the uint16. */ util.ByteStringBuffer.prototype.getInt16 = function () { var rval = this.data.charCodeAt(this.read) << 8 ^ this.data.charCodeAt(this.read + 1); this.read += 2; return rval; }; /** * Gets a uint24 from this buffer in big-endian order and advances the read * pointer by 3. * * @return the uint24. */ util.ByteStringBuffer.prototype.getInt24 = function () { var rval = this.data.charCodeAt(this.read) << 16 ^ this.data.charCodeAt(this.read + 1) << 8 ^ this.data.charCodeAt(this.read + 2); this.read += 3; return rval; }; /** * Gets a uint32 from this buffer in big-endian order and advances the read * pointer by 4. * * @return the word. */ util.ByteStringBuffer.prototype.getInt32 = function () { var rval = this.data.charCodeAt(this.read) << 24 ^ this.data.charCodeAt(this.read + 1) << 16 ^ this.data.charCodeAt(this.read + 2) << 8 ^ this.data.charCodeAt(this.read + 3); this.read += 4; return rval; }; /** * Gets a uint16 from this buffer in little-endian order and advances the read * pointer by 2. * * @return the uint16. */ util.ByteStringBuffer.prototype.getInt16Le = function () { var rval = this.data.charCodeAt(this.read) ^ this.data.charCodeAt(this.read + 1) << 8; this.read += 2; return rval; }; /** * Gets a uint24 from this buffer in little-endian order and advances the read * pointer by 3. * * @return the uint24. */ util.ByteStringBuffer.prototype.getInt24Le = function () { var rval = this.data.charCodeAt(this.read) ^ this.data.charCodeAt(this.read + 1) << 8 ^ this.data.charCodeAt(this.read + 2) << 16; this.read += 3; return rval; }; /** * Gets a uint32 from this buffer in little-endian order and advances the read * pointer by 4. * * @return the word. */ util.ByteStringBuffer.prototype.getInt32Le = function () { var rval = this.data.charCodeAt(this.read) ^ this.data.charCodeAt(this.read + 1) << 8 ^ this.data.charCodeAt(this.read + 2) << 16 ^ this.data.charCodeAt(this.read + 3) << 24; this.read += 4; return rval; }; /** * Gets an n-bit integer from this buffer in big-endian order and advances the * read pointer by ceil(n/8). * * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return the integer. */ util.ByteStringBuffer.prototype.getInt = function (n) { _checkBitsParam(n); var rval = 0; do { // TODO: Use (rval * 0x100) if adding support for 33 to 53 bits. rval = (rval << 8) + this.data.charCodeAt(this.read++); n -= 8; } while (n > 0); return rval; }; /** * Gets a signed n-bit integer from this buffer in big-endian order, using * two's complement, and advances the read pointer by n/8. * * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return the integer. */ util.ByteStringBuffer.prototype.getSignedInt = function (n) { // getInt checks n var x = this.getInt(n); var max = 2 << n - 2; if (x >= max) { x -= max << 1; } return x; }; /** * Reads bytes out into a UTF-8 string and clears them from the buffer. * * @param count the number of bytes to read, undefined or null for all. * * @return a UTF-8 string of bytes. */ util.ByteStringBuffer.prototype.getBytes = function (count) { var rval; if (count) { // read count bytes count = Math.min(this.length(), count); rval = this.data.slice(this.read, this.read + count); this.read += count; } else if (count === 0) { rval = ''; } else { // read all bytes, optimize to only copy when needed rval = this.read === 0 ? this.data : this.data.slice(this.read); this.clear(); } return rval; }; /** * Gets a UTF-8 encoded string of the bytes from this buffer without modifying * the read pointer. * * @param count the number of bytes to get, omit to get all. * * @return a string full of UTF-8 encoded characters. */ util.ByteStringBuffer.prototype.bytes = function (count) { return typeof count === 'undefined' ? this.data.slice(this.read) : this.data.slice(this.read, this.read + count); }; /** * Gets a byte at the given index without modifying the read pointer. * * @param i the byte index. * * @return the byte. */ util.ByteStringBuffer.prototype.at = function (i) { return this.data.charCodeAt(this.read + i); }; /** * Puts a byte at the given index without modifying the read pointer. * * @param i the byte index. * @param b the byte to put. * * @return this buffer. */ util.ByteStringBuffer.prototype.setAt = function (i, b) { this.data = this.data.substr(0, this.read + i) + String.fromCharCode(b) + this.data.substr(this.read + i + 1); return this; }; /** * Gets the last byte without modifying the read pointer. * * @return the last byte. */ util.ByteStringBuffer.prototype.last = function () { return this.data.charCodeAt(this.data.length - 1); }; /** * Creates a copy of this buffer. * * @return the copy. */ util.ByteStringBuffer.prototype.copy = function () { var c = util.createBuffer(this.data); c.read = this.read; return c; }; /** * Compacts this buffer. * * @return this buffer. */ util.ByteStringBuffer.prototype.compact = function () { if (this.read > 0) { this.data = this.data.slice(this.read); this.read = 0; } return this; }; /** * Clears this buffer. * * @return this buffer. */ util.ByteStringBuffer.prototype.clear = function () { this.data = ''; this.read = 0; return this; }; /** * Shortens this buffer by triming bytes off of the end of this buffer. * * @param count the number of bytes to trim off. * * @return this buffer. */ util.ByteStringBuffer.prototype.truncate = function (count) { var len = Math.max(0, this.length() - count); this.data = this.data.substr(this.read, len); this.read = 0; return this; }; /** * Converts this buffer to a hexadecimal string. * * @return a hexadecimal string. */ util.ByteStringBuffer.prototype.toHex = function () { var rval = ''; for (var i = this.read; i < this.data.length; ++i) { var b = this.data.charCodeAt(i); if (b < 16) { rval += '0'; } rval += b.toString(16); } return rval; }; /** * Converts this buffer to a UTF-16 string (standard JavaScript string). * * @return a UTF-16 string. */ util.ByteStringBuffer.prototype.toString = function () { return util.decodeUtf8(this.bytes()); }; /** End Buffer w/BinaryString backing */ /** Buffer w/UInt8Array backing */ /** * FIXME: Experimental. Do not use yet. * * Constructor for an ArrayBuffer-backed byte buffer. * * The buffer may be constructed from a string, an ArrayBuffer, DataView, or a * TypedArray. * * If a string is given, its encoding should be provided as an option, * otherwise it will default to 'binary'. A 'binary' string is encoded such * that each character is one byte in length and size. * * If an ArrayBuffer, DataView, or TypedArray is given, it will be used * *directly* without any copying. Note that, if a write to the buffer requires * more space, the buffer will allocate a new backing ArrayBuffer to * accommodate. The starting read and write offsets for the buffer may be * given as options. * * @param [b] the initial bytes for this buffer. * @param options the options to use: * [readOffset] the starting read offset to use (default: 0). * [writeOffset] the starting write offset to use (default: the * length of the first parameter). * [growSize] the minimum amount, in bytes, to grow the buffer by to * accommodate writes (default: 1024). * [encoding] the encoding ('binary', 'utf8', 'utf16', 'hex') for the * first parameter, if it is a string (default: 'binary'). */ function DataBuffer(b, options) { // default options options = options || {}; // pointers for read from/write to buffer this.read = options.readOffset || 0; this.growSize = options.growSize || 1024; var isArrayBuffer = util.isArrayBuffer(b); var isArrayBufferView = util.isArrayBufferView(b); if (isArrayBuffer || isArrayBufferView) { // use ArrayBuffer directly if (isArrayBuffer) { this.data = new DataView(b); } else { // TODO: adjust read/write offset based on the type of view // or specify that this must be done in the options ... that the // offsets are byte-based this.data = new DataView(b.buffer, b.byteOffset, b.byteLength); } this.write = 'writeOffset' in options ? options.writeOffset : this.data.byteLength; return; } // initialize to empty array buffer and add any given bytes using putBytes this.data = new DataView(new ArrayBuffer(0)); this.write = 0; if (b !== null && b !== undefined) { this.putBytes(b); } if ('writeOffset' in options) { this.write = options.writeOffset; } } util.DataBuffer = DataBuffer; /** * Gets the number of bytes in this buffer. * * @return the number of bytes in this buffer. */ util.DataBuffer.prototype.length = function () { return this.write - this.read; }; /** * Gets whether or not this buffer is empty. * * @return true if this buffer is empty, false if not. */ util.DataBuffer.prototype.isEmpty = function () { return this.length() <= 0; }; /** * Ensures this buffer has enough empty space to accommodate the given number * of bytes. An optional parameter may be given that indicates a minimum * amount to grow the buffer if necessary. If the parameter is not given, * the buffer will be grown by some previously-specified default amount * or heuristic. * * @param amount the number of bytes to accommodate. * @param [growSize] the minimum amount, in bytes, to grow the buffer by if * necessary. */ util.DataBuffer.prototype.accommodate = function (amount, growSize) { if (this.length() >= amount) { return this; } growSize = Math.max(growSize || this.growSize, amount); // grow buffer var src = new Uint8Array(this.data.buffer, this.data.byteOffset, this.data.byteLength); var dst = new Uint8Array(this.length() + growSize); dst.set(src); this.data = new DataView(dst.buffer); return this; }; /** * Puts a byte in this buffer. * * @param b the byte to put. * * @return this buffer. */ util.DataBuffer.prototype.putByte = function (b) { this.accommodate(1); this.data.setUint8(this.write++, b); return this; }; /** * Puts a byte in this buffer N times. * * @param b the byte to put. * @param n the number of bytes of value b to put. * * @return this buffer. */ util.DataBuffer.prototype.fillWithByte = function (b, n) { this.accommodate(n); for (var i = 0; i < n; ++i) { this.data.setUint8(b); } return this; }; /** * Puts bytes in this buffer. The bytes may be given as a string, an * ArrayBuffer, a DataView, or a TypedArray. * * @param bytes the bytes to put. * @param [encoding] the encoding for the first parameter ('binary', 'utf8', * 'utf16', 'hex'), if it is a string (default: 'binary'). * * @return this buffer. */ util.DataBuffer.prototype.putBytes = function (bytes, encoding) { if (util.isArrayBufferView(bytes)) { var src = new Uint8Array(bytes.buffer, bytes.byteOffset, bytes.byteLength); var len = src.byteLength - src.byteOffset; this.accommodate(len); var dst = new Uint8Array(this.data.buffer, this.write); dst.set(src); this.write += len; return this; } if (util.isArrayBuffer(bytes)) { var src = new Uint8Array(bytes); this.accommodate(src.byteLength); var dst = new Uint8Array(this.data.buffer); dst.set(src, this.write); this.write += src.byteLength; return this; } // bytes is a util.DataBuffer or equivalent if (bytes instanceof util.DataBuffer || typeof bytes === 'object' && typeof bytes.read === 'number' && typeof bytes.write === 'number' && util.isArrayBufferView(bytes.data)) { var src = new Uint8Array(bytes.data.byteLength, bytes.read, bytes.length()); this.accommodate(src.byteLength); var dst = new Uint8Array(bytes.data.byteLength, this.write); dst.set(src); this.write += src.byteLength; return this; } if (bytes instanceof util.ByteStringBuffer) { // copy binary string and process as the same as a string parameter below bytes = bytes.data; encoding = 'binary'; } // string conversion encoding = encoding || 'binary'; if (typeof bytes === 'string') { var view; // decode from string if (encoding === 'hex') { this.accommodate(Math.ceil(bytes.length / 2)); view = new Uint8Array(this.data.buffer, this.write); this.write += util.binary.hex.decode(bytes, view, this.write); return this; } if (encoding === 'base64') { this.accommodate(Math.ceil(bytes.length / 4) * 3); view = new Uint8Array(this.data.buffer, this.write); this.write += util.binary.base64.decode(bytes, view, this.write); return this; } // encode text as UTF-8 bytes if (encoding === 'utf8') { // encode as UTF-8 then decode string as raw binary bytes = util.encodeUtf8(bytes); encoding = 'binary'; } // decode string as raw binary if (encoding === 'binary' || encoding === 'raw') { // one byte per character this.accommodate(bytes.length); view = new Uint8Array(this.data.buffer, this.write); this.write += util.binary.raw.decode(view); return this; } // encode text as UTF-16 bytes if (encoding === 'utf16') { // two bytes per character this.accommodate(bytes.length * 2); view = new Uint16Array(this.data.buffer, this.write); this.write += util.text.utf16.encode(view); return this; } throw new Error('Invalid encoding: ' + encoding); } throw Error('Invalid parameter: ' + bytes); }; /** * Puts the given buffer into this buffer. * * @param buffer the buffer to put into this one. * * @return this buffer. */ util.DataBuffer.prototype.putBuffer = function (buffer) { this.putBytes(buffer); buffer.clear(); return this; }; /** * Puts a string into this buffer. * * @param str the string to put. * @param [encoding] the encoding for the string (default: 'utf16'). * * @return this buffer. */ util.DataBuffer.prototype.putString = function (str) { return this.putBytes(str, 'utf16'); }; /** * Puts a 16-bit integer in this buffer in big-endian order. * * @param i the 16-bit integer. * * @return this buffer. */ util.DataBuffer.prototype.putInt16 = function (i) { this.accommodate(2); this.data.setInt16(this.write, i); this.write += 2; return this; }; /** * Puts a 24-bit integer in this buffer in big-endian order. * * @param i the 24-bit integer. * * @return this buffer. */ util.DataBuffer.prototype.putInt24 = function (i) { this.accommodate(3); this.data.setInt16(this.write, i >> 8 & 0xFFFF); this.data.setInt8(this.write, i >> 16 & 0xFF); this.write += 3; return this; }; /** * Puts a 32-bit integer in this buffer in big-endian order. * * @param i the 32-bit integer. * * @return this buffer. */ util.DataBuffer.prototype.putInt32 = function (i) { this.accommodate(4); this.data.setInt32(this.write, i); this.write += 4; return this; }; /** * Puts a 16-bit integer in this buffer in little-endian order. * * @param i the 16-bit integer. * * @return this buffer. */ util.DataBuffer.prototype.putInt16Le = function (i) { this.accommodate(2); this.data.setInt16(this.write, i, true); this.write += 2; return this; }; /** * Puts a 24-bit integer in this buffer in little-endian order. * * @param i the 24-bit integer. * * @return this buffer. */ util.DataBuffer.prototype.putInt24Le = function (i) { this.accommodate(3); this.data.setInt8(this.write, i >> 16 & 0xFF); this.data.setInt16(this.write, i >> 8 & 0xFFFF, true); this.write += 3; return this; }; /** * Puts a 32-bit integer in this buffer in little-endian order. * * @param i the 32-bit integer. * * @return this buffer. */ util.DataBuffer.prototype.putInt32Le = function (i) { this.accommodate(4); this.data.setInt32(this.write, i, true); this.write += 4; return this; }; /** * Puts an n-bit integer in this buffer in big-endian order. * * @param i the n-bit integer. * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return this buffer. */ util.DataBuffer.prototype.putInt = function (i, n) { _checkBitsParam(n); this.accommodate(n / 8); do { n -= 8; this.data.setInt8(this.write++, i >> n & 0xFF); } while (n > 0); return this; }; /** * Puts a signed n-bit integer in this buffer in big-endian order. Two's * complement representation is used. * * @param i the n-bit integer. * @param n the number of bits in the integer. * * @return this buffer. */ util.DataBuffer.prototype.putSignedInt = function (i, n) { _checkBitsParam(n); this.accommodate(n / 8); if (i < 0) { i += 2 << n - 1; } return this.putInt(i, n); }; /** * Gets a byte from this buffer and advances the read pointer by 1. * * @return the byte. */ util.DataBuffer.prototype.getByte = function () { return this.data.getInt8(this.read++); }; /** * Gets a uint16 from this buffer in big-endian order and advances the read * pointer by 2. * * @return the uint16. */ util.DataBuffer.prototype.getInt16 = function () { var rval = this.data.getInt16(this.read); this.read += 2; return rval; }; /** * Gets a uint24 from this buffer in big-endian order and advances the read * pointer by 3. * * @return the uint24. */ util.DataBuffer.prototype.getInt24 = function () { var rval = this.data.getInt16(this.read) << 8 ^ this.data.getInt8(this.read + 2); this.read += 3; return rval; }; /** * Gets a uint32 from this buffer in big-endian order and advances the read * pointer by 4. * * @return the word. */ util.DataBuffer.prototype.getInt32 = function () { var rval = this.data.getInt32(this.read); this.read += 4; return rval; }; /** * Gets a uint16 from this buffer in little-endian order and advances the read * pointer by 2. * * @return the uint16. */ util.DataBuffer.prototype.getInt16Le = function () { var rval = this.data.getInt16(this.read, true); this.read += 2; return rval; }; /** * Gets a uint24 from this buffer in little-endian order and advances the read * pointer by 3. * * @return the uint24. */ util.DataBuffer.prototype.getInt24Le = function () { var rval = this.data.getInt8(this.read) ^ this.data.getInt16(this.read + 1, true) << 8; this.read += 3; return rval; }; /** * Gets a uint32 from this buffer in little-endian order and advances the read * pointer by 4. * * @return the word. */ util.DataBuffer.prototype.getInt32Le = function () { var rval = this.data.getInt32(this.read, true); this.read += 4; return rval; }; /** * Gets an n-bit integer from this buffer in big-endian order and advances the * read pointer by n/8. * * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return the integer. */ util.DataBuffer.prototype.getInt = function (n) { _checkBitsParam(n); var rval = 0; do { // TODO: Use (rval * 0x100) if adding support for 33 to 53 bits. rval = (rval << 8) + this.data.getInt8(this.read++); n -= 8; } while (n > 0); return rval; }; /** * Gets a signed n-bit integer from this buffer in big-endian order, using * two's complement, and advances the read pointer by n/8. * * @param n the number of bits in the integer (8, 16, 24, or 32). * * @return the integer. */ util.DataBuffer.prototype.getSignedInt = function (n) { // getInt checks n var x = this.getInt(n); var max = 2 << n - 2; if (x >= max) { x -= max << 1; } return x; }; /** * Reads bytes out into a UTF-8 string and clears them from the buffer. * * @param count the number of bytes to read, undefined or null for all. * * @return a UTF-8 string of bytes. */ util.DataBuffer.prototype.getBytes = function (count) { // TODO: deprecate this method, it is poorly named and // this.toString('binary') replaces it // add a toTypedArray()/toArrayBuffer() function var rval; if (count) { // read count bytes count = Math.min(this.length(), count); rval = this.data.slice(this.read, this.read + count); this.read += count; } else if (count === 0) { rval = ''; } else { // read all bytes, optimize to only copy when needed rval = this.read === 0 ? this.data : this.data.slice(this.read); this.clear(); } return rval; }; /** * Gets a UTF-8 encoded string of the bytes from this buffer without modifying * the read pointer. * * @param count the number of bytes to get, omit to get all. * * @return a string full of UTF-8 encoded characters. */ util.DataBuffer.prototype.bytes = function (count) { // TODO: deprecate this method, it is poorly named, add "getString()" return typeof count === 'undefined' ? this.data.slice(this.read) : this.data.slice(this.read, this.read + count); }; /** * Gets a byte at the given index without modifying the read pointer. * * @param i the byte index. * * @return the byte. */ util.DataBuffer.prototype.at = function (i) { return this.data.getUint8(this.read + i); }; /** * Puts a byte at the given index without modifying the read pointer. * * @param i the byte index. * @param b the byte to put. * * @return this buffer. */ util.DataBuffer.prototype.setAt = function (i, b) { this.data.setUint8(i, b); return this; }; /** * Gets the last byte without modifying the read pointer. * * @return the last byte. */ util.DataBuffer.prototype.last = function () { return this.data.getUint8(this.write - 1); }; /** * Creates a copy of this buffer. * * @return the copy. */ util.DataBuffer.prototype.copy = function () { return new util.DataBuffer(this); }; /** * Compacts this buffer. * * @return this buffer. */ util.DataBuffer.prototype.compact = function () { if (this.read > 0) { var src = new Uint8Array(this.data.buffer, this.read); var dst = new Uint8Array(src.byteLength); dst.set(src); this.data = new DataView(dst); this.write -= this.read; this.read = 0; } return this; }; /** * Clears this buffer. * * @return this buffer. */ util.DataBuffer.prototype.clear = function () { this.data = new DataView(new ArrayBuffer(0)); this.read = this.write = 0; return this; }; /** * Shortens this buffer by triming bytes off of the end of this buffer. * * @param count the number of bytes to trim off. * * @return this buffer. */ util.DataBuffer.prototype.truncate = function (count) { this.write = Math.max(0, this.length() - count); this.read = Math.min(this.read, this.write); return this; }; /** * Converts this buffer to a hexadecimal string. * * @return a hexadecimal string. */ util.DataBuffer.prototype.toHex = function () { var rval = ''; for (var i = this.read; i < this.data.byteLength; ++i) { var b = this.data.getUint8(i); if (b < 16) { rval += '0'; } rval += b.toString(16); } return rval; }; /** * Converts this buffer to a string, using the given encoding. If no * encoding is given, 'utf8' (UTF-8) is used. * * @param [encoding] the encoding to use: 'binary', 'utf8', 'utf16', 'hex', * 'base64' (default: 'utf8'). * * @return a string representation of the bytes in this buffer. */ util.DataBuffer.prototype.toString = function (encoding) { var view = new Uint8Array(this.data, this.read, this.length()); encoding = encoding || 'utf8'; // encode to string if (encoding === 'binary' || encoding === 'raw') { return util.binary.raw.encode(view); } if (encoding === 'hex') { return util.binary.hex.encode(view); } if (encoding === 'base64') { return util.binary.base64.encode(view); } // decode to text if (encoding === 'utf8') { return util.text.utf8.decode(view); } if (encoding === 'utf16') { return util.text.utf16.decode(view); } throw new Error('Invalid encoding: ' + encoding); }; /** End Buffer w/UInt8Array backing */ /** * Creates a buffer that stores bytes. A value may be given to put into the * buffer that is either a string of bytes or a UTF-16 string that will * be encoded using UTF-8 (to do the latter, specify 'utf8' as the encoding). * * @param [input] the bytes to wrap (as a string) or a UTF-16 string to encode * as UTF-8. * @param [encoding] (default: 'raw', other: 'utf8'). */ util.createBuffer = function (input, encoding) { // TODO: deprecate, use new ByteBuffer() instead encoding = encoding || 'raw'; if (input !== undefined && encoding === 'utf8') { input = util.encodeUtf8(input); } return new util.ByteBuffer(input); }; /** * Fills a string with a particular value. If you want the string to be a byte * string, pass in String.fromCharCode(theByte). * * @param c the character to fill the string with, use String.fromCharCode * to fill the string with a byte value. * @param n the number of characters of value c to fill with. * * @return the filled string. */ util.fillString = function (c, n) { var s = ''; while (n > 0) { if (n & 1) { s += c; } n >>>= 1; if (n > 0) { c += c; } } return s; }; /** * Performs a per byte XOR between two byte strings and returns the result as a * string of bytes. * * @param s1 first string of bytes. * @param s2 second string of bytes. * @param n the number of bytes to XOR. * * @return the XOR'd result. */ util.xorBytes = function (s1, s2, n) { var s3 = ''; var b = ''; var t = ''; var i = 0; var c = 0; for (; n > 0; --n, ++i) { b = s1.charCodeAt(i) ^ s2.charCodeAt(i); if (c >= 10) { s3 += t; t = ''; c = 0; } t += String.fromCharCode(b); ++c; } s3 += t; return s3; }; /** * Converts a hex string into a 'binary' encoded string of bytes. * * @param hex the hexadecimal string to convert. * * @return the binary-encoded string of bytes. */ util.hexToBytes = function (hex) { // TODO: deprecate: "Deprecated. Use util.binary.hex.decode instead." var rval = ''; var i = 0; if (hex.length & 1 == 1) { // odd number of characters, convert first character alone i = 1; rval += String.fromCharCode(parseInt(hex[0], 16)); } // convert 2 characters (1 byte) at a time for (; i < hex.length; i += 2) { rval += String.fromCharCode(parseInt(hex.substr(i, 2), 16)); } return rval; }; /** * Converts a 'binary' encoded string of bytes to hex. * * @param bytes the byte string to convert. * * @return the string of hexadecimal characters. */ util.bytesToHex = function (bytes) { // TODO: deprecate: "Deprecated. Use util.binary.hex.encode instead." return util.createBuffer(bytes).toHex(); }; /** * Converts an 32-bit integer to 4-big-endian byte string. * * @param i the integer. * * @return the byte string. */ util.int32ToBytes = function (i) { return String.fromCharCode(i >> 24 & 0xFF) + String.fromCharCode(i >> 16 & 0xFF) + String.fromCharCode(i >> 8 & 0xFF) + String.fromCharCode(i & 0xFF); }; // base64 characters, reverse mapping var _base64 = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/='; var _base64Idx = [ /*43 -43 = 0*/ /*'+', 1, 2, 3,'/' */ 62, -1, -1, -1, 63, /*'0','1','2','3','4','5','6','7','8','9' */ 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, /*15, 16, 17,'=', 19, 20, 21 */ -1, -1, -1, 64, -1, -1, -1, /*65 - 43 = 22*/ /*'A','B','C','D','E','F','G','H','I','J','K','L','M', */ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, /*'N','O','P','Q','R','S','T','U','V','W','X','Y','Z' */ 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, /*91 - 43 = 48 */ /*48, 49, 50, 51, 52, 53 */ -1, -1, -1, -1, -1, -1, /*97 - 43 = 54*/ /*'a','b','c','d','e','f','g','h','i','j','k','l','m' */ 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, /*'n','o','p','q','r','s','t','u','v','w','x','y','z' */ 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51]; // base58 characters (Bitcoin alphabet) var _base58 = '123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz'; /** * Base64 encodes a 'binary' encoded string of bytes. * * @param input the binary encoded string of bytes to base64-encode. * @param maxline the maximum number of encoded characters per line to use, * defaults to none. * * @return the base64-encoded output. */ util.encode64 = function (input, maxline) { // TODO: deprecate: "Deprecated. Use util.binary.base64.encode instead." var line = ''; var output = ''; var chr1, chr2, chr3; var i = 0; while (i < input.length) { chr1 = input.charCodeAt(i++); chr2 = input.charCodeAt(i++); chr3 = input.charCodeAt(i++); // encode 4 character group line += _base64.charAt(chr1 >> 2); line += _base64.charAt((chr1 & 3) << 4 | chr2 >> 4); if (isNaN(chr2)) { line += '=='; } else { line += _base64.charAt((chr2 & 15) << 2 | chr3 >> 6); line += isNaN(chr3) ? '=' : _base64.charAt(chr3 & 63); } if (maxline && line.length > maxline) { output += line.substr(0, maxline) + '\r\n'; line = line.substr(maxline); } } output += line; return output; }; /** * Base64 decodes a string into a 'binary' encoded string of bytes. * * @param input the base64-encoded input. * * @return the binary encoded string. */ util.decode64 = function (input) { // TODO: deprecate: "Deprecated. Use util.binary.base64.decode instead." // remove all non-base64 characters input = input.replace(/[^A-Za-z0-9\+\/\=]/g, ''); var output = ''; var enc1, enc2, enc3, enc4; var i = 0; while (i < input.length) { enc1 = _base64Idx[input.charCodeAt(i++) - 43]; enc2 = _base64Idx[input.charCodeAt(i++) - 43]; enc3 = _base64Idx[input.charCodeAt(i++) - 43]; enc4 = _base64Idx[input.charCodeAt(i++) - 43]; output += String.fromCharCode(enc1 << 2 | enc2 >> 4); if (enc3 !== 64) { // decoded at least 2 bytes output += String.fromCharCode((enc2 & 15) << 4 | enc3 >> 2); if (enc4 !== 64) { // decoded 3 bytes output += String.fromCharCode((enc3 & 3) << 6 | enc4); } } } return output; }; /** * UTF-8 encodes the given UTF-16 encoded string (a standard JavaScript * string). Non-ASCII characters will be encoded as multiple bytes according * to UTF-8. * * @param str the string to encode. * * @return the UTF-8 encoded string. */ util.encodeUtf8 = function (str) { return unescape(encodeURIComponent(str)); }; /** * Decodes a UTF-8 encoded string into a UTF-16 string. * * @param str the string to decode. * * @return the UTF-16 encoded string (standard JavaScript string). */ util.decodeUtf8 = function (str) { return decodeURIComponent(escape(str)); }; // binary encoding/decoding tools // FIXME: Experimental. Do not use yet. util.binary = { raw: {}, hex: {}, base64: {}, base58: {}, baseN: { encode: baseN.encode, decode: baseN.decode } }; /** * Encodes a Uint8Array as a binary-encoded string. This encoding uses * a value between 0 and 255 for each character. * * @param bytes the Uint8Array to encode. * * @return the binary-encoded string. */ util.binary.raw.encode = function (bytes) { return String.fromCharCode.apply(null, bytes); }; /** * Decodes a binary-encoded string to a Uint8Array. This encoding uses * a value between 0 and 255 for each character. * * @param str the binary-encoded string to decode. * @param [output] an optional Uint8Array to write the output to; if it * is too small, an exception will be thrown. * @param [offset] the start offset for writing to the output (default: 0). * * @return the Uint8Array or the number of bytes written if output was given. */ util.binary.raw.decode = function (str, output, offset) { var out = output; if (!out) { out = new Uint8Array(str.length); } offset = offset || 0; var j = offset; for (var i = 0; i < str.length; ++i) { out[j++] = str.charCodeAt(i); } return output ? j - offset : out; }; /** * Encodes a 'binary' string, ArrayBuffer, DataView, TypedArray, or * ByteBuffer as a string of hexadecimal characters. * * @param bytes the bytes to convert. * * @return the string of hexadecimal characters. */ util.binary.hex.encode = util.bytesToHex; /** * Decodes a hex-encoded string to a Uint8Array. * * @param hex the hexadecimal string to convert. * @param [output] an optional Uint8Array to write the output to; if it * is too small, an exception will be thrown. * @param [offset] the start offset for writing to the output (default: 0). * * @return the Uint8Array or the number of bytes written if output was given. */ util.binary.hex.decode = function (hex, output, offset) { var out = output; if (!out) { out = new Uint8Array(Math.ceil(hex.length / 2)); } offset = offset || 0; var i = 0, j = offset; if (hex.length & 1) { // odd number of characters, convert first character alone i = 1; out[j++] = parseInt(hex[0], 16); } // convert 2 characters (1 byte) at a time for (; i < hex.length; i += 2) { out[j++] = parseInt(hex.substr(i, 2), 16); } return output ? j - offset : out; }; /** * Base64-encodes a Uint8Array. * * @param input the Uint8Array to encode. * @param maxline the maximum number of encoded characters per line to use, * defaults to none. * * @return the base64-encoded output string. */ util.binary.base64.encode = function (input, maxline) { var line = ''; var output = ''; var chr1, chr2, chr3; var i = 0; while (i < input.byteLength) { chr1 = input[i++]; chr2 = input[i++]; chr3 = input[i++]; // encode 4 character group line += _base64.charAt(chr1 >> 2); line += _base64.charAt((chr1 & 3) << 4 | chr2 >> 4); if (isNaN(chr2)) { line += '=='; } else { line += _base64.charAt((chr2 & 15) << 2 | chr3 >> 6); line += isNaN(chr3) ? '=' : _base64.charAt(chr3 & 63); } if (maxline && line.length > maxline) { output += line.substr(0, maxline) + '\r\n'; line = line.substr(maxline); } } output += line; return output; }; /** * Decodes a base64-encoded string to a Uint8Array. * * @param input the base64-encoded input string. * @param [output] an optional Uint8Array to write the output to; if it * is too small, an exception will be thrown. * @param [offset] the start offset for writing to the output (default: 0). * * @return the Uint8Array or the number of bytes written if output was given. */ util.binary.base64.decode = function (input, output, offset) { var out = output; if (!out) { out = new Uint8Array(Math.ceil(input.length / 4) * 3); } // remove all non-base64 characters input = input.replace(/[^A-Za-z0-9\+\/\=]/g, ''); offset = offset || 0; var enc1, enc2, enc3, enc4; var i = 0, j = offset; while (i < input.length) { enc1 = _base64Idx[input.charCodeAt(i++) - 43]; enc2 = _base64Idx[input.charCodeAt(i++) - 43]; enc3 = _base64Idx[input.charCodeAt(i++) - 43]; enc4 = _base64Idx[input.charCodeAt(i++) - 43]; out[j++] = enc1 << 2 | enc2 >> 4; if (enc3 !== 64) { // decoded at least 2 bytes out[j++] = (enc2 & 15) << 4 | enc3 >> 2; if (enc4 !== 64) { // decoded 3 bytes out[j++] = (enc3 & 3) << 6 | enc4; } } } // make sure result is the exact decoded length return output ? j - offset : out.subarray(0, j); }; // add support for base58 encoding/decoding with Bitcoin alphabet util.binary.base58.encode = function (input, maxline) { return util.binary.baseN.encode(input, _base58, maxline); }; util.binary.base58.decode = function (input, maxline) { return util.binary.baseN.decode(input, _base58, maxline); }; // text encoding/decoding tools // FIXME: Experimental. Do not use yet. util.text = { utf8: {}, utf16: {} }; /** * Encodes the given string as UTF-8 in a Uint8Array. * * @param str the string to encode. * @param [output] an optional Uint8Array to write the output to; if it * is too small, an exception will be thrown. * @param [offset] the start offset for writing to the output (default: 0). * * @return the Uint8Array or the number of bytes written if output was given. */ util.text.utf8.encode = function (str, output, offset) { str = util.encodeUtf8(str); var out = output; if (!out) { out = new Uint8Array(str.length); } offset = offset || 0; var j = offset; for (var i = 0; i < str.length; ++i) { out[j++] = str.charCodeAt(i); } return output ? j - offset : out; }; /** * Decodes the UTF-8 contents from a Uint8Array. * * @param bytes the Uint8Array to decode. * * @return the resulting string. */ util.text.utf8.decode = function (bytes) { return util.decodeUtf8(String.fromCharCode.apply(null, bytes)); }; /** * Encodes the given string as UTF-16 in a Uint8Array. * * @param str the string to encode. * @param [output] an optional Uint8Array to write the output to; if it * is too small, an exception will be thrown. * @param [offset] the start offset for writing to the output (default: 0). * * @return the Uint8Array or the number of bytes written if output was given. */ util.text.utf16.encode = function (str, output, offset) { var out = output; if (!out) { out = new Uint8Array(str.length * 2); } var view = new Uint16Array(out.buffer); offset = offset || 0; var j = offset; var k = offset; for (var i = 0; i < str.length; ++i) { view[k++] = str.charCodeAt(i); j += 2; } return output ? j - offset : out; }; /** * Decodes the UTF-16 contents from a Uint8Array. * * @param bytes the Uint8Array to decode. * * @return the resulting string. */ util.text.utf16.decode = function (bytes) { return String.fromCharCode.apply(null, new Uint16Array(bytes.buffer)); }; /** * Deflates the given data using a flash interface. * * @param api the flash interface. * @param bytes the data. * @param raw true to return only raw deflate data, false to include zlib * header and trailer. * * @return the deflated data as a string. */ util.deflate = function (api, bytes, raw) { bytes = util.decode64(api.deflate(util.encode64(bytes)).rval); // strip zlib header and trailer if necessary if (raw) { // zlib header is 2 bytes (CMF,FLG) where FLG indicates that // there is a 4-byte DICT (alder-32) block before the data if // its 5th bit is set var start = 2; var flg = bytes.charCodeAt(1); if (flg & 0x20) { start = 6; } // zlib trailer is 4 bytes of adler-32 bytes = bytes.substring(start, bytes.length - 4); } return bytes; }; /** * Inflates the given data using a flash interface. * * @param api the flash interface. * @param bytes the data. * @param raw true if the incoming data has no zlib header or trailer and is * raw DEFLATE data. * * @return the inflated data as a string, null on error. */ util.inflate = function (api, bytes, raw) { // TODO: add zlib header and trailer if necessary/possible var rval = api.inflate(util.encode64(bytes)).rval; return rval === null ? null : util.decode64(rval); }; /** * Sets a storage object. * * @param api the storage interface. * @param id the storage ID to use. * @param obj the storage object, null to remove. */ var _setStorageObject = function _setStorageObject(api, id, obj) { if (!api) { throw new Error('WebStorage not available.'); } var rval; if (obj === null) { rval = api.removeItem(id); } else { // json-encode and base64-encode object obj = util.encode64(JSON.stringify(obj)); rval = api.setItem(id, obj); } // handle potential flash error if (typeof rval !== 'undefined' && rval.rval !== true) { var error = new Error(rval.error.message); error.id = rval.error.id; error.name = rval.error.name; throw error; } }; /** * Gets a storage object. * * @param api the storage interface. * @param id the storage ID to use. * * @return the storage object entry or null if none exists. */ var _getStorageObject = function _getStorageObject(api, id) { if (!api) { throw new Error('WebStorage not available.'); } // get the existing entry var rval = api.getItem(id); /* Note: We check api.init because we can't do (api == localStorage) on IE because of "Class doesn't support Automation" exception. Only the flash api has an init method so this works too, but we need a better solution in the future. */ // flash returns item wrapped in an object, handle special case if (api.init) { if (rval.rval === null) { if (rval.error) { var error = new Error(rval.error.message); error.id = rval.error.id; error.name = rval.error.name; throw error; } // no error, but also no item rval = null; } else { rval = rval.rval; } } // handle decoding if (rval !== null) { // base64-decode and json-decode data rval = JSON.parse(util.decode64(rval)); } return rval; }; /** * Stores an item in local storage. * * @param api the storage interface. * @param id the storage ID to use. * @param key the key for the item. * @param data the data for the item (any javascript object/primitive). */ var _setItem = function _setItem(api, id, key, data) { // get storage object var obj = _getStorageObject(api, id); if (obj === null) { // create a new storage object obj = {}; } // update key obj[key] = data; // set storage object _setStorageObject(api, id, obj); }; /** * Gets an item from local storage. * * @param api the storage interface. * @param id the storage ID to use. * @param key the key for the item. * * @return the item. */ var _getItem = function _getItem(api, id, key) { // get storage object var rval = _getStorageObject(api, id); if (rval !== null) { // return data at key rval = key in rval ? rval[key] : null; } return rval; }; /** * Removes an item from local storage. * * @param api the storage interface. * @param id the storage ID to use. * @param key the key for the item. */ var _removeItem = function _removeItem(api, id, key) { // get storage object var obj = _getStorageObject(api, id); if (obj !== null && key in obj) { // remove key delete obj[key]; // see if entry has no keys remaining var empty = true; for (var prop in obj) { empty = false; break; } if (empty) { // remove entry entirely if no keys are left obj = null; } // set storage object _setStorageObject(api, id, obj); } }; /** * Clears the local disk storage identified by the given ID. * * @param api the storage interface. * @param id the storage ID to use. */ var _clearItems = function _clearItems(api, id) { _setStorageObject(api, id, null); }; /** * Calls a storage function. * * @param func the function to call. * @param args the arguments for the function. * @param location the location argument. * * @return the return value from the function. */ var _callStorageFunction = function _callStorageFunction(func, args, location) { var rval = null; // default storage types if (typeof location === 'undefined') { location = ['web', 'flash']; } // apply storage types in order of preference var type; var done = false; var exception = null; for (var idx in location) { type = location[idx]; try { if (type === 'flash' || type === 'both') { if (args[0] === null) { throw new Error('Flash local storage not available.'); } rval = func.apply(this, args); done = type === 'flash'; } if (type === 'web' || type === 'both') { args[0] = localStorage; rval = func.apply(this, args); done = true; } } catch (ex) { exception = ex; } if (done) { break; } } if (!done) { throw exception; } return rval; }; /** * Stores an item on local disk. * * The available types of local storage include 'flash', 'web', and 'both'. * * The type 'flash' refers to flash local storage (SharedObject). In order * to use flash local storage, the 'api' parameter must be valid. The type * 'web' refers to WebStorage, if supported by the browser. The type 'both' * refers to storing using both 'flash' and 'web', not just one or the * other. * * The location array should list the storage types to use in order of * preference: * * ['flash']: flash only storage * ['web']: web only storage * ['both']: try to store in both * ['flash','web']: store in flash first, but if not available, 'web' * ['web','flash']: store in web first, but if not available, 'flash' * * The location array defaults to: ['web', 'flash'] * * @param api the flash interface, null to use only WebStorage. * @param id the storage ID to use. * @param key the key for the item. * @param data the data for the item (any javascript object/primitive). * @param location an array with the preferred types of storage to use. */ util.setItem = function (api, id, key, data, location) { _callStorageFunction(_setItem, arguments, location); }; /** * Gets an item on local disk. * * Set setItem() for details on storage types. * * @param api the flash interface, null to use only WebStorage. * @param id the storage ID to use. * @param key the key for the item. * @param location an array with the preferred types of storage to use. * * @return the item. */ util.getItem = function (api, id, key, location) { return _callStorageFunction(_getItem, arguments, location); }; /** * Removes an item on local disk. * * Set setItem() for details on storage types. * * @param api the flash interface. * @param id the storage ID to use. * @param key the key for the item. * @param location an array with the preferred types of storage to use. */ util.removeItem = function (api, id, key, location) { _callStorageFunction(_removeItem, arguments, location); }; /** * Clears the local disk storage identified by the given ID. * * Set setItem() for details on storage types. * * @param api the flash interface if flash is available. * @param id the storage ID to use. * @param location an array with the preferred types of storage to use. */ util.clearItems = function (api, id, location) { _callStorageFunction(_clearItems, arguments, location); }; /** * Parses the scheme, host, and port from an http(s) url. * * @param str the url string. * * @return the parsed url object or null if the url is invalid. */ util.parseUrl = function (str) { // FIXME: this regex looks a bit broken var regex = /^(https?):\/\/([^:&^\/]*):?(\d*)(.*)$/g; regex.lastIndex = 0; var m = regex.exec(str); var url = m === null ? null : { full: str, scheme: m[1], host: m[2], port: m[3], path: m[4] }; if (url) { url.fullHost = url.host; if (url.port) { if (url.port !== 80 && url.scheme === 'http') { url.fullHost += ':' + url.port; } else if (url.port !== 443 && url.scheme === 'https') { url.fullHost += ':' + url.port; } } else if (url.scheme === 'http') { url.port = 80; } else if (url.scheme === 'https') { url.port = 443; } url.full = url.scheme + '://' + url.fullHost; } return url; }; /* Storage for query variables */ var _queryVariables = null; /** * Returns the window location query variables. Query is parsed on the first * call and the same object is returned on subsequent calls. The mapping * is from keys to an array of values. Parameters without values will have * an object key set but no value added to the value array. Values are * unescaped. * * ...?k1=v1&k2=v2: * { * "k1": ["v1"], * "k2": ["v2"] * } * * ...?k1=v1&k1=v2: * { * "k1": ["v1", "v2"] * } * * ...?k1=v1&k2: * { * "k1": ["v1"], * "k2": [] * } * * ...?k1=v1&k1: * { * "k1": ["v1"] * } * * ...?k1&k1: * { * "k1": [] * } * * @param query the query string to parse (optional, default to cached * results from parsing window location search query). * * @return object mapping keys to variables. */ util.getQueryVariables = function (query) { var parse = function parse(q) { var rval = {}; var kvpairs = q.split('&'); for (var i = 0; i < kvpairs.length; i++) { var pos = kvpairs[i].indexOf('='); var key; var val; if (pos > 0) { key = kvpairs[i].substring(0, pos); val = kvpairs[i].substring(pos + 1); } else { key = kvpairs[i]; val = null; } if (!(key in rval)) { rval[key] = []; } // disallow overriding object prototype keys if (!(key in Object.prototype) && val !== null) { rval[key].push(unescape(val)); } } return rval; }; var rval; if (typeof query === 'undefined') { // set cached variables if needed if (_queryVariables === null) { if (typeof window !== 'undefined' && window.location && window.location.search) { // parse window search query _queryVariables = parse(window.location.search.substring(1)); } else { // no query variables available _queryVariables = {}; } } rval = _queryVariables; } else { // parse given query rval = parse(query); } return rval; }; /** * Parses a fragment into a path and query. This method will take a URI * fragment and break it up as if it were the main URI. For example: * /bar/baz?a=1&b=2 * results in: * { * path: ["bar", "baz"], * query: {"k1": ["v1"], "k2": ["v2"]} * } * * @return object with a path array and query object. */ util.parseFragment = function (fragment) { // default to whole fragment var fp = fragment; var fq = ''; // split into path and query if possible at the first '?' var pos = fragment.indexOf('?'); if (pos > 0) { fp = fragment.substring(0, pos); fq = fragment.substring(pos + 1); } // split path based on '/' and ignore first element if empty var path = fp.split('/'); if (path.length > 0 && path[0] === '') { path.shift(); } // convert query into object var query = fq === '' ? {} : util.getQueryVariables(fq); return { pathString: fp, queryString: fq, path: path, query: query }; }; /** * Makes a request out of a URI-like request string. This is intended to * be used where a fragment id (after a URI '#') is parsed as a URI with * path and query parts. The string should have a path beginning and * delimited by '/' and optional query parameters following a '?'. The * query should be a standard URL set of key value pairs delimited by * '&'. For backwards compatibility the initial '/' on the path is not * required. The request object has the following API, (fully described * in the method code): * { * path: . * query: , * getPath(i): get part or all of the split path array, * getQuery(k, i): get part or all of a query key array, * getQueryLast(k, _default): get last element of a query key array. * } * * @return object with request parameters. */ util.makeRequest = function (reqString) { var frag = util.parseFragment(reqString); var req = { // full path string path: frag.pathString, // full query string query: frag.queryString, /** * Get path or element in path. * * @param i optional path index. * * @return path or part of path if i provided. */ getPath: function getPath(i) { return typeof i === 'undefined' ? frag.path : frag.path[i]; }, /** * Get query, values for a key, or value for a key index. * * @param k optional query key. * @param i optional query key index. * * @return query, values for a key, or value for a key index. */ getQuery: function getQuery(k, i) { var rval; if (typeof k === 'undefined') { rval = frag.query; } else { rval = frag.query[k]; if (rval && typeof i !== 'undefined') { rval = rval[i]; } } return rval; }, getQueryLast: function getQueryLast(k, _default) { var rval; var vals = req.getQuery(k); if (vals) { rval = vals[vals.length - 1]; } else { rval = _default; } return rval; } }; return req; }; /** * Makes a URI out of a path, an object with query parameters, and a * fragment. Uses jQuery.param() internally for query string creation. * If the path is an array, it will be joined with '/'. * * @param path string path or array of strings. * @param query object with query parameters. (optional) * @param fragment fragment string. (optional) * * @return string object with request parameters. */ util.makeLink = function (path, query, fragment) { // join path parts if needed path = jQuery.isArray(path) ? path.join('/') : path; var qstr = jQuery.param(query || {}); fragment = fragment || ''; return path + (qstr.length > 0 ? '?' + qstr : '') + (fragment.length > 0 ? '#' + fragment : ''); }; /** * Follows a path of keys deep into an object hierarchy and set a value. * If a key does not exist or it's value is not an object, create an * object in it's place. This can be destructive to a object tree if * leaf nodes are given as non-final path keys. * Used to avoid exceptions from missing parts of the path. * * @param object the starting object. * @param keys an array of string keys. * @param value the value to set. */ util.setPath = function (object, keys, value) { // need to start at an object if (typeof object === 'object' && object !== null) { var i = 0; var len = keys.length; while (i < len) { var next = keys[i++]; if (i == len) { // last object[next] = value; } else { // more var hasNext = next in object; if (!hasNext || hasNext && typeof object[next] !== 'object' || hasNext && object[next] === null) { object[next] = {}; } object = object[next]; } } } }; /** * Follows a path of keys deep into an object hierarchy and return a value. * If a key does not exist, create an object in it's place. * Used to avoid exceptions from missing parts of the path. * * @param object the starting object. * @param keys an array of string keys. * @param _default value to return if path not found. * * @return the value at the path if found, else default if given, else * undefined. */ util.getPath = function (object, keys, _default) { var i = 0; var len = keys.length; var hasNext = true; while (hasNext && i < len && typeof object === 'object' && object !== null) { var next = keys[i++]; hasNext = next in object; if (hasNext) { object = object[next]; } } return hasNext ? object : _default; }; /** * Follow a path of keys deep into an object hierarchy and delete the * last one. If a key does not exist, do nothing. * Used to avoid exceptions from missing parts of the path. * * @param object the starting object. * @param keys an array of string keys. */ util.deletePath = function (object, keys) { // need to start at an object if (typeof object === 'object' && object !== null) { var i = 0; var len = keys.length; while (i < len) { var next = keys[i++]; if (i == len) { // last delete object[next]; } else { // more if (!(next in object) || typeof object[next] !== 'object' || object[next] === null) { break; } object = object[next]; } } } }; /** * Check if an object is empty. * * Taken from: * http://stackoverflow.com/questions/679915/how-do-i-test-for-an-empty-javascript-object-from-json/679937#679937 * * @param object the object to check. */ util.isEmpty = function (obj) { for (var prop in obj) { if (obj.hasOwnProperty(prop)) { return false; } } return true; }; /** * Format with simple printf-style interpolation. * * %%: literal '%' * %s,%o: convert next argument into a string. * * @param format the string to format. * @param ... arguments to interpolate into the format string. */ util.format = function (format) { var re = /%./g; // current match var match; // current part var part; // current arg index var argi = 0; // collected parts to recombine later var parts = []; // last index found var last = 0; // loop while matches remain while (match = re.exec(format)) { part = format.substring(last, re.lastIndex - 2); // don't add empty strings (ie, parts between %s%s) if (part.length > 0) { parts.push(part); } last = re.lastIndex; // switch on % code var code = match[0][1]; switch (code) { case 's': case 'o': // check if enough arguments were given if (argi < arguments.length) { parts.push(arguments[argi++ + 1]); } else { parts.push(''); } break; // FIXME: do proper formating for numbers, etc //case 'f': //case 'd': case '%': parts.push('%'); break; default: parts.push('<%' + code + '?>'); } } // add trailing part of format string parts.push(format.substring(last)); return parts.join(''); }; /** * Formats a number. * * http://snipplr.com/view/5945/javascript-numberformat--ported-from-php/ */ util.formatNumber = function (number, decimals, dec_point, thousands_sep) { // http://kevin.vanzonneveld.net // + original by: Jonas Raoni Soares Silva (http://www.jsfromhell.com) // + improved by: Kevin van Zonneveld (http://kevin.vanzonneveld.net) // + bugfix by: Michael White (http://crestidg.com) // + bugfix by: Benjamin Lupton // + bugfix by: Allan Jensen (http://www.winternet.no) // + revised by: Jonas Raoni Soares Silva (http://www.jsfromhell.com) // * example 1: number_format(1234.5678, 2, '.', ''); // * returns 1: 1234.57 var n = number, c = isNaN(decimals = Math.abs(decimals)) ? 2 : decimals; var d = dec_point === undefined ? ',' : dec_point; var t = thousands_sep === undefined ? '.' : thousands_sep, s = n < 0 ? '-' : ''; var i = parseInt(n = Math.abs(+n || 0).toFixed(c), 10) + ''; var j = i.length > 3 ? i.length % 3 : 0; return s + (j ? i.substr(0, j) + t : '') + i.substr(j).replace(/(\d{3})(?=\d)/g, '$1' + t) + (c ? d + Math.abs(n - i).toFixed(c).slice(2) : ''); }; /** * Formats a byte size. * * http://snipplr.com/view/5949/format-humanize-file-byte-size-presentation-in-javascript/ */ util.formatSize = function (size) { if (size >= 1073741824) { size = util.formatNumber(size / 1073741824, 2, '.', '') + ' GiB'; } else if (size >= 1048576) { size = util.formatNumber(size / 1048576, 2, '.', '') + ' MiB'; } else if (size >= 1024) { size = util.formatNumber(size / 1024, 0) + ' KiB'; } else { size = util.formatNumber(size, 0) + ' bytes'; } return size; }; /** * Converts an IPv4 or IPv6 string representation into bytes (in network order). * * @param ip the IPv4 or IPv6 address to convert. * * @return the 4-byte IPv6 or 16-byte IPv6 address or null if the address can't * be parsed. */ util.bytesFromIP = function (ip) { if (ip.indexOf('.') !== -1) { return util.bytesFromIPv4(ip); } if (ip.indexOf(':') !== -1) { return util.bytesFromIPv6(ip); } return null; }; /** * Converts an IPv4 string representation into bytes (in network order). * * @param ip the IPv4 address to convert. * * @return the 4-byte address or null if the address can't be parsed. */ util.bytesFromIPv4 = function (ip) { ip = ip.split('.'); if (ip.length !== 4) { return null; } var b = util.createBuffer(); for (var i = 0; i < ip.length; ++i) { var num = parseInt(ip[i], 10); if (isNaN(num)) { return null; } b.putByte(num); } return b.getBytes(); }; /** * Converts an IPv6 string representation into bytes (in network order). * * @param ip the IPv6 address to convert. * * @return the 16-byte address or null if the address can't be parsed. */ util.bytesFromIPv6 = function (ip) { var blanks = 0; ip = ip.split(':').filter(function (e) { if (e.length === 0) ++blanks; return true; }); var zeros = (8 - ip.length + blanks) * 2; var b = util.createBuffer(); for (var i = 0; i < 8; ++i) { if (!ip[i] || ip[i].length === 0) { b.fillWithByte(0, zeros); zeros = 0; continue; } var bytes = util.hexToBytes(ip[i]); if (bytes.length < 2) { b.putByte(0); } b.putBytes(bytes); } return b.getBytes(); }; /** * Converts 4-bytes into an IPv4 string representation or 16-bytes into * an IPv6 string representation. The bytes must be in network order. * * @param bytes the bytes to convert. * * @return the IPv4 or IPv6 string representation if 4 or 16 bytes, * respectively, are given, otherwise null. */ util.bytesToIP = function (bytes) { if (bytes.length === 4) { return util.bytesToIPv4(bytes); } if (bytes.length === 16) { return util.bytesToIPv6(bytes); } return null; }; /** * Converts 4-bytes into an IPv4 string representation. The bytes must be * in network order. * * @param bytes the bytes to convert. * * @return the IPv4 string representation or null for an invalid # of bytes. */ util.bytesToIPv4 = function (bytes) { if (bytes.length !== 4) { return null; } var ip = []; for (var i = 0; i < bytes.length; ++i) { ip.push(bytes.charCodeAt(i)); } return ip.join('.'); }; /** * Converts 16-bytes into an IPv16 string representation. The bytes must be * in network order. * * @param bytes the bytes to convert. * * @return the IPv16 string representation or null for an invalid # of bytes. */ util.bytesToIPv6 = function (bytes) { if (bytes.length !== 16) { return null; } var ip = []; var zeroGroups = []; var zeroMaxGroup = 0; for (var i = 0; i < bytes.length; i += 2) { var hex = util.bytesToHex(bytes[i] + bytes[i + 1]); // canonicalize zero representation while (hex[0] === '0' && hex !== '0') { hex = hex.substr(1); } if (hex === '0') { var last = zeroGroups[zeroGroups.length - 1]; var idx = ip.length; if (!last || idx !== last.end + 1) { zeroGroups.push({ start: idx, end: idx }); } else { last.end = idx; if (last.end - last.start > zeroGroups[zeroMaxGroup].end - zeroGroups[zeroMaxGroup].start) { zeroMaxGroup = zeroGroups.length - 1; } } } ip.push(hex); } if (zeroGroups.length > 0) { var group = zeroGroups[zeroMaxGroup]; // only shorten group of length > 0 if (group.end - group.start > 0) { ip.splice(group.start, group.end - group.start + 1, ''); if (group.start === 0) { ip.unshift(''); } if (group.end === 7) { ip.push(''); } } } return ip.join(':'); }; /** * Estimates the number of processes that can be run concurrently. If * creating Web Workers, keep in mind that the main JavaScript process needs * its own core. * * @param options the options to use: * update true to force an update (not use the cached value). * @param callback(err, max) called once the operation completes. */ util.estimateCores = function (options, callback) { if (typeof options === 'function') { callback = options; options = {}; } options = options || {}; if ('cores' in util && !options.update) { return callback(null, util.cores); } if (typeof navigator !== 'undefined' && 'hardwareConcurrency' in navigator && navigator.hardwareConcurrency > 0) { util.cores = navigator.hardwareConcurrency; return callback(null, util.cores); } if (typeof Worker === 'undefined') { // workers not available util.cores = 1; return callback(null, util.cores); } if (typeof Blob === 'undefined') { // can't estimate, default to 2 util.cores = 2; return callback(null, util.cores); } // create worker concurrency estimation code as blob var blobUrl = URL.createObjectURL(new Blob(['(', function () { self.addEventListener('message', function (e) { // run worker for 4 ms var st = Date.now(); var et = st + 4; while (Date.now() < et); self.postMessage({ st: st, et: et }); }); }.toString(), ')()'], { type: 'application/javascript' })); // take 5 samples using 16 workers sample([], 5, 16); function sample(max, samples, numWorkers) { if (samples === 0) { // get overlap average var avg = Math.floor(max.reduce(function (avg, x) { return avg + x; }, 0) / max.length); util.cores = Math.max(1, avg); URL.revokeObjectURL(blobUrl); return callback(null, util.cores); } map(numWorkers, function (err, results) { max.push(reduce(numWorkers, results)); sample(max, samples - 1, numWorkers); }); } function map(numWorkers, callback) { var workers = []; var results = []; for (var i = 0; i < numWorkers; ++i) { var worker = new Worker(blobUrl); worker.addEventListener('message', function (e) { results.push(e.data); if (results.length === numWorkers) { for (var i = 0; i < numWorkers; ++i) { workers[i].terminate(); } callback(null, results); } }); workers.push(worker); } for (var i = 0; i < numWorkers; ++i) { workers[i].postMessage(i); } } function reduce(numWorkers, results) { // find overlapping time windows var overlaps = []; for (var n = 0; n < numWorkers; ++n) { var r1 = results[n]; var overlap = overlaps[n] = []; for (var i = 0; i < numWorkers; ++i) { if (n === i) { continue; } var r2 = results[i]; if (r1.st > r2.st && r1.st < r2.et || r2.st > r1.st && r2.st < r1.et) { overlap.push(i); } } } // get maximum overlaps ... don't include overlapping worker itself // as the main JS process was also being scheduled during the work and // would have to be subtracted from the estimate anyway return overlaps.reduce(function (max, overlap) { return Math.max(max, overlap.length); }, 0); } }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(28).setImmediate, __webpack_require__(0).Buffer)) /***/ }), /* 10 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var g; // This works in non-strict mode g = function () { return this; }(); try { // This works if eval is allowed (see CSP) g = g || new Function("return this")(); } catch (e) { // This works if the window reference is available if (typeof window === "object") g = window; } // g can still be undefined, but nothing to do about it... // We return undefined, instead of nothing here, so it's // easier to handle this case. if(!global) { ...} module.exports = g; /***/ }), /* 11 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { var once = __webpack_require__(16); var eos = __webpack_require__(174); var fs = __webpack_require__(376); // we only need fs to get the ReadStream and WriteStream prototypes var noop = function noop() {}; var ancient = /^v?\.0/.test(process.version); var isFn = function isFn(fn) { return typeof fn === 'function'; }; var isFS = function isFS(stream) { if (!ancient) return false; // newer node version do not need to care about fs is a special way if (!fs) return false; // browser return (stream instanceof (fs.ReadStream || noop) || stream instanceof (fs.WriteStream || noop)) && isFn(stream.close); }; var isRequest = function isRequest(stream) { return stream.setHeader && isFn(stream.abort); }; var destroyer = function destroyer(stream, reading, writing, callback) { callback = once(callback); var closed = false; stream.on('close', function () { closed = true; }); eos(stream, { readable: reading, writable: writing }, function (err) { if (err) return callback(err); closed = true; callback(); }); var destroyed = false; return function (err) { if (closed) return; if (destroyed) return; destroyed = true; if (isFS(stream)) return stream.close(noop); // use close for fs streams to avoid fd leaks if (isRequest(stream)) return stream.abort(); // request.destroy just do .end - .abort is what we want if (isFn(stream.destroy)) return stream.destroy(); callback(err || new Error('stream was destroyed')); }; }; var call = function call(fn) { fn(); }; var pipe = function pipe(from, to) { return from.pipe(to); }; var pump = function pump() { var streams = Array.prototype.slice.call(arguments); var callback = isFn(streams[streams.length - 1] || noop) && streams.pop() || noop; if (Array.isArray(streams[0])) streams = streams[0]; if (streams.length < 2) throw new Error('pump requires two streams per minimum'); var error; var destroys = streams.map(function (stream, i) { var reading = i < streams.length - 1; var writing = i > 0; return destroyer(stream, reading, writing, function (err) { if (!error) error = err; if (err) destroys.forEach(call); if (reading) return; destroys.forEach(call); callback(error); }); }); return streams.reduce(pipe); }; module.exports = pump; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 12 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = { encode: __webpack_require__(206), decode: __webpack_require__(207), encodingLength: __webpack_require__(208) }; /***/ }), /* 13 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const base58 = __webpack_require__(20); const multihash = __webpack_require__(14); const multibase = __webpack_require__(47); const Multiaddr = __webpack_require__(15); const mafmt = __webpack_require__(221); const CID = __webpack_require__(5); const urlPattern = /^https?:\/\/[^/]+\/(ip(f|n)s)\/((\w+).*)/; const pathPattern = /^\/(ip(f|n)s)\/((\w+).*)/; const defaultProtocolMatch = 1; const defaultHashMath = 4; const fqdnPattern = /^https?:\/\/([^/]+)\.(ip(?:f|n)s)\.[^/]+/; const fqdnHashMatch = 1; const fqdnProtocolMatch = 2; function isMultihash(hash) { const formatted = convertToString(hash); try { const buffer = Buffer.from(base58.decode(formatted)); multihash.decode(buffer); return true; } catch (e) { return false; } } function isMultibase(hash) { try { return multibase.isEncoded(hash); } catch (e) { return false; } } function isCID(hash) { try { new CID(hash); // eslint-disable-line no-new return true; } catch (e) { return false; } } function isMultiaddr(input) { if (!input) return false; if (Multiaddr.isMultiaddr(input)) return true; try { new Multiaddr(input); // eslint-disable-line no-new return true; } catch (e) { return false; } } function isPeerMultiaddr(input) { return isMultiaddr(input) && mafmt.IPFS.matches(input); } function isIpfs(input, pattern) { let protocolMatch = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : defaultProtocolMatch; let hashMatch = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : defaultHashMath; const formatted = convertToString(input); if (!formatted) { return false; } const match = formatted.match(pattern); if (!match) { return false; } if (match[protocolMatch] !== 'ipfs') { return false; } let hash = match[hashMatch]; if (hash && pattern === fqdnPattern) { // when doing checks for subdomain context // ensure hash is case-insensitive // (browsers force-lowercase authority compotent anyway) hash = hash.toLowerCase(); } return isCID(hash); } function isIpns(input, pattern) { let protocolMatch = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : defaultProtocolMatch; let hashMatch = arguments.length > 3 ? arguments[3] : undefined; const formatted = convertToString(input); if (!formatted) { return false; } const match = formatted.match(pattern); if (!match) { return false; } if (match[protocolMatch] !== 'ipns') { return false; } if (hashMatch && pattern === fqdnPattern) { let hash = match[hashMatch]; // when doing checks for subdomain context // ensure hash is case-insensitive // (browsers force-lowercase authority compotent anyway) hash = hash.toLowerCase(); return isCID(hash); } return true; } function isString(input) { return typeof input === 'string'; } function convertToString(input) { if (Buffer.isBuffer(input)) { return base58.encode(input); } if (isString(input)) { return input; } return false; } const ipfsSubdomain = url => isIpfs(url, fqdnPattern, fqdnProtocolMatch, fqdnHashMatch); const ipnsSubdomain = url => isIpns(url, fqdnPattern, fqdnProtocolMatch, fqdnHashMatch); module.exports = { multihash: isMultihash, multiaddr: isMultiaddr, peerMultiaddr: isPeerMultiaddr, cid: isCID, base32cid: cid => isMultibase(cid) === 'base32' && isCID(cid), ipfsSubdomain: ipfsSubdomain, ipnsSubdomain: ipnsSubdomain, subdomain: url => ipfsSubdomain(url) || ipnsSubdomain(url), subdomainPattern: fqdnPattern, ipfsUrl: url => isIpfs(url, urlPattern), ipnsUrl: url => isIpns(url, urlPattern), url: _url => isIpfs(_url, urlPattern) || isIpns(_url, urlPattern), urlPattern: urlPattern, ipfsPath: path => isIpfs(path, pathPattern), ipnsPath: path => isIpns(path, pathPattern), path: _path => isIpfs(_path, pathPattern) || isIpns(_path, pathPattern), pathPattern: pathPattern, urlOrPath: x => isIpfs(x, urlPattern) || isIpns(x, urlPattern) || isIpfs(x, pathPattern) || isIpns(x, pathPattern), cidPath: path => isString(path) && !isCID(path) && isIpfs("/ipfs/".concat(path), pathPattern) }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 14 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) {/** * Multihash implementation in JavaScript. * * @module multihash */ const bs58 = __webpack_require__(20); const cs = __webpack_require__(205); exports.names = cs.names; exports.codes = cs.codes; exports.defaultLengths = cs.defaultLengths; const varint = __webpack_require__(12); /** * Convert the given multihash to a hex encoded string. * * @param {Buffer} hash * @returns {string} */ exports.toHexString = function toHexString(hash) { if (!Buffer.isBuffer(hash)) { throw new Error('must be passed a buffer'); } return hash.toString('hex'); }; /** * Convert the given hex encoded string to a multihash. * * @param {string} hash * @returns {Buffer} */ exports.fromHexString = function fromHexString(hash) { return Buffer.from(hash, 'hex'); }; /** * Convert the given multihash to a base58 encoded string. * * @param {Buffer} hash * @returns {string} */ exports.toB58String = function toB58String(hash) { if (!Buffer.isBuffer(hash)) { throw new Error('must be passed a buffer'); } return bs58.encode(hash); }; /** * Convert the given base58 encoded string to a multihash. * * @param {string|Buffer} hash * @returns {Buffer} */ exports.fromB58String = function fromB58String(hash) { let encoded = hash; if (Buffer.isBuffer(hash)) { encoded = hash.toString(); } return Buffer.from(bs58.decode(encoded)); }; /** * Decode a hash from the given multihash. * * @param {Buffer} buf * @returns {{code: number, name: string, length: number, digest: Buffer}} result */ exports.decode = function decode(buf) { if (!Buffer.isBuffer(buf)) { throw new Error('multihash must be a Buffer'); } if (buf.length < 3) { throw new Error('multihash too short. must be > 3 bytes.'); } const code = varint.decode(buf); if (!exports.isValidCode(code)) { throw new Error("multihash unknown function code: 0x".concat(code.toString(16))); } buf = buf.slice(varint.decode.bytes); const len = varint.decode(buf); if (len < 1) { throw new Error("multihash invalid length: 0x".concat(len.toString(16))); } buf = buf.slice(varint.decode.bytes); if (buf.length !== len) { throw new Error("multihash length inconsistent: 0x".concat(buf.toString('hex'))); } return { code: code, name: cs.codes[code], length: len, digest: buf }; }; /** * Encode a hash digest along with the specified function code. * * > **Note:** the length is derived from the length of the digest itself. * * @param {Buffer} digest * @param {string|number} code * @param {number} [length] * @returns {Buffer} */ exports.encode = function encode(digest, code, length) { if (!digest || code === undefined) { throw new Error('multihash encode requires at least two args: digest, code'); } // ensure it's a hashfunction code. const hashfn = exports.coerceCode(code); if (!Buffer.isBuffer(digest)) { throw new Error('digest should be a Buffer'); } if (length == null) { length = digest.length; } if (length && digest.length !== length) { throw new Error('digest length should be equal to specified length.'); } return Buffer.concat([Buffer.from(varint.encode(hashfn)), Buffer.from(varint.encode(length)), digest]); }; /** * Converts a hash function name into the matching code. * If passed a number it will return the number if it's a valid code. * @param {string|number} name * @returns {number} */ exports.coerceCode = function coerceCode(name) { let code = name; if (typeof name === 'string') { if (cs.names[name] === undefined) { throw new Error("Unrecognized hash function named: ".concat(name)); } code = cs.names[name]; } if (typeof code !== 'number') { throw new Error("Hash function code should be a number. Got: ".concat(code)); } if (cs.codes[code] === undefined && !exports.isAppCode(code)) { throw new Error("Unrecognized function code: ".concat(code)); } return code; }; /** * Checks wether a code is part of the app range * * @param {number} code * @returns {boolean} */ exports.isAppCode = function appCode(code) { return code > 0 && code < 0x10; }; /** * Checks whether a multihash code is valid. * * @param {number} code * @returns {boolean} */ exports.isValidCode = function validCode(code) { if (exports.isAppCode(code)) { return true; } if (cs.codes[code]) { return true; } return false; }; /** * Check if the given buffer is a valid multihash. Throws an error if it is not valid. * * @param {Buffer} multihash * @returns {undefined} * @throws {Error} */ function validate(multihash) { exports.decode(multihash); // throws if bad. } exports.validate = validate; /** * Returns a prefix from a valid multihash. Throws an error if it is not valid. * * @param {Buffer} multihash * @returns {undefined} * @throws {Error} */ exports.prefix = function prefix(multihash) { validate(multihash); return multihash.slice(0, 2); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 15 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const codec = __webpack_require__(215); const protocols = __webpack_require__(66); const varint = __webpack_require__(12); const bs58 = __webpack_require__(20); const withIs = __webpack_require__(27); /** * Creates a [multiaddr](https://github.com/multiformats/multiaddr) from * a Buffer, String or another Multiaddr instance * public key. * @class Multiaddr * @param {(String|Buffer|Multiaddr)} addr - If String or Buffer, needs to adhere * to the address format of a [multiaddr](https://github.com/multiformats/multiaddr#string-format) * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001') * // */ const Multiaddr = withIs.proto(function (addr) { if (!(this instanceof Multiaddr)) { return new Multiaddr(addr); } // default if (addr == null) { addr = ''; } if (addr instanceof Buffer) { /** * @type {Buffer} - The raw bytes representing this multiaddress */ this.buffer = codec.fromBuffer(addr); } else if (typeof addr === 'string' || addr instanceof String) { if (addr.length > 0 && addr.charAt(0) !== '/') { throw new Error("multiaddr \"".concat(addr, "\" must start with a \"/\"")); } this.buffer = codec.fromString(addr); } else if (addr.buffer && addr.protos && addr.protoCodes) { // Multiaddr this.buffer = codec.fromBuffer(addr.buffer); // validate + copy buffer } else { throw new Error('addr must be a string, Buffer, or another Multiaddr'); } }, { className: 'Multiaddr', symbolName: '@multiformats/js-multiaddr/multiaddr' }); /** * Returns Multiaddr as a String * * @returns {String} * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').toString() * // '/ip4/127.0.0.1/tcp/4001' */ Multiaddr.prototype.toString = function toString() { return codec.bufferToString(this.buffer); }; /** * Returns Multiaddr as a JSON encoded object * * @returns {String} * @example * JSON.stringify(Multiaddr('/ip4/127.0.0.1/tcp/4001')) * // '/ip4/127.0.0.1/tcp/4001' */ Multiaddr.prototype.toJSON = Multiaddr.prototype.toString; /** * Returns Multiaddr as a convinient options object to be used with net.createConnection * * @returns {{family: String, host: String, transport: String, port: String}} * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').toOptions() * // { family: 'ipv4', host: '127.0.0.1', transport: 'tcp', port: '4001' } */ Multiaddr.prototype.toOptions = function toOptions() { const opts = {}; const parsed = this.toString().split('/'); opts.family = parsed[1] === 'ip4' ? 'ipv4' : 'ipv6'; opts.host = parsed[2]; opts.transport = parsed[3]; opts.port = parsed[4]; return opts; }; /** * Returns Multiaddr as a human-readable string * * @returns {String} * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').inspect() * // '' */ Multiaddr.prototype.inspect = function inspect() { return ''; }; /** * Returns the protocols the Multiaddr is defined with, as an array of objects, in * left-to-right order. Each object contains the protocol code, protocol name, * and the size of its address space in bits. * [See list of protocols](https://github.com/multiformats/multiaddr/blob/master/protocols.csv) * * @returns {Array.} protocols - All the protocols the address is composed of * @returns {Number} protocols[].code * @returns {Number} protocols[].size * @returns {String} protocols[].name * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').protos() * // [ { code: 4, size: 32, name: 'ip4' }, * // { code: 6, size: 16, name: 'tcp' } ] */ Multiaddr.prototype.protos = function protos() { return this.protoCodes().map(code => Object.assign({}, protocols(code))); }; /** * Returns the codes of the protocols in left-to-right order. * [See list of protocols](https://github.com/multiformats/multiaddr/blob/master/protocols.csv) * * @returns {Array.} protocol codes * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').protoCodes() * // [ 4, 6 ] */ Multiaddr.prototype.protoCodes = function protoCodes() { const codes = []; const buf = this.buffer; let i = 0; while (i < buf.length) { const code = varint.decode(buf, i); const n = varint.decode.bytes; const p = protocols(code); const size = codec.sizeForAddr(p, buf.slice(i + n)); i += size + n; codes.push(code); } return codes; }; /** * Returns the names of the protocols in left-to-right order. * [See list of protocols](https://github.com/multiformats/multiaddr/blob/master/protocols.csv) * * @return {Array.} protocol names * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').protoNames() * // [ 'ip4', 'tcp' ] */ Multiaddr.prototype.protoNames = function protoNames() { return this.protos().map(proto => proto.name); }; /** * Returns a tuple of parts * * @return {Array.} tuples * @return {Number} tuples[].0 code of protocol * @return {Buffer} tuples[].1 contents of address * @example * Multiaddr("/ip4/127.0.0.1/tcp/4001").tuples() * // [ [ 4, ], [ 6, ] ] */ Multiaddr.prototype.tuples = function tuples() { return codec.bufferToTuples(this.buffer); }; /** * Returns a tuple of string/number parts * * @return {Array.} tuples * @return {Number} tuples[].0 code of protocol * @return {(String|Number)} tuples[].1 contents of address * @example * Multiaddr("/ip4/127.0.0.1/tcp/4001").stringTuples() * // [ [ 4, '127.0.0.1' ], [ 6, 4001 ] ] */ Multiaddr.prototype.stringTuples = function stringTuples() { const t = codec.bufferToTuples(this.buffer); return codec.tuplesToStringTuples(t); }; /** * Encapsulates a Multiaddr in another Multiaddr * * @param {Multiaddr} addr - Multiaddr to add into this Multiaddr * @return {Multiaddr} * @example * const mh1 = Multiaddr('/ip4/8.8.8.8/tcp/1080') * // * * const mh2 = Multiaddr('/ip4/127.0.0.1/tcp/4001') * // * * const mh3 = mh1.encapsulate(mh2) * // * * mh3.toString() * // '/ip4/8.8.8.8/tcp/1080/ip4/127.0.0.1/tcp/4001' */ Multiaddr.prototype.encapsulate = function encapsulate(addr) { addr = Multiaddr(addr); return Multiaddr(this.toString() + addr.toString()); }; /** * Decapsulates a Multiaddr from another Multiaddr * * @param {Multiaddr} addr - Multiaddr to remove from this Multiaddr * @return {Multiaddr} * @example * const mh1 = Multiaddr('/ip4/8.8.8.8/tcp/1080') * // * * const mh2 = Multiaddr('/ip4/127.0.0.1/tcp/4001') * // * * const mh3 = mh1.encapsulate(mh2) * // * * mh3.decapsulate(mh2).toString() * // '/ip4/8.8.8.8/tcp/1080' */ Multiaddr.prototype.decapsulate = function decapsulate(addr) { addr = addr.toString(); const s = this.toString(); const i = s.lastIndexOf(addr); if (i < 0) { throw new Error('Address ' + this + ' does not contain subaddress: ' + addr); } return Multiaddr(s.slice(0, i)); }; /** * Extract the peerId if the multiaddr contains one * * @return {String|null} peerId - The id of the peer or null if invalid or missing from the ma * @example * const mh1 = Multiaddr('/ip4/8.8.8.8/tcp/1080/ipfs/QmValidBase58string') * // * * // should return QmValidBase58string or null if the id is missing or invalid * const peerId = mh1.getPeerId() */ Multiaddr.prototype.getPeerId = function getPeerId() { let b58str = null; try { b58str = this.stringTuples().filter(tuple => { if (tuple[0] === protocols.names.ipfs.code) { return true; } })[0][1]; bs58.decode(b58str); } catch (e) { b58str = null; } return b58str; }; /** * Extract the path if the multiaddr contains one * * @return {String|null} path - The path of the multiaddr, or null if no path protocol is present * @example * const mh1 = Multiaddr('/ip4/8.8.8.8/tcp/1080/unix/tmp/p2p.sock') * // * * // should return utf8 string or null if the id is missing or invalid * const path = mh1.getPath() */ Multiaddr.prototype.getPath = function getPath() { let path = null; try { path = this.stringTuples().filter(tuple => { const proto = protocols(tuple[0]); if (proto.path) { return true; } })[0][1]; } catch (e) { path = null; } return path; }; /** * Checks if two Multiaddrs are the same * * @param {Multiaddr} addr * @return {Bool} * @example * const mh1 = Multiaddr('/ip4/8.8.8.8/tcp/1080') * // * * const mh2 = Multiaddr('/ip4/127.0.0.1/tcp/4001') * // * * mh1.equals(mh1) * // true * * mh1.equals(mh2) * // false */ Multiaddr.prototype.equals = function equals(addr) { return this.buffer.equals(addr.buffer); }; /** * Gets a Multiaddrs node-friendly address object. Note that protocol information * is left out: in Node (and most network systems) the protocol is unknowable * given only the address. * * Has to be a ThinWaist Address, otherwise throws error * * @returns {{family: String, address: String, port: String}} * @throws {Error} Throws error if Multiaddr is not a Thin Waist address * @example * Multiaddr('/ip4/127.0.0.1/tcp/4001').nodeAddress() * // {family: 'IPv4', address: '127.0.0.1', port: '4001'} */ Multiaddr.prototype.nodeAddress = function nodeAddress() { const codes = this.protoCodes(); const names = this.protoNames(); const parts = this.toString().split('/').slice(1); if (parts.length < 4) { throw new Error('multiaddr must have a valid format: "/{ip4, ip6, dns4, dns6}/{address}/{tcp, udp}/{port}".'); } else if (codes[0] !== 4 && codes[0] !== 41 && codes[0] !== 54 && codes[0] !== 55) { throw new Error("no protocol with name: \"'".concat(names[0], "'\". Must have a valid family name: \"{ip4, ip6, dns4, dns6}\".")); } else if (parts[2] !== 'tcp' && parts[2] !== 'udp') { throw new Error("no protocol with name: \"'".concat(names[1], "'\". Must have a valid transport protocol: \"{tcp, udp}\".")); } return { family: codes[0] === 41 || codes[0] === 55 ? 6 : 4, address: parts[1], // ip addr port: parts[3] // tcp or udp port }; }; /** * Creates a Multiaddr from a node-friendly address object * * @param {String} addr * @param {String} transport * @returns {Multiaddr} multiaddr * @throws {Error} Throws error if addr is not truthy * @throws {Error} Throws error if transport is not truthy * @example * Multiaddr.fromNodeAddress({address: '127.0.0.1', port: '4001'}, 'tcp') * // */ Multiaddr.fromNodeAddress = function fromNodeAddress(addr, transport) { if (!addr) throw new Error('requires node address object'); if (!transport) throw new Error('requires transport protocol'); const ip = addr.family === 'IPv6' ? 'ip6' : 'ip4'; return Multiaddr('/' + [ip, addr.address, transport, addr.port].join('/')); }; // TODO find a better example, not sure about it's good enough /** * Returns if a Multiaddr is a Thin Waist address or not. * * Thin Waist is if a Multiaddr adheres to the standard combination of: * * `{IPv4, IPv6}/{TCP, UDP}` * * @param {Multiaddr} [addr] - Defaults to using `this` instance * @returns {Boolean} isThinWaistAddress * @example * const mh1 = Multiaddr('/ip4/127.0.0.1/tcp/4001') * // * const mh2 = Multiaddr('/ip4/192.168.2.1/tcp/5001') * // * const mh3 = mh1.encapsulate(mh2) * // * mh1.isThinWaistAddress() * // true * mh2.isThinWaistAddress() * // true * mh3.isThinWaistAddress() * // false */ Multiaddr.prototype.isThinWaistAddress = function isThinWaistAddress(addr) { const protos = (addr || this).protos(); if (protos.length !== 2) { return false; } if (protos[0].code !== 4 && protos[0].code !== 41) { return false; } if (protos[1].code !== 6 && protos[1].code !== 273) { return false; } return true; }; /** * Object containing table, names and codes of all supported protocols. * To get the protocol values from a Multiaddr, you can use * [`.protos()`](#multiaddrprotos), * [`.protoCodes()`](#multiaddrprotocodes) or * [`.protoNames()`](#multiaddrprotonames) * * @instance * @returns {{table: Array, names: Object, codes: Object}} * */ Multiaddr.protocols = protocols; /** * Returns if something is a Multiaddr that is a name * * @param {Multiaddr} addr * @return {Bool} isName */ Multiaddr.isName = function isName(addr) { if (!Multiaddr.isMultiaddr(addr)) { return false; } // if a part of the multiaddr is resolvable, then return true return addr.protos().some(proto => proto.resolvable); }; /** * Returns an array of multiaddrs, by resolving the multiaddr that is a name * * @param {Multiaddr} addr * * @param {Function} callback * @return {Bool} isName */ Multiaddr.resolve = function resolve(addr, callback) { if (!Multiaddr.isMultiaddr(addr) || !Multiaddr.isName(addr)) { return callback(new Error('not a valid name')); } /* * Needs more consideration from spec design: * - what to return * - how to achieve it in the browser? */ return callback(new Error('not implemented yet')); }; exports = module.exports = Multiaddr; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 16 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var wrappy = __webpack_require__(326); module.exports = wrappy(once); module.exports.strict = wrappy(onceStrict); once.proto = once(function () { Object.defineProperty(Function.prototype, 'once', { value: function value() { return once(this); }, configurable: true }); Object.defineProperty(Function.prototype, 'onceStrict', { value: function value() { return onceStrict(this); }, configurable: true }); }); function once(fn) { var f = function f() { if (f.called) return f.value; f.called = true; return f.value = fn.apply(this, arguments); }; f.called = false; return f; } function onceStrict(fn) { var f = function f() { if (f.called) throw new Error(f.onceError); f.called = true; return f.value = fn.apply(this, arguments); }; var name = fn.name || 'Function wrapped with `once`'; f.onceError = name + " shouldn't be called more than once"; f.called = false; return f; } /***/ }), /* 17 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const CID = __webpack_require__(5); module.exports = function (cid) { if (Buffer.isBuffer(cid)) { return new CID(cid).toString(); } if (CID.isCID(cid)) { return cid.toString(); } if (typeof cid !== 'string') { throw new Error('unexpected cid type: ' + typeof cid); } new CID(cid.split('/')[0]); // eslint-disable-line no-new return cid; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 18 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { var pull = __webpack_require__(57); var looper = __webpack_require__(366); function destroy(stream) { if (!stream.destroy) console.error('warning, stream-to-pull-stream: \n' + 'the wrapped node-stream does not implement `destroy`, \n' + 'this may cause resource leaks.');else stream.destroy(); } function write(read, stream, cb) { var ended, closed = false, did; function done() { if (did) return; did = true; cb && cb(ended === true ? null : ended); } function onClose() { if (closed) return; closed = true; cleanup(); if (!ended) read(ended = true, done);else done(); } function onError(err) { cleanup(); if (!ended) read(ended = err, done); } function cleanup() { stream.on('finish', onClose); stream.removeListener('close', onClose); stream.removeListener('error', onError); } stream.on('close', onClose); stream.on('finish', onClose); stream.on('error', onError); process.nextTick(function () { looper(function (next) { read(null, function (end, data) { ended = ended || end; //you can't "end" a stdout stream, so this needs to be handled specially. if (end === true) return stream._isStdio ? done() : stream.end(); if (ended = ended || end) { destroy(stream); return done(ended); } //I noticed a problem streaming to the terminal: //sometimes the end got cut off, creating invalid output. //it seems that stdout always emits "drain" when it ends. //so this seems to work, but i have been unable to reproduce this test //automatically, so you need to run ./test/stdout.js a few times and the end is valid json. if (stream._isStdio) stream.write(data, function () { next(); });else { var pause = stream.write(data); if (pause === false) stream.once('drain', next);else next(); } }); }); }); } function first(emitter, events, handler) { function listener(val) { events.forEach(function (e) { emitter.removeListener(e, listener); }); handler(val); } events.forEach(function (e) { emitter.on(e, listener); }); return emitter; } function read2(stream) { var ended = false, waiting = false; var _cb; function read() { var data = stream.read(); if (data !== null && _cb) { var cb = _cb; _cb = null; cb(null, data); } } stream.on('readable', function () { waiting = true; _cb && read(); }).on('end', function () { ended = true; _cb && _cb(ended); }).on('error', function (err) { ended = err; _cb && _cb(ended); }); return function (end, cb) { _cb = cb; if (ended) cb(ended);else if (waiting) read(); }; } function read1(stream) { var buffer = [], cbs = [], ended, paused = false; var draining; function drain() { while ((buffer.length || ended) && cbs.length) cbs.shift()(buffer.length ? null : ended, buffer.shift()); if (!buffer.length && paused) { paused = false; stream.resume(); } } stream.on('data', function (data) { buffer.push(data); drain(); if (buffer.length && stream.pause) { paused = true; stream.pause(); } }); stream.on('end', function () { ended = true; drain(); }); stream.on('close', function () { ended = true; drain(); }); stream.on('error', function (err) { ended = err; drain(); }); return function (abort, cb) { if (!cb) throw new Error('*must* provide cb'); if (abort) { function onAbort() { while (cbs.length) cbs.shift()(abort); cb(abort); } //if the stream happens to have already ended, then we don't need to abort. if (ended) return onAbort(); stream.once('close', onAbort); destroy(stream); } else { cbs.push(cb); drain(); } }; } var read = read1; var sink = function sink(stream, cb) { return function (read) { return write(read, stream, cb); }; }; var source = function source(stream) { return read1(stream); }; exports = module.exports = function (stream, cb) { return stream.writable && stream.write ? stream.readable ? function (_read) { write(_read, stream, cb); return read1(stream); } : sink(stream, cb) : source(stream); }; exports.sink = sink; exports.source = source; exports.read = read; exports.read1 = read1; exports.read2 = read2; exports.duplex = function (stream, cb) { return { source: source(stream), sink: sink(stream, cb) }; }; exports.transform = function (stream) { return function (read) { var _source = source(stream); sink(stream)(read); return _source; }; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 19 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var __WEBPACK_AMD_DEFINE_RESULT__; ; (function (globalObject) { 'use strict'; /* * bignumber.js v9.0.0 * A JavaScript library for arbitrary-precision arithmetic. * https://github.com/MikeMcl/bignumber.js * Copyright (c) 2019 Michael Mclaughlin * MIT Licensed. * * BigNumber.prototype methods | BigNumber methods * | * absoluteValue abs | clone * comparedTo | config set * decimalPlaces dp | DECIMAL_PLACES * dividedBy div | ROUNDING_MODE * dividedToIntegerBy idiv | EXPONENTIAL_AT * exponentiatedBy pow | RANGE * integerValue | CRYPTO * isEqualTo eq | MODULO_MODE * isFinite | POW_PRECISION * isGreaterThan gt | FORMAT * isGreaterThanOrEqualTo gte | ALPHABET * isInteger | isBigNumber * isLessThan lt | maximum max * isLessThanOrEqualTo lte | minimum min * isNaN | random * isNegative | sum * isPositive | * isZero | * minus | * modulo mod | * multipliedBy times | * negated | * plus | * precision sd | * shiftedBy | * squareRoot sqrt | * toExponential | * toFixed | * toFormat | * toFraction | * toJSON | * toNumber | * toPrecision | * toString | * valueOf | * */ var BigNumber, isNumeric = /^-?(?:\d+(?:\.\d*)?|\.\d+)(?:e[+-]?\d+)?$/i, mathceil = Math.ceil, mathfloor = Math.floor, bignumberError = '[BigNumber Error] ', tooManyDigits = bignumberError + 'Number primitive has more than 15 significant digits: ', BASE = 1e14, LOG_BASE = 14, MAX_SAFE_INTEGER = 0x1fffffffffffff, // 2^53 - 1 // MAX_INT32 = 0x7fffffff, // 2^31 - 1 POWS_TEN = [1, 10, 100, 1e3, 1e4, 1e5, 1e6, 1e7, 1e8, 1e9, 1e10, 1e11, 1e12, 1e13], SQRT_BASE = 1e7, // EDITABLE // The limit on the value of DECIMAL_PLACES, TO_EXP_NEG, TO_EXP_POS, MIN_EXP, MAX_EXP, and // the arguments to toExponential, toFixed, toFormat, and toPrecision. MAX = 1E9; // 0 to MAX_INT32 /* * Create and return a BigNumber constructor. */ function clone(configObject) { var div, convertBase, parseNumeric, P = BigNumber.prototype = { constructor: BigNumber, toString: null, valueOf: null }, ONE = new BigNumber(1), //----------------------------- EDITABLE CONFIG DEFAULTS ------------------------------- // The default values below must be integers within the inclusive ranges stated. // The values can also be changed at run-time using BigNumber.set. // The maximum number of decimal places for operations involving division. DECIMAL_PLACES = 20, // 0 to MAX // The rounding mode used when rounding to the above decimal places, and when using // toExponential, toFixed, toFormat and toPrecision, and round (default value). // UP 0 Away from zero. // DOWN 1 Towards zero. // CEIL 2 Towards +Infinity. // FLOOR 3 Towards -Infinity. // HALF_UP 4 Towards nearest neighbour. If equidistant, up. // HALF_DOWN 5 Towards nearest neighbour. If equidistant, down. // HALF_EVEN 6 Towards nearest neighbour. If equidistant, towards even neighbour. // HALF_CEIL 7 Towards nearest neighbour. If equidistant, towards +Infinity. // HALF_FLOOR 8 Towards nearest neighbour. If equidistant, towards -Infinity. ROUNDING_MODE = 4, // 0 to 8 // EXPONENTIAL_AT : [TO_EXP_NEG , TO_EXP_POS] // The exponent value at and beneath which toString returns exponential notation. // Number type: -7 TO_EXP_NEG = -7, // 0 to -MAX // The exponent value at and above which toString returns exponential notation. // Number type: 21 TO_EXP_POS = 21, // 0 to MAX // RANGE : [MIN_EXP, MAX_EXP] // The minimum exponent value, beneath which underflow to zero occurs. // Number type: -324 (5e-324) MIN_EXP = -1e7, // -1 to -MAX // The maximum exponent value, above which overflow to Infinity occurs. // Number type: 308 (1.7976931348623157e+308) // For MAX_EXP > 1e7, e.g. new BigNumber('1e100000000').plus(1) may be slow. MAX_EXP = 1e7, // 1 to MAX // Whether to use cryptographically-secure random number generation, if available. CRYPTO = false, // true or false // The modulo mode used when calculating the modulus: a mod n. // The quotient (q = a / n) is calculated according to the corresponding rounding mode. // The remainder (r) is calculated as: r = a - n * q. // // UP 0 The remainder is positive if the dividend is negative, else is negative. // DOWN 1 The remainder has the same sign as the dividend. // This modulo mode is commonly known as 'truncated division' and is // equivalent to (a % n) in JavaScript. // FLOOR 3 The remainder has the same sign as the divisor (Python %). // HALF_EVEN 6 This modulo mode implements the IEEE 754 remainder function. // EUCLID 9 Euclidian division. q = sign(n) * floor(a / abs(n)). // The remainder is always positive. // // The truncated division, floored division, Euclidian division and IEEE 754 remainder // modes are commonly used for the modulus operation. // Although the other rounding modes can also be used, they may not give useful results. MODULO_MODE = 1, // 0 to 9 // The maximum number of significant digits of the result of the exponentiatedBy operation. // If POW_PRECISION is 0, there will be unlimited significant digits. POW_PRECISION = 0, // 0 to MAX // The format specification used by the BigNumber.prototype.toFormat method. FORMAT = { prefix: '', groupSize: 3, secondaryGroupSize: 0, groupSeparator: ',', decimalSeparator: '.', fractionGroupSize: 0, fractionGroupSeparator: '\xA0', // non-breaking space suffix: '' }, // The alphabet used for base conversion. It must be at least 2 characters long, with no '+', // '-', '.', whitespace, or repeated character. // '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ$_' ALPHABET = '0123456789abcdefghijklmnopqrstuvwxyz'; //------------------------------------------------------------------------------------------ // CONSTRUCTOR /* * The BigNumber constructor and exported function. * Create and return a new instance of a BigNumber object. * * v {number|string|BigNumber} A numeric value. * [b] {number} The base of v. Integer, 2 to ALPHABET.length inclusive. */ function BigNumber(v, b) { var alphabet, c, caseChanged, e, i, isNum, len, str, x = this; // Enable constructor call without `new`. if (!(x instanceof BigNumber)) return new BigNumber(v, b); if (b == null) { if (v && v._isBigNumber === true) { x.s = v.s; if (!v.c || v.e > MAX_EXP) { x.c = x.e = null; } else if (v.e < MIN_EXP) { x.c = [x.e = 0]; } else { x.e = v.e; x.c = v.c.slice(); } return; } if ((isNum = typeof v == 'number') && v * 0 == 0) { // Use `1 / n` to handle minus zero also. x.s = 1 / v < 0 ? (v = -v, -1) : 1; // Fast path for integers, where n < 2147483648 (2**31). if (v === ~~v) { for (e = 0, i = v; i >= 10; i /= 10, e++); if (e > MAX_EXP) { x.c = x.e = null; } else { x.e = e; x.c = [v]; } return; } str = String(v); } else { if (!isNumeric.test(str = String(v))) return parseNumeric(x, str, isNum); x.s = str.charCodeAt(0) == 45 ? (str = str.slice(1), -1) : 1; } // Decimal point? if ((e = str.indexOf('.')) > -1) str = str.replace('.', ''); // Exponential form? if ((i = str.search(/e/i)) > 0) { // Determine exponent. if (e < 0) e = i; e += +str.slice(i + 1); str = str.substring(0, i); } else if (e < 0) { // Integer. e = str.length; } } else { // '[BigNumber Error] Base {not a primitive number|not an integer|out of range}: {b}' intCheck(b, 2, ALPHABET.length, 'Base'); // Allow exponential notation to be used with base 10 argument, while // also rounding to DECIMAL_PLACES as with other bases. if (b == 10) { x = new BigNumber(v); return round(x, DECIMAL_PLACES + x.e + 1, ROUNDING_MODE); } str = String(v); if (isNum = typeof v == 'number') { // Avoid potential interpretation of Infinity and NaN as base 44+ values. if (v * 0 != 0) return parseNumeric(x, str, isNum, b); x.s = 1 / v < 0 ? (str = str.slice(1), -1) : 1; // '[BigNumber Error] Number primitive has more than 15 significant digits: {n}' if (BigNumber.DEBUG && str.replace(/^0\.0*|\./, '').length > 15) { throw Error(tooManyDigits + v); } } else { x.s = str.charCodeAt(0) === 45 ? (str = str.slice(1), -1) : 1; } alphabet = ALPHABET.slice(0, b); e = i = 0; // Check that str is a valid base b number. // Don't use RegExp, so alphabet can contain special characters. for (len = str.length; i < len; i++) { if (alphabet.indexOf(c = str.charAt(i)) < 0) { if (c == '.') { // If '.' is not the first character and it has not be found before. if (i > e) { e = len; continue; } } else if (!caseChanged) { // Allow e.g. hexadecimal 'FF' as well as 'ff'. if (str == str.toUpperCase() && (str = str.toLowerCase()) || str == str.toLowerCase() && (str = str.toUpperCase())) { caseChanged = true; i = -1; e = 0; continue; } } return parseNumeric(x, String(v), isNum, b); } } // Prevent later check for length on converted number. isNum = false; str = convertBase(str, b, 10, x.s); // Decimal point? if ((e = str.indexOf('.')) > -1) str = str.replace('.', '');else e = str.length; } // Determine leading zeros. for (i = 0; str.charCodeAt(i) === 48; i++); // Determine trailing zeros. for (len = str.length; str.charCodeAt(--len) === 48;); if (str = str.slice(i, ++len)) { len -= i; // '[BigNumber Error] Number primitive has more than 15 significant digits: {n}' if (isNum && BigNumber.DEBUG && len > 15 && (v > MAX_SAFE_INTEGER || v !== mathfloor(v))) { throw Error(tooManyDigits + x.s * v); } // Overflow? if ((e = e - i - 1) > MAX_EXP) { // Infinity. x.c = x.e = null; // Underflow? } else if (e < MIN_EXP) { // Zero. x.c = [x.e = 0]; } else { x.e = e; x.c = []; // Transform base // e is the base 10 exponent. // i is where to slice str to get the first element of the coefficient array. i = (e + 1) % LOG_BASE; if (e < 0) i += LOG_BASE; // i < 1 if (i < len) { if (i) x.c.push(+str.slice(0, i)); for (len -= LOG_BASE; i < len;) { x.c.push(+str.slice(i, i += LOG_BASE)); } i = LOG_BASE - (str = str.slice(i)).length; } else { i -= len; } for (; i--; str += '0'); x.c.push(+str); } } else { // Zero. x.c = [x.e = 0]; } } // CONSTRUCTOR PROPERTIES BigNumber.clone = clone; BigNumber.ROUND_UP = 0; BigNumber.ROUND_DOWN = 1; BigNumber.ROUND_CEIL = 2; BigNumber.ROUND_FLOOR = 3; BigNumber.ROUND_HALF_UP = 4; BigNumber.ROUND_HALF_DOWN = 5; BigNumber.ROUND_HALF_EVEN = 6; BigNumber.ROUND_HALF_CEIL = 7; BigNumber.ROUND_HALF_FLOOR = 8; BigNumber.EUCLID = 9; /* * Configure infrequently-changing library-wide settings. * * Accept an object with the following optional properties (if the value of a property is * a number, it must be an integer within the inclusive range stated): * * DECIMAL_PLACES {number} 0 to MAX * ROUNDING_MODE {number} 0 to 8 * EXPONENTIAL_AT {number|number[]} -MAX to MAX or [-MAX to 0, 0 to MAX] * RANGE {number|number[]} -MAX to MAX (not zero) or [-MAX to -1, 1 to MAX] * CRYPTO {boolean} true or false * MODULO_MODE {number} 0 to 9 * POW_PRECISION {number} 0 to MAX * ALPHABET {string} A string of two or more unique characters which does * not contain '.'. * FORMAT {object} An object with some of the following properties: * prefix {string} * groupSize {number} * secondaryGroupSize {number} * groupSeparator {string} * decimalSeparator {string} * fractionGroupSize {number} * fractionGroupSeparator {string} * suffix {string} * * (The values assigned to the above FORMAT object properties are not checked for validity.) * * E.g. * BigNumber.config({ DECIMAL_PLACES : 20, ROUNDING_MODE : 4 }) * * Ignore properties/parameters set to null or undefined, except for ALPHABET. * * Return an object with the properties current values. */ BigNumber.config = BigNumber.set = function (obj) { var p, v; if (obj != null) { if (typeof obj == 'object') { // DECIMAL_PLACES {number} Integer, 0 to MAX inclusive. // '[BigNumber Error] DECIMAL_PLACES {not a primitive number|not an integer|out of range}: {v}' if (obj.hasOwnProperty(p = 'DECIMAL_PLACES')) { v = obj[p]; intCheck(v, 0, MAX, p); DECIMAL_PLACES = v; } // ROUNDING_MODE {number} Integer, 0 to 8 inclusive. // '[BigNumber Error] ROUNDING_MODE {not a primitive number|not an integer|out of range}: {v}' if (obj.hasOwnProperty(p = 'ROUNDING_MODE')) { v = obj[p]; intCheck(v, 0, 8, p); ROUNDING_MODE = v; } // EXPONENTIAL_AT {number|number[]} // Integer, -MAX to MAX inclusive or // [integer -MAX to 0 inclusive, 0 to MAX inclusive]. // '[BigNumber Error] EXPONENTIAL_AT {not a primitive number|not an integer|out of range}: {v}' if (obj.hasOwnProperty(p = 'EXPONENTIAL_AT')) { v = obj[p]; if (v && v.pop) { intCheck(v[0], -MAX, 0, p); intCheck(v[1], 0, MAX, p); TO_EXP_NEG = v[0]; TO_EXP_POS = v[1]; } else { intCheck(v, -MAX, MAX, p); TO_EXP_NEG = -(TO_EXP_POS = v < 0 ? -v : v); } } // RANGE {number|number[]} Non-zero integer, -MAX to MAX inclusive or // [integer -MAX to -1 inclusive, integer 1 to MAX inclusive]. // '[BigNumber Error] RANGE {not a primitive number|not an integer|out of range|cannot be zero}: {v}' if (obj.hasOwnProperty(p = 'RANGE')) { v = obj[p]; if (v && v.pop) { intCheck(v[0], -MAX, -1, p); intCheck(v[1], 1, MAX, p); MIN_EXP = v[0]; MAX_EXP = v[1]; } else { intCheck(v, -MAX, MAX, p); if (v) { MIN_EXP = -(MAX_EXP = v < 0 ? -v : v); } else { throw Error(bignumberError + p + ' cannot be zero: ' + v); } } } // CRYPTO {boolean} true or false. // '[BigNumber Error] CRYPTO not true or false: {v}' // '[BigNumber Error] crypto unavailable' if (obj.hasOwnProperty(p = 'CRYPTO')) { v = obj[p]; if (v === !!v) { if (v) { if (typeof crypto != 'undefined' && crypto && (crypto.getRandomValues || crypto.randomBytes)) { CRYPTO = v; } else { CRYPTO = !v; throw Error(bignumberError + 'crypto unavailable'); } } else { CRYPTO = v; } } else { throw Error(bignumberError + p + ' not true or false: ' + v); } } // MODULO_MODE {number} Integer, 0 to 9 inclusive. // '[BigNumber Error] MODULO_MODE {not a primitive number|not an integer|out of range}: {v}' if (obj.hasOwnProperty(p = 'MODULO_MODE')) { v = obj[p]; intCheck(v, 0, 9, p); MODULO_MODE = v; } // POW_PRECISION {number} Integer, 0 to MAX inclusive. // '[BigNumber Error] POW_PRECISION {not a primitive number|not an integer|out of range}: {v}' if (obj.hasOwnProperty(p = 'POW_PRECISION')) { v = obj[p]; intCheck(v, 0, MAX, p); POW_PRECISION = v; } // FORMAT {object} // '[BigNumber Error] FORMAT not an object: {v}' if (obj.hasOwnProperty(p = 'FORMAT')) { v = obj[p]; if (typeof v == 'object') FORMAT = v;else throw Error(bignumberError + p + ' not an object: ' + v); } // ALPHABET {string} // '[BigNumber Error] ALPHABET invalid: {v}' if (obj.hasOwnProperty(p = 'ALPHABET')) { v = obj[p]; // Disallow if only one character, // or if it contains '+', '-', '.', whitespace, or a repeated character. if (typeof v == 'string' && !/^.$|[+-.\s]|(.).*\1/.test(v)) { ALPHABET = v; } else { throw Error(bignumberError + p + ' invalid: ' + v); } } } else { // '[BigNumber Error] Object expected: {v}' throw Error(bignumberError + 'Object expected: ' + obj); } } return { DECIMAL_PLACES: DECIMAL_PLACES, ROUNDING_MODE: ROUNDING_MODE, EXPONENTIAL_AT: [TO_EXP_NEG, TO_EXP_POS], RANGE: [MIN_EXP, MAX_EXP], CRYPTO: CRYPTO, MODULO_MODE: MODULO_MODE, POW_PRECISION: POW_PRECISION, FORMAT: FORMAT, ALPHABET: ALPHABET }; }; /* * Return true if v is a BigNumber instance, otherwise return false. * * If BigNumber.DEBUG is true, throw if a BigNumber instance is not well-formed. * * v {any} * * '[BigNumber Error] Invalid BigNumber: {v}' */ BigNumber.isBigNumber = function (v) { if (!v || v._isBigNumber !== true) return false; if (!BigNumber.DEBUG) return true; var i, n, c = v.c, e = v.e, s = v.s; out: if ({}.toString.call(c) == '[object Array]') { if ((s === 1 || s === -1) && e >= -MAX && e <= MAX && e === mathfloor(e)) { // If the first element is zero, the BigNumber value must be zero. if (c[0] === 0) { if (e === 0 && c.length === 1) return true; break out; } // Calculate number of digits that c[0] should have, based on the exponent. i = (e + 1) % LOG_BASE; if (i < 1) i += LOG_BASE; // Calculate number of digits of c[0]. //if (Math.ceil(Math.log(c[0] + 1) / Math.LN10) == i) { if (String(c[0]).length == i) { for (i = 0; i < c.length; i++) { n = c[i]; if (n < 0 || n >= BASE || n !== mathfloor(n)) break out; } // Last element cannot be zero, unless it is the only element. if (n !== 0) return true; } } // Infinity/NaN } else if (c === null && e === null && (s === null || s === 1 || s === -1)) { return true; } throw Error(bignumberError + 'Invalid BigNumber: ' + v); }; /* * Return a new BigNumber whose value is the maximum of the arguments. * * arguments {number|string|BigNumber} */ BigNumber.maximum = BigNumber.max = function () { return maxOrMin(arguments, P.lt); }; /* * Return a new BigNumber whose value is the minimum of the arguments. * * arguments {number|string|BigNumber} */ BigNumber.minimum = BigNumber.min = function () { return maxOrMin(arguments, P.gt); }; /* * Return a new BigNumber with a random value equal to or greater than 0 and less than 1, * and with dp, or DECIMAL_PLACES if dp is omitted, decimal places (or less if trailing * zeros are produced). * * [dp] {number} Decimal places. Integer, 0 to MAX inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {dp}' * '[BigNumber Error] crypto unavailable' */ BigNumber.random = function () { var pow2_53 = 0x20000000000000; // Return a 53 bit integer n, where 0 <= n < 9007199254740992. // Check if Math.random() produces more than 32 bits of randomness. // If it does, assume at least 53 bits are produced, otherwise assume at least 30 bits. // 0x40000000 is 2^30, 0x800000 is 2^23, 0x1fffff is 2^21 - 1. var random53bitInt = Math.random() * pow2_53 & 0x1fffff ? function () { return mathfloor(Math.random() * pow2_53); } : function () { return (Math.random() * 0x40000000 | 0) * 0x800000 + (Math.random() * 0x800000 | 0); }; return function (dp) { var a, b, e, k, v, i = 0, c = [], rand = new BigNumber(ONE); if (dp == null) dp = DECIMAL_PLACES;else intCheck(dp, 0, MAX); k = mathceil(dp / LOG_BASE); if (CRYPTO) { // Browsers supporting crypto.getRandomValues. if (crypto.getRandomValues) { a = crypto.getRandomValues(new Uint32Array(k *= 2)); for (; i < k;) { // 53 bits: // ((Math.pow(2, 32) - 1) * Math.pow(2, 21)).toString(2) // 11111 11111111 11111111 11111111 11100000 00000000 00000000 // ((Math.pow(2, 32) - 1) >>> 11).toString(2) // 11111 11111111 11111111 // 0x20000 is 2^21. v = a[i] * 0x20000 + (a[i + 1] >>> 11); // Rejection sampling: // 0 <= v < 9007199254740992 // Probability that v >= 9e15, is // 7199254740992 / 9007199254740992 ~= 0.0008, i.e. 1 in 1251 if (v >= 9e15) { b = crypto.getRandomValues(new Uint32Array(2)); a[i] = b[0]; a[i + 1] = b[1]; } else { // 0 <= v <= 8999999999999999 // 0 <= (v % 1e14) <= 99999999999999 c.push(v % 1e14); i += 2; } } i = k / 2; // Node.js supporting crypto.randomBytes. } else if (crypto.randomBytes) { // buffer a = crypto.randomBytes(k *= 7); for (; i < k;) { // 0x1000000000000 is 2^48, 0x10000000000 is 2^40 // 0x100000000 is 2^32, 0x1000000 is 2^24 // 11111 11111111 11111111 11111111 11111111 11111111 11111111 // 0 <= v < 9007199254740992 v = (a[i] & 31) * 0x1000000000000 + a[i + 1] * 0x10000000000 + a[i + 2] * 0x100000000 + a[i + 3] * 0x1000000 + (a[i + 4] << 16) + (a[i + 5] << 8) + a[i + 6]; if (v >= 9e15) { crypto.randomBytes(7).copy(a, i); } else { // 0 <= (v % 1e14) <= 99999999999999 c.push(v % 1e14); i += 7; } } i = k / 7; } else { CRYPTO = false; throw Error(bignumberError + 'crypto unavailable'); } } // Use Math.random. if (!CRYPTO) { for (; i < k;) { v = random53bitInt(); if (v < 9e15) c[i++] = v % 1e14; } } k = c[--i]; dp %= LOG_BASE; // Convert trailing digits to zeros according to dp. if (k && dp) { v = POWS_TEN[LOG_BASE - dp]; c[i] = mathfloor(k / v) * v; } // Remove trailing elements which are zero. for (; c[i] === 0; c.pop(), i--); // Zero? if (i < 0) { c = [e = 0]; } else { // Remove leading elements which are zero and adjust exponent accordingly. for (e = -1; c[0] === 0; c.splice(0, 1), e -= LOG_BASE); // Count the digits of the first element of c to determine leading zeros, and... for (i = 1, v = c[0]; v >= 10; v /= 10, i++); // adjust the exponent accordingly. if (i < LOG_BASE) e -= LOG_BASE - i; } rand.e = e; rand.c = c; return rand; }; }(); /* * Return a BigNumber whose value is the sum of the arguments. * * arguments {number|string|BigNumber} */ BigNumber.sum = function () { var i = 1, args = arguments, sum = new BigNumber(args[0]); for (; i < args.length;) sum = sum.plus(args[i++]); return sum; }; // PRIVATE FUNCTIONS // Called by BigNumber and BigNumber.prototype.toString. convertBase = function () { var decimal = '0123456789'; /* * Convert string of baseIn to an array of numbers of baseOut. * Eg. toBaseOut('255', 10, 16) returns [15, 15]. * Eg. toBaseOut('ff', 16, 10) returns [2, 5, 5]. */ function toBaseOut(str, baseIn, baseOut, alphabet) { var j, arr = [0], arrL, i = 0, len = str.length; for (; i < len;) { for (arrL = arr.length; arrL--; arr[arrL] *= baseIn); arr[0] += alphabet.indexOf(str.charAt(i++)); for (j = 0; j < arr.length; j++) { if (arr[j] > baseOut - 1) { if (arr[j + 1] == null) arr[j + 1] = 0; arr[j + 1] += arr[j] / baseOut | 0; arr[j] %= baseOut; } } } return arr.reverse(); } // Convert a numeric string of baseIn to a numeric string of baseOut. // If the caller is toString, we are converting from base 10 to baseOut. // If the caller is BigNumber, we are converting from baseIn to base 10. return function (str, baseIn, baseOut, sign, callerIsToString) { var alphabet, d, e, k, r, x, xc, y, i = str.indexOf('.'), dp = DECIMAL_PLACES, rm = ROUNDING_MODE; // Non-integer. if (i >= 0) { k = POW_PRECISION; // Unlimited precision. POW_PRECISION = 0; str = str.replace('.', ''); y = new BigNumber(baseIn); x = y.pow(str.length - i); POW_PRECISION = k; // Convert str as if an integer, then restore the fraction part by dividing the // result by its base raised to a power. y.c = toBaseOut(toFixedPoint(coeffToString(x.c), x.e, '0'), 10, baseOut, decimal); y.e = y.c.length; } // Convert the number as integer. xc = toBaseOut(str, baseIn, baseOut, callerIsToString ? (alphabet = ALPHABET, decimal) : (alphabet = decimal, ALPHABET)); // xc now represents str as an integer and converted to baseOut. e is the exponent. e = k = xc.length; // Remove trailing zeros. for (; xc[--k] == 0; xc.pop()); // Zero? if (!xc[0]) return alphabet.charAt(0); // Does str represent an integer? If so, no need for the division. if (i < 0) { --e; } else { x.c = xc; x.e = e; // The sign is needed for correct rounding. x.s = sign; x = div(x, y, dp, rm, baseOut); xc = x.c; r = x.r; e = x.e; } // xc now represents str converted to baseOut. // THe index of the rounding digit. d = e + dp + 1; // The rounding digit: the digit to the right of the digit that may be rounded up. i = xc[d]; // Look at the rounding digits and mode to determine whether to round up. k = baseOut / 2; r = r || d < 0 || xc[d + 1] != null; r = rm < 4 ? (i != null || r) && (rm == 0 || rm == (x.s < 0 ? 3 : 2)) : i > k || i == k && (rm == 4 || r || rm == 6 && xc[d - 1] & 1 || rm == (x.s < 0 ? 8 : 7)); // If the index of the rounding digit is not greater than zero, or xc represents // zero, then the result of the base conversion is zero or, if rounding up, a value // such as 0.00001. if (d < 1 || !xc[0]) { // 1^-dp or 0 str = r ? toFixedPoint(alphabet.charAt(1), -dp, alphabet.charAt(0)) : alphabet.charAt(0); } else { // Truncate xc to the required number of decimal places. xc.length = d; // Round up? if (r) { // Rounding up may mean the previous digit has to be rounded up and so on. for (--baseOut; ++xc[--d] > baseOut;) { xc[d] = 0; if (!d) { ++e; xc = [1].concat(xc); } } } // Determine trailing zeros. for (k = xc.length; !xc[--k];); // E.g. [4, 11, 15] becomes 4bf. for (i = 0, str = ''; i <= k; str += alphabet.charAt(xc[i++])); // Add leading zeros, decimal point and trailing zeros as required. str = toFixedPoint(str, e, alphabet.charAt(0)); } // The caller will add the sign. return str; }; }(); // Perform division in the specified base. Called by div and convertBase. div = function () { // Assume non-zero x and k. function multiply(x, k, base) { var m, temp, xlo, xhi, carry = 0, i = x.length, klo = k % SQRT_BASE, khi = k / SQRT_BASE | 0; for (x = x.slice(); i--;) { xlo = x[i] % SQRT_BASE; xhi = x[i] / SQRT_BASE | 0; m = khi * xlo + xhi * klo; temp = klo * xlo + m % SQRT_BASE * SQRT_BASE + carry; carry = (temp / base | 0) + (m / SQRT_BASE | 0) + khi * xhi; x[i] = temp % base; } if (carry) x = [carry].concat(x); return x; } function compare(a, b, aL, bL) { var i, cmp; if (aL != bL) { cmp = aL > bL ? 1 : -1; } else { for (i = cmp = 0; i < aL; i++) { if (a[i] != b[i]) { cmp = a[i] > b[i] ? 1 : -1; break; } } } return cmp; } function subtract(a, b, aL, base) { var i = 0; // Subtract b from a. for (; aL--;) { a[aL] -= i; i = a[aL] < b[aL] ? 1 : 0; a[aL] = i * base + a[aL] - b[aL]; } // Remove leading zeros. for (; !a[0] && a.length > 1; a.splice(0, 1)); } // x: dividend, y: divisor. return function (x, y, dp, rm, base) { var cmp, e, i, more, n, prod, prodL, q, qc, rem, remL, rem0, xi, xL, yc0, yL, yz, s = x.s == y.s ? 1 : -1, xc = x.c, yc = y.c; // Either NaN, Infinity or 0? if (!xc || !xc[0] || !yc || !yc[0]) { return new BigNumber( // Return NaN if either NaN, or both Infinity or 0. !x.s || !y.s || (xc ? yc && xc[0] == yc[0] : !yc) ? NaN : // Return ±0 if x is ±0 or y is ±Infinity, or return ±Infinity as y is ±0. xc && xc[0] == 0 || !yc ? s * 0 : s / 0); } q = new BigNumber(s); qc = q.c = []; e = x.e - y.e; s = dp + e + 1; if (!base) { base = BASE; e = bitFloor(x.e / LOG_BASE) - bitFloor(y.e / LOG_BASE); s = s / LOG_BASE | 0; } // Result exponent may be one less then the current value of e. // The coefficients of the BigNumbers from convertBase may have trailing zeros. for (i = 0; yc[i] == (xc[i] || 0); i++); if (yc[i] > (xc[i] || 0)) e--; if (s < 0) { qc.push(1); more = true; } else { xL = xc.length; yL = yc.length; i = 0; s += 2; // Normalise xc and yc so highest order digit of yc is >= base / 2. n = mathfloor(base / (yc[0] + 1)); // Not necessary, but to handle odd bases where yc[0] == (base / 2) - 1. // if (n > 1 || n++ == 1 && yc[0] < base / 2) { if (n > 1) { yc = multiply(yc, n, base); xc = multiply(xc, n, base); yL = yc.length; xL = xc.length; } xi = yL; rem = xc.slice(0, yL); remL = rem.length; // Add zeros to make remainder as long as divisor. for (; remL < yL; rem[remL++] = 0); yz = yc.slice(); yz = [0].concat(yz); yc0 = yc[0]; if (yc[1] >= base / 2) yc0++; // Not necessary, but to prevent trial digit n > base, when using base 3. // else if (base == 3 && yc0 == 1) yc0 = 1 + 1e-15; do { n = 0; // Compare divisor and remainder. cmp = compare(yc, rem, yL, remL); // If divisor < remainder. if (cmp < 0) { // Calculate trial digit, n. rem0 = rem[0]; if (yL != remL) rem0 = rem0 * base + (rem[1] || 0); // n is how many times the divisor goes into the current remainder. n = mathfloor(rem0 / yc0); // Algorithm: // product = divisor multiplied by trial digit (n). // Compare product and remainder. // If product is greater than remainder: // Subtract divisor from product, decrement trial digit. // Subtract product from remainder. // If product was less than remainder at the last compare: // Compare new remainder and divisor. // If remainder is greater than divisor: // Subtract divisor from remainder, increment trial digit. if (n > 1) { // n may be > base only when base is 3. if (n >= base) n = base - 1; // product = divisor * trial digit. prod = multiply(yc, n, base); prodL = prod.length; remL = rem.length; // Compare product and remainder. // If product > remainder then trial digit n too high. // n is 1 too high about 5% of the time, and is not known to have // ever been more than 1 too high. while (compare(prod, rem, prodL, remL) == 1) { n--; // Subtract divisor from product. subtract(prod, yL < prodL ? yz : yc, prodL, base); prodL = prod.length; cmp = 1; } } else { // n is 0 or 1, cmp is -1. // If n is 0, there is no need to compare yc and rem again below, // so change cmp to 1 to avoid it. // If n is 1, leave cmp as -1, so yc and rem are compared again. if (n == 0) { // divisor < remainder, so n must be at least 1. cmp = n = 1; } // product = divisor prod = yc.slice(); prodL = prod.length; } if (prodL < remL) prod = [0].concat(prod); // Subtract product from remainder. subtract(rem, prod, remL, base); remL = rem.length; // If product was < remainder. if (cmp == -1) { // Compare divisor and new remainder. // If divisor < new remainder, subtract divisor from remainder. // Trial digit n too low. // n is 1 too low about 5% of the time, and very rarely 2 too low. while (compare(yc, rem, yL, remL) < 1) { n++; // Subtract divisor from remainder. subtract(rem, yL < remL ? yz : yc, remL, base); remL = rem.length; } } } else if (cmp === 0) { n++; rem = [0]; } // else cmp === 1 and n will be 0 // Add the next digit, n, to the result array. qc[i++] = n; // Update the remainder. if (rem[0]) { rem[remL++] = xc[xi] || 0; } else { rem = [xc[xi]]; remL = 1; } } while ((xi++ < xL || rem[0] != null) && s--); more = rem[0] != null; // Leading zero? if (!qc[0]) qc.splice(0, 1); } if (base == BASE) { // To calculate q.e, first get the number of digits of qc[0]. for (i = 1, s = qc[0]; s >= 10; s /= 10, i++); round(q, dp + (q.e = i + e * LOG_BASE - 1) + 1, rm, more); // Caller is convertBase. } else { q.e = e; q.r = +more; } return q; }; }(); /* * Return a string representing the value of BigNumber n in fixed-point or exponential * notation rounded to the specified decimal places or significant digits. * * n: a BigNumber. * i: the index of the last digit required (i.e. the digit that may be rounded up). * rm: the rounding mode. * id: 1 (toExponential) or 2 (toPrecision). */ function format(n, i, rm, id) { var c0, e, ne, len, str; if (rm == null) rm = ROUNDING_MODE;else intCheck(rm, 0, 8); if (!n.c) return n.toString(); c0 = n.c[0]; ne = n.e; if (i == null) { str = coeffToString(n.c); str = id == 1 || id == 2 && (ne <= TO_EXP_NEG || ne >= TO_EXP_POS) ? toExponential(str, ne) : toFixedPoint(str, ne, '0'); } else { n = round(new BigNumber(n), i, rm); // n.e may have changed if the value was rounded up. e = n.e; str = coeffToString(n.c); len = str.length; // toPrecision returns exponential notation if the number of significant digits // specified is less than the number of digits necessary to represent the integer // part of the value in fixed-point notation. // Exponential notation. if (id == 1 || id == 2 && (i <= e || e <= TO_EXP_NEG)) { // Append zeros? for (; len < i; str += '0', len++); str = toExponential(str, e); // Fixed-point notation. } else { i -= ne; str = toFixedPoint(str, e, '0'); // Append zeros? if (e + 1 > len) { if (--i > 0) for (str += '.'; i--; str += '0'); } else { i += e - len; if (i > 0) { if (e + 1 == len) str += '.'; for (; i--; str += '0'); } } } } return n.s < 0 && c0 ? '-' + str : str; } // Handle BigNumber.max and BigNumber.min. function maxOrMin(args, method) { var n, i = 1, m = new BigNumber(args[0]); for (; i < args.length; i++) { n = new BigNumber(args[i]); // If any number is NaN, return NaN. if (!n.s) { m = n; break; } else if (method.call(m, n)) { m = n; } } return m; } /* * Strip trailing zeros, calculate base 10 exponent and check against MIN_EXP and MAX_EXP. * Called by minus, plus and times. */ function normalise(n, c, e) { var i = 1, j = c.length; // Remove trailing zeros. for (; !c[--j]; c.pop()); // Calculate the base 10 exponent. First get the number of digits of c[0]. for (j = c[0]; j >= 10; j /= 10, i++); // Overflow? if ((e = i + e * LOG_BASE - 1) > MAX_EXP) { // Infinity. n.c = n.e = null; // Underflow? } else if (e < MIN_EXP) { // Zero. n.c = [n.e = 0]; } else { n.e = e; n.c = c; } return n; } // Handle values that fail the validity test in BigNumber. parseNumeric = function () { var basePrefix = /^(-?)0([xbo])(?=\w[\w.]*$)/i, dotAfter = /^([^.]+)\.$/, dotBefore = /^\.([^.]+)$/, isInfinityOrNaN = /^-?(Infinity|NaN)$/, whitespaceOrPlus = /^\s*\+(?=[\w.])|^\s+|\s+$/g; return function (x, str, isNum, b) { var base, s = isNum ? str : str.replace(whitespaceOrPlus, ''); // No exception on ±Infinity or NaN. if (isInfinityOrNaN.test(s)) { x.s = isNaN(s) ? null : s < 0 ? -1 : 1; } else { if (!isNum) { // basePrefix = /^(-?)0([xbo])(?=\w[\w.]*$)/i s = s.replace(basePrefix, function (m, p1, p2) { base = (p2 = p2.toLowerCase()) == 'x' ? 16 : p2 == 'b' ? 2 : 8; return !b || b == base ? p1 : m; }); if (b) { base = b; // E.g. '1.' to '1', '.1' to '0.1' s = s.replace(dotAfter, '$1').replace(dotBefore, '0.$1'); } if (str != s) return new BigNumber(s, base); } // '[BigNumber Error] Not a number: {n}' // '[BigNumber Error] Not a base {b} number: {n}' if (BigNumber.DEBUG) { throw Error(bignumberError + 'Not a' + (b ? ' base ' + b : '') + ' number: ' + str); } // NaN x.s = null; } x.c = x.e = null; }; }(); /* * Round x to sd significant digits using rounding mode rm. Check for over/under-flow. * If r is truthy, it is known that there are more digits after the rounding digit. */ function round(x, sd, rm, r) { var d, i, j, k, n, ni, rd, xc = x.c, pows10 = POWS_TEN; // if x is not Infinity or NaN... if (xc) { // rd is the rounding digit, i.e. the digit after the digit that may be rounded up. // n is a base 1e14 number, the value of the element of array x.c containing rd. // ni is the index of n within x.c. // d is the number of digits of n. // i is the index of rd within n including leading zeros. // j is the actual index of rd within n (if < 0, rd is a leading zero). out: { // Get the number of digits of the first element of xc. for (d = 1, k = xc[0]; k >= 10; k /= 10, d++); i = sd - d; // If the rounding digit is in the first element of xc... if (i < 0) { i += LOG_BASE; j = sd; n = xc[ni = 0]; // Get the rounding digit at index j of n. rd = n / pows10[d - j - 1] % 10 | 0; } else { ni = mathceil((i + 1) / LOG_BASE); if (ni >= xc.length) { if (r) { // Needed by sqrt. for (; xc.length <= ni; xc.push(0)); n = rd = 0; d = 1; i %= LOG_BASE; j = i - LOG_BASE + 1; } else { break out; } } else { n = k = xc[ni]; // Get the number of digits of n. for (d = 1; k >= 10; k /= 10, d++); // Get the index of rd within n. i %= LOG_BASE; // Get the index of rd within n, adjusted for leading zeros. // The number of leading zeros of n is given by LOG_BASE - d. j = i - LOG_BASE + d; // Get the rounding digit at index j of n. rd = j < 0 ? 0 : n / pows10[d - j - 1] % 10 | 0; } } r = r || sd < 0 || // Are there any non-zero digits after the rounding digit? // The expression n % pows10[d - j - 1] returns all digits of n to the right // of the digit at j, e.g. if n is 908714 and j is 2, the expression gives 714. xc[ni + 1] != null || (j < 0 ? n : n % pows10[d - j - 1]); r = rm < 4 ? (rd || r) && (rm == 0 || rm == (x.s < 0 ? 3 : 2)) : rd > 5 || rd == 5 && (rm == 4 || r || rm == 6 && // Check whether the digit to the left of the rounding digit is odd. (i > 0 ? j > 0 ? n / pows10[d - j] : 0 : xc[ni - 1]) % 10 & 1 || rm == (x.s < 0 ? 8 : 7)); if (sd < 1 || !xc[0]) { xc.length = 0; if (r) { // Convert sd to decimal places. sd -= x.e + 1; // 1, 0.1, 0.01, 0.001, 0.0001 etc. xc[0] = pows10[(LOG_BASE - sd % LOG_BASE) % LOG_BASE]; x.e = -sd || 0; } else { // Zero. xc[0] = x.e = 0; } return x; } // Remove excess digits. if (i == 0) { xc.length = ni; k = 1; ni--; } else { xc.length = ni + 1; k = pows10[LOG_BASE - i]; // E.g. 56700 becomes 56000 if 7 is the rounding digit. // j > 0 means i > number of leading zeros of n. xc[ni] = j > 0 ? mathfloor(n / pows10[d - j] % pows10[j]) * k : 0; } // Round up? if (r) { for (;;) { // If the digit to be rounded up is in the first element of xc... if (ni == 0) { // i will be the length of xc[0] before k is added. for (i = 1, j = xc[0]; j >= 10; j /= 10, i++); j = xc[0] += k; for (k = 1; j >= 10; j /= 10, k++); // if i != k the length has increased. if (i != k) { x.e++; if (xc[0] == BASE) xc[0] = 1; } break; } else { xc[ni] += k; if (xc[ni] != BASE) break; xc[ni--] = 0; k = 1; } } } // Remove trailing zeros. for (i = xc.length; xc[--i] === 0; xc.pop()); } // Overflow? Infinity. if (x.e > MAX_EXP) { x.c = x.e = null; // Underflow? Zero. } else if (x.e < MIN_EXP) { x.c = [x.e = 0]; } } return x; } function valueOf(n) { var str, e = n.e; if (e === null) return n.toString(); str = coeffToString(n.c); str = e <= TO_EXP_NEG || e >= TO_EXP_POS ? toExponential(str, e) : toFixedPoint(str, e, '0'); return n.s < 0 ? '-' + str : str; } // PROTOTYPE/INSTANCE METHODS /* * Return a new BigNumber whose value is the absolute value of this BigNumber. */ P.absoluteValue = P.abs = function () { var x = new BigNumber(this); if (x.s < 0) x.s = 1; return x; }; /* * Return * 1 if the value of this BigNumber is greater than the value of BigNumber(y, b), * -1 if the value of this BigNumber is less than the value of BigNumber(y, b), * 0 if they have the same value, * or null if the value of either is NaN. */ P.comparedTo = function (y, b) { return compare(this, new BigNumber(y, b)); }; /* * If dp is undefined or null or true or false, return the number of decimal places of the * value of this BigNumber, or null if the value of this BigNumber is ±Infinity or NaN. * * Otherwise, if dp is a number, return a new BigNumber whose value is the value of this * BigNumber rounded to a maximum of dp decimal places using rounding mode rm, or * ROUNDING_MODE if rm is omitted. * * [dp] {number} Decimal places: integer, 0 to MAX inclusive. * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {dp|rm}' */ P.decimalPlaces = P.dp = function (dp, rm) { var c, n, v, x = this; if (dp != null) { intCheck(dp, 0, MAX); if (rm == null) rm = ROUNDING_MODE;else intCheck(rm, 0, 8); return round(new BigNumber(x), dp + x.e + 1, rm); } if (!(c = x.c)) return null; n = ((v = c.length - 1) - bitFloor(this.e / LOG_BASE)) * LOG_BASE; // Subtract the number of trailing zeros of the last number. if (v = c[v]) for (; v % 10 == 0; v /= 10, n--); if (n < 0) n = 0; return n; }; /* * n / 0 = I * n / N = N * n / I = 0 * 0 / n = 0 * 0 / 0 = N * 0 / N = N * 0 / I = 0 * N / n = N * N / 0 = N * N / N = N * N / I = N * I / n = I * I / 0 = I * I / N = N * I / I = N * * Return a new BigNumber whose value is the value of this BigNumber divided by the value of * BigNumber(y, b), rounded according to DECIMAL_PLACES and ROUNDING_MODE. */ P.dividedBy = P.div = function (y, b) { return div(this, new BigNumber(y, b), DECIMAL_PLACES, ROUNDING_MODE); }; /* * Return a new BigNumber whose value is the integer part of dividing the value of this * BigNumber by the value of BigNumber(y, b). */ P.dividedToIntegerBy = P.idiv = function (y, b) { return div(this, new BigNumber(y, b), 0, 1); }; /* * Return a BigNumber whose value is the value of this BigNumber exponentiated by n. * * If m is present, return the result modulo m. * If n is negative round according to DECIMAL_PLACES and ROUNDING_MODE. * If POW_PRECISION is non-zero and m is not present, round to POW_PRECISION using ROUNDING_MODE. * * The modular power operation works efficiently when x, n, and m are integers, otherwise it * is equivalent to calculating x.exponentiatedBy(n).modulo(m) with a POW_PRECISION of 0. * * n {number|string|BigNumber} The exponent. An integer. * [m] {number|string|BigNumber} The modulus. * * '[BigNumber Error] Exponent not an integer: {n}' */ P.exponentiatedBy = P.pow = function (n, m) { var half, isModExp, i, k, more, nIsBig, nIsNeg, nIsOdd, y, x = this; n = new BigNumber(n); // Allow NaN and ±Infinity, but not other non-integers. if (n.c && !n.isInteger()) { throw Error(bignumberError + 'Exponent not an integer: ' + valueOf(n)); } if (m != null) m = new BigNumber(m); // Exponent of MAX_SAFE_INTEGER is 15. nIsBig = n.e > 14; // If x is NaN, ±Infinity, ±0 or ±1, or n is ±Infinity, NaN or ±0. if (!x.c || !x.c[0] || x.c[0] == 1 && !x.e && x.c.length == 1 || !n.c || !n.c[0]) { // The sign of the result of pow when x is negative depends on the evenness of n. // If +n overflows to ±Infinity, the evenness of n would be not be known. y = new BigNumber(Math.pow(+valueOf(x), nIsBig ? 2 - isOdd(n) : +valueOf(n))); return m ? y.mod(m) : y; } nIsNeg = n.s < 0; if (m) { // x % m returns NaN if abs(m) is zero, or m is NaN. if (m.c ? !m.c[0] : !m.s) return new BigNumber(NaN); isModExp = !nIsNeg && x.isInteger() && m.isInteger(); if (isModExp) x = x.mod(m); // Overflow to ±Infinity: >=2**1e10 or >=1.0000024**1e15. // Underflow to ±0: <=0.79**1e10 or <=0.9999975**1e15. } else if (n.e > 9 && (x.e > 0 || x.e < -1 || (x.e == 0 // [1, 240000000] ? x.c[0] > 1 || nIsBig && x.c[1] >= 24e7 // [80000000000000] [99999750000000] : x.c[0] < 8e13 || nIsBig && x.c[0] <= 9999975e7))) { // If x is negative and n is odd, k = -0, else k = 0. k = x.s < 0 && isOdd(n) ? -0 : 0; // If x >= 1, k = ±Infinity. if (x.e > -1) k = 1 / k; // If n is negative return ±0, else return ±Infinity. return new BigNumber(nIsNeg ? 1 / k : k); } else if (POW_PRECISION) { // Truncating each coefficient array to a length of k after each multiplication // equates to truncating significant digits to POW_PRECISION + [28, 41], // i.e. there will be a minimum of 28 guard digits retained. k = mathceil(POW_PRECISION / LOG_BASE + 2); } if (nIsBig) { half = new BigNumber(0.5); if (nIsNeg) n.s = 1; nIsOdd = isOdd(n); } else { i = Math.abs(+valueOf(n)); nIsOdd = i % 2; } y = new BigNumber(ONE); // Performs 54 loop iterations for n of 9007199254740991. for (;;) { if (nIsOdd) { y = y.times(x); if (!y.c) break; if (k) { if (y.c.length > k) y.c.length = k; } else if (isModExp) { y = y.mod(m); //y = y.minus(div(y, m, 0, MODULO_MODE).times(m)); } } if (i) { i = mathfloor(i / 2); if (i === 0) break; nIsOdd = i % 2; } else { n = n.times(half); round(n, n.e + 1, 1); if (n.e > 14) { nIsOdd = isOdd(n); } else { i = +valueOf(n); if (i === 0) break; nIsOdd = i % 2; } } x = x.times(x); if (k) { if (x.c && x.c.length > k) x.c.length = k; } else if (isModExp) { x = x.mod(m); //x = x.minus(div(x, m, 0, MODULO_MODE).times(m)); } } if (isModExp) return y; if (nIsNeg) y = ONE.div(y); return m ? y.mod(m) : k ? round(y, POW_PRECISION, ROUNDING_MODE, more) : y; }; /* * Return a new BigNumber whose value is the value of this BigNumber rounded to an integer * using rounding mode rm, or ROUNDING_MODE if rm is omitted. * * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {rm}' */ P.integerValue = function (rm) { var n = new BigNumber(this); if (rm == null) rm = ROUNDING_MODE;else intCheck(rm, 0, 8); return round(n, n.e + 1, rm); }; /* * Return true if the value of this BigNumber is equal to the value of BigNumber(y, b), * otherwise return false. */ P.isEqualTo = P.eq = function (y, b) { return compare(this, new BigNumber(y, b)) === 0; }; /* * Return true if the value of this BigNumber is a finite number, otherwise return false. */ P.isFinite = function () { return !!this.c; }; /* * Return true if the value of this BigNumber is greater than the value of BigNumber(y, b), * otherwise return false. */ P.isGreaterThan = P.gt = function (y, b) { return compare(this, new BigNumber(y, b)) > 0; }; /* * Return true if the value of this BigNumber is greater than or equal to the value of * BigNumber(y, b), otherwise return false. */ P.isGreaterThanOrEqualTo = P.gte = function (y, b) { return (b = compare(this, new BigNumber(y, b))) === 1 || b === 0; }; /* * Return true if the value of this BigNumber is an integer, otherwise return false. */ P.isInteger = function () { return !!this.c && bitFloor(this.e / LOG_BASE) > this.c.length - 2; }; /* * Return true if the value of this BigNumber is less than the value of BigNumber(y, b), * otherwise return false. */ P.isLessThan = P.lt = function (y, b) { return compare(this, new BigNumber(y, b)) < 0; }; /* * Return true if the value of this BigNumber is less than or equal to the value of * BigNumber(y, b), otherwise return false. */ P.isLessThanOrEqualTo = P.lte = function (y, b) { return (b = compare(this, new BigNumber(y, b))) === -1 || b === 0; }; /* * Return true if the value of this BigNumber is NaN, otherwise return false. */ P.isNaN = function () { return !this.s; }; /* * Return true if the value of this BigNumber is negative, otherwise return false. */ P.isNegative = function () { return this.s < 0; }; /* * Return true if the value of this BigNumber is positive, otherwise return false. */ P.isPositive = function () { return this.s > 0; }; /* * Return true if the value of this BigNumber is 0 or -0, otherwise return false. */ P.isZero = function () { return !!this.c && this.c[0] == 0; }; /* * n - 0 = n * n - N = N * n - I = -I * 0 - n = -n * 0 - 0 = 0 * 0 - N = N * 0 - I = -I * N - n = N * N - 0 = N * N - N = N * N - I = N * I - n = I * I - 0 = I * I - N = N * I - I = N * * Return a new BigNumber whose value is the value of this BigNumber minus the value of * BigNumber(y, b). */ P.minus = function (y, b) { var i, j, t, xLTy, x = this, a = x.s; y = new BigNumber(y, b); b = y.s; // Either NaN? if (!a || !b) return new BigNumber(NaN); // Signs differ? if (a != b) { y.s = -b; return x.plus(y); } var xe = x.e / LOG_BASE, ye = y.e / LOG_BASE, xc = x.c, yc = y.c; if (!xe || !ye) { // Either Infinity? if (!xc || !yc) return xc ? (y.s = -b, y) : new BigNumber(yc ? x : NaN); // Either zero? if (!xc[0] || !yc[0]) { // Return y if y is non-zero, x if x is non-zero, or zero if both are zero. return yc[0] ? (y.s = -b, y) : new BigNumber(xc[0] ? x : // IEEE 754 (2008) 6.3: n - n = -0 when rounding to -Infinity ROUNDING_MODE == 3 ? -0 : 0); } } xe = bitFloor(xe); ye = bitFloor(ye); xc = xc.slice(); // Determine which is the bigger number. if (a = xe - ye) { if (xLTy = a < 0) { a = -a; t = xc; } else { ye = xe; t = yc; } t.reverse(); // Prepend zeros to equalise exponents. for (b = a; b--; t.push(0)); t.reverse(); } else { // Exponents equal. Check digit by digit. j = (xLTy = (a = xc.length) < (b = yc.length)) ? a : b; for (a = b = 0; b < j; b++) { if (xc[b] != yc[b]) { xLTy = xc[b] < yc[b]; break; } } } // x < y? Point xc to the array of the bigger number. if (xLTy) t = xc, xc = yc, yc = t, y.s = -y.s; b = (j = yc.length) - (i = xc.length); // Append zeros to xc if shorter. // No need to add zeros to yc if shorter as subtract only needs to start at yc.length. if (b > 0) for (; b--; xc[i++] = 0); b = BASE - 1; // Subtract yc from xc. for (; j > a;) { if (xc[--j] < yc[j]) { for (i = j; i && !xc[--i]; xc[i] = b); --xc[i]; xc[j] += BASE; } xc[j] -= yc[j]; } // Remove leading zeros and adjust exponent accordingly. for (; xc[0] == 0; xc.splice(0, 1), --ye); // Zero? if (!xc[0]) { // Following IEEE 754 (2008) 6.3, // n - n = +0 but n - n = -0 when rounding towards -Infinity. y.s = ROUNDING_MODE == 3 ? -1 : 1; y.c = [y.e = 0]; return y; } // No need to check for Infinity as +x - +y != Infinity && -x - -y != Infinity // for finite x and y. return normalise(y, xc, ye); }; /* * n % 0 = N * n % N = N * n % I = n * 0 % n = 0 * -0 % n = -0 * 0 % 0 = N * 0 % N = N * 0 % I = 0 * N % n = N * N % 0 = N * N % N = N * N % I = N * I % n = N * I % 0 = N * I % N = N * I % I = N * * Return a new BigNumber whose value is the value of this BigNumber modulo the value of * BigNumber(y, b). The result depends on the value of MODULO_MODE. */ P.modulo = P.mod = function (y, b) { var q, s, x = this; y = new BigNumber(y, b); // Return NaN if x is Infinity or NaN, or y is NaN or zero. if (!x.c || !y.s || y.c && !y.c[0]) { return new BigNumber(NaN); // Return x if y is Infinity or x is zero. } else if (!y.c || x.c && !x.c[0]) { return new BigNumber(x); } if (MODULO_MODE == 9) { // Euclidian division: q = sign(y) * floor(x / abs(y)) // r = x - qy where 0 <= r < abs(y) s = y.s; y.s = 1; q = div(x, y, 0, 3); y.s = s; q.s *= s; } else { q = div(x, y, 0, MODULO_MODE); } y = x.minus(q.times(y)); // To match JavaScript %, ensure sign of zero is sign of dividend. if (!y.c[0] && MODULO_MODE == 1) y.s = x.s; return y; }; /* * n * 0 = 0 * n * N = N * n * I = I * 0 * n = 0 * 0 * 0 = 0 * 0 * N = N * 0 * I = N * N * n = N * N * 0 = N * N * N = N * N * I = N * I * n = I * I * 0 = N * I * N = N * I * I = I * * Return a new BigNumber whose value is the value of this BigNumber multiplied by the value * of BigNumber(y, b). */ P.multipliedBy = P.times = function (y, b) { var c, e, i, j, k, m, xcL, xlo, xhi, ycL, ylo, yhi, zc, base, sqrtBase, x = this, xc = x.c, yc = (y = new BigNumber(y, b)).c; // Either NaN, ±Infinity or ±0? if (!xc || !yc || !xc[0] || !yc[0]) { // Return NaN if either is NaN, or one is 0 and the other is Infinity. if (!x.s || !y.s || xc && !xc[0] && !yc || yc && !yc[0] && !xc) { y.c = y.e = y.s = null; } else { y.s *= x.s; // Return ±Infinity if either is ±Infinity. if (!xc || !yc) { y.c = y.e = null; // Return ±0 if either is ±0. } else { y.c = [0]; y.e = 0; } } return y; } e = bitFloor(x.e / LOG_BASE) + bitFloor(y.e / LOG_BASE); y.s *= x.s; xcL = xc.length; ycL = yc.length; // Ensure xc points to longer array and xcL to its length. if (xcL < ycL) zc = xc, xc = yc, yc = zc, i = xcL, xcL = ycL, ycL = i; // Initialise the result array with zeros. for (i = xcL + ycL, zc = []; i--; zc.push(0)); base = BASE; sqrtBase = SQRT_BASE; for (i = ycL; --i >= 0;) { c = 0; ylo = yc[i] % sqrtBase; yhi = yc[i] / sqrtBase | 0; for (k = xcL, j = i + k; j > i;) { xlo = xc[--k] % sqrtBase; xhi = xc[k] / sqrtBase | 0; m = yhi * xlo + xhi * ylo; xlo = ylo * xlo + m % sqrtBase * sqrtBase + zc[j] + c; c = (xlo / base | 0) + (m / sqrtBase | 0) + yhi * xhi; zc[j--] = xlo % base; } zc[j] = c; } if (c) { ++e; } else { zc.splice(0, 1); } return normalise(y, zc, e); }; /* * Return a new BigNumber whose value is the value of this BigNumber negated, * i.e. multiplied by -1. */ P.negated = function () { var x = new BigNumber(this); x.s = -x.s || null; return x; }; /* * n + 0 = n * n + N = N * n + I = I * 0 + n = n * 0 + 0 = 0 * 0 + N = N * 0 + I = I * N + n = N * N + 0 = N * N + N = N * N + I = N * I + n = I * I + 0 = I * I + N = N * I + I = I * * Return a new BigNumber whose value is the value of this BigNumber plus the value of * BigNumber(y, b). */ P.plus = function (y, b) { var t, x = this, a = x.s; y = new BigNumber(y, b); b = y.s; // Either NaN? if (!a || !b) return new BigNumber(NaN); // Signs differ? if (a != b) { y.s = -b; return x.minus(y); } var xe = x.e / LOG_BASE, ye = y.e / LOG_BASE, xc = x.c, yc = y.c; if (!xe || !ye) { // Return ±Infinity if either ±Infinity. if (!xc || !yc) return new BigNumber(a / 0); // Either zero? // Return y if y is non-zero, x if x is non-zero, or zero if both are zero. if (!xc[0] || !yc[0]) return yc[0] ? y : new BigNumber(xc[0] ? x : a * 0); } xe = bitFloor(xe); ye = bitFloor(ye); xc = xc.slice(); // Prepend zeros to equalise exponents. Faster to use reverse then do unshifts. if (a = xe - ye) { if (a > 0) { ye = xe; t = yc; } else { a = -a; t = xc; } t.reverse(); for (; a--; t.push(0)); t.reverse(); } a = xc.length; b = yc.length; // Point xc to the longer array, and b to the shorter length. if (a - b < 0) t = yc, yc = xc, xc = t, b = a; // Only start adding at yc.length - 1 as the further digits of xc can be ignored. for (a = 0; b;) { a = (xc[--b] = xc[b] + yc[b] + a) / BASE | 0; xc[b] = BASE === xc[b] ? 0 : xc[b] % BASE; } if (a) { xc = [a].concat(xc); ++ye; } // No need to check for zero, as +x + +y != 0 && -x + -y != 0 // ye = MAX_EXP + 1 possible return normalise(y, xc, ye); }; /* * If sd is undefined or null or true or false, return the number of significant digits of * the value of this BigNumber, or null if the value of this BigNumber is ±Infinity or NaN. * If sd is true include integer-part trailing zeros in the count. * * Otherwise, if sd is a number, return a new BigNumber whose value is the value of this * BigNumber rounded to a maximum of sd significant digits using rounding mode rm, or * ROUNDING_MODE if rm is omitted. * * sd {number|boolean} number: significant digits: integer, 1 to MAX inclusive. * boolean: whether to count integer-part trailing zeros: true or false. * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {sd|rm}' */ P.precision = P.sd = function (sd, rm) { var c, n, v, x = this; if (sd != null && sd !== !!sd) { intCheck(sd, 1, MAX); if (rm == null) rm = ROUNDING_MODE;else intCheck(rm, 0, 8); return round(new BigNumber(x), sd, rm); } if (!(c = x.c)) return null; v = c.length - 1; n = v * LOG_BASE + 1; if (v = c[v]) { // Subtract the number of trailing zeros of the last element. for (; v % 10 == 0; v /= 10, n--); // Add the number of digits of the first element. for (v = c[0]; v >= 10; v /= 10, n++); } if (sd && x.e + 1 > n) n = x.e + 1; return n; }; /* * Return a new BigNumber whose value is the value of this BigNumber shifted by k places * (powers of 10). Shift to the right if n > 0, and to the left if n < 0. * * k {number} Integer, -MAX_SAFE_INTEGER to MAX_SAFE_INTEGER inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {k}' */ P.shiftedBy = function (k) { intCheck(k, -MAX_SAFE_INTEGER, MAX_SAFE_INTEGER); return this.times('1e' + k); }; /* * sqrt(-n) = N * sqrt(N) = N * sqrt(-I) = N * sqrt(I) = I * sqrt(0) = 0 * sqrt(-0) = -0 * * Return a new BigNumber whose value is the square root of the value of this BigNumber, * rounded according to DECIMAL_PLACES and ROUNDING_MODE. */ P.squareRoot = P.sqrt = function () { var m, n, r, rep, t, x = this, c = x.c, s = x.s, e = x.e, dp = DECIMAL_PLACES + 4, half = new BigNumber('0.5'); // Negative/NaN/Infinity/zero? if (s !== 1 || !c || !c[0]) { return new BigNumber(!s || s < 0 && (!c || c[0]) ? NaN : c ? x : 1 / 0); } // Initial estimate. s = Math.sqrt(+valueOf(x)); // Math.sqrt underflow/overflow? // Pass x to Math.sqrt as integer, then adjust the exponent of the result. if (s == 0 || s == 1 / 0) { n = coeffToString(c); if ((n.length + e) % 2 == 0) n += '0'; s = Math.sqrt(+n); e = bitFloor((e + 1) / 2) - (e < 0 || e % 2); if (s == 1 / 0) { n = '1e' + e; } else { n = s.toExponential(); n = n.slice(0, n.indexOf('e') + 1) + e; } r = new BigNumber(n); } else { r = new BigNumber(s + ''); } // Check for zero. // r could be zero if MIN_EXP is changed after the this value was created. // This would cause a division by zero (x/t) and hence Infinity below, which would cause // coeffToString to throw. if (r.c[0]) { e = r.e; s = e + dp; if (s < 3) s = 0; // Newton-Raphson iteration. for (;;) { t = r; r = half.times(t.plus(div(x, t, dp, 1))); if (coeffToString(t.c).slice(0, s) === (n = coeffToString(r.c)).slice(0, s)) { // The exponent of r may here be one less than the final result exponent, // e.g 0.0009999 (e-4) --> 0.001 (e-3), so adjust s so the rounding digits // are indexed correctly. if (r.e < e) --s; n = n.slice(s - 3, s + 1); // The 4th rounding digit may be in error by -1 so if the 4 rounding digits // are 9999 or 4999 (i.e. approaching a rounding boundary) continue the // iteration. if (n == '9999' || !rep && n == '4999') { // On the first iteration only, check to see if rounding up gives the // exact result as the nines may infinitely repeat. if (!rep) { round(t, t.e + DECIMAL_PLACES + 2, 0); if (t.times(t).eq(x)) { r = t; break; } } dp += 4; s += 4; rep = 1; } else { // If rounding digits are null, 0{0,4} or 50{0,3}, check for exact // result. If not, then there are further digits and m will be truthy. if (!+n || !+n.slice(1) && n.charAt(0) == '5') { // Truncate to the first rounding digit. round(r, r.e + DECIMAL_PLACES + 2, 1); m = !r.times(r).eq(x); } break; } } } } return round(r, r.e + DECIMAL_PLACES + 1, ROUNDING_MODE, m); }; /* * Return a string representing the value of this BigNumber in exponential notation and * rounded using ROUNDING_MODE to dp fixed decimal places. * * [dp] {number} Decimal places. Integer, 0 to MAX inclusive. * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {dp|rm}' */ P.toExponential = function (dp, rm) { if (dp != null) { intCheck(dp, 0, MAX); dp++; } return format(this, dp, rm, 1); }; /* * Return a string representing the value of this BigNumber in fixed-point notation rounding * to dp fixed decimal places using rounding mode rm, or ROUNDING_MODE if rm is omitted. * * Note: as with JavaScript's number type, (-0).toFixed(0) is '0', * but e.g. (-0.00001).toFixed(0) is '-0'. * * [dp] {number} Decimal places. Integer, 0 to MAX inclusive. * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {dp|rm}' */ P.toFixed = function (dp, rm) { if (dp != null) { intCheck(dp, 0, MAX); dp = dp + this.e + 1; } return format(this, dp, rm); }; /* * Return a string representing the value of this BigNumber in fixed-point notation rounded * using rm or ROUNDING_MODE to dp decimal places, and formatted according to the properties * of the format or FORMAT object (see BigNumber.set). * * The formatting object may contain some or all of the properties shown below. * * FORMAT = { * prefix: '', * groupSize: 3, * secondaryGroupSize: 0, * groupSeparator: ',', * decimalSeparator: '.', * fractionGroupSize: 0, * fractionGroupSeparator: '\xA0', // non-breaking space * suffix: '' * }; * * [dp] {number} Decimal places. Integer, 0 to MAX inclusive. * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * [format] {object} Formatting options. See FORMAT pbject above. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {dp|rm}' * '[BigNumber Error] Argument not an object: {format}' */ P.toFormat = function (dp, rm, format) { var str, x = this; if (format == null) { if (dp != null && rm && typeof rm == 'object') { format = rm; rm = null; } else if (dp && typeof dp == 'object') { format = dp; dp = rm = null; } else { format = FORMAT; } } else if (typeof format != 'object') { throw Error(bignumberError + 'Argument not an object: ' + format); } str = x.toFixed(dp, rm); if (x.c) { var i, arr = str.split('.'), g1 = +format.groupSize, g2 = +format.secondaryGroupSize, groupSeparator = format.groupSeparator || '', intPart = arr[0], fractionPart = arr[1], isNeg = x.s < 0, intDigits = isNeg ? intPart.slice(1) : intPart, len = intDigits.length; if (g2) i = g1, g1 = g2, g2 = i, len -= i; if (g1 > 0 && len > 0) { i = len % g1 || g1; intPart = intDigits.substr(0, i); for (; i < len; i += g1) intPart += groupSeparator + intDigits.substr(i, g1); if (g2 > 0) intPart += groupSeparator + intDigits.slice(i); if (isNeg) intPart = '-' + intPart; } str = fractionPart ? intPart + (format.decimalSeparator || '') + ((g2 = +format.fractionGroupSize) ? fractionPart.replace(new RegExp('\\d{' + g2 + '}\\B', 'g'), '$&' + (format.fractionGroupSeparator || '')) : fractionPart) : intPart; } return (format.prefix || '') + str + (format.suffix || ''); }; /* * Return an array of two BigNumbers representing the value of this BigNumber as a simple * fraction with an integer numerator and an integer denominator. * The denominator will be a positive non-zero value less than or equal to the specified * maximum denominator. If a maximum denominator is not specified, the denominator will be * the lowest value necessary to represent the number exactly. * * [md] {number|string|BigNumber} Integer >= 1, or Infinity. The maximum denominator. * * '[BigNumber Error] Argument {not an integer|out of range} : {md}' */ P.toFraction = function (md) { var d, d0, d1, d2, e, exp, n, n0, n1, q, r, s, x = this, xc = x.c; if (md != null) { n = new BigNumber(md); // Throw if md is less than one or is not an integer, unless it is Infinity. if (!n.isInteger() && (n.c || n.s !== 1) || n.lt(ONE)) { throw Error(bignumberError + 'Argument ' + (n.isInteger() ? 'out of range: ' : 'not an integer: ') + valueOf(n)); } } if (!xc) return new BigNumber(x); d = new BigNumber(ONE); n1 = d0 = new BigNumber(ONE); d1 = n0 = new BigNumber(ONE); s = coeffToString(xc); // Determine initial denominator. // d is a power of 10 and the minimum max denominator that specifies the value exactly. e = d.e = s.length - x.e - 1; d.c[0] = POWS_TEN[(exp = e % LOG_BASE) < 0 ? LOG_BASE + exp : exp]; md = !md || n.comparedTo(d) > 0 ? e > 0 ? d : n1 : n; exp = MAX_EXP; MAX_EXP = 1 / 0; n = new BigNumber(s); // n0 = d1 = 0 n0.c[0] = 0; for (;;) { q = div(n, d, 0, 1); d2 = d0.plus(q.times(d1)); if (d2.comparedTo(md) == 1) break; d0 = d1; d1 = d2; n1 = n0.plus(q.times(d2 = n1)); n0 = d2; d = n.minus(q.times(d2 = d)); n = d2; } d2 = div(md.minus(d0), d1, 0, 1); n0 = n0.plus(d2.times(n1)); d0 = d0.plus(d2.times(d1)); n0.s = n1.s = x.s; e = e * 2; // Determine which fraction is closer to x, n0/d0 or n1/d1 r = div(n1, d1, e, ROUNDING_MODE).minus(x).abs().comparedTo(div(n0, d0, e, ROUNDING_MODE).minus(x).abs()) < 1 ? [n1, d1] : [n0, d0]; MAX_EXP = exp; return r; }; /* * Return the value of this BigNumber converted to a number primitive. */ P.toNumber = function () { return +valueOf(this); }; /* * Return a string representing the value of this BigNumber rounded to sd significant digits * using rounding mode rm or ROUNDING_MODE. If sd is less than the number of digits * necessary to represent the integer part of the value in fixed-point notation, then use * exponential notation. * * [sd] {number} Significant digits. Integer, 1 to MAX inclusive. * [rm] {number} Rounding mode. Integer, 0 to 8 inclusive. * * '[BigNumber Error] Argument {not a primitive number|not an integer|out of range}: {sd|rm}' */ P.toPrecision = function (sd, rm) { if (sd != null) intCheck(sd, 1, MAX); return format(this, sd, rm, 2); }; /* * Return a string representing the value of this BigNumber in base b, or base 10 if b is * omitted. If a base is specified, including base 10, round according to DECIMAL_PLACES and * ROUNDING_MODE. If a base is not specified, and this BigNumber has a positive exponent * that is equal to or greater than TO_EXP_POS, or a negative exponent equal to or less than * TO_EXP_NEG, return exponential notation. * * [b] {number} Integer, 2 to ALPHABET.length inclusive. * * '[BigNumber Error] Base {not a primitive number|not an integer|out of range}: {b}' */ P.toString = function (b) { var str, n = this, s = n.s, e = n.e; // Infinity or NaN? if (e === null) { if (s) { str = 'Infinity'; if (s < 0) str = '-' + str; } else { str = 'NaN'; } } else { if (b == null) { str = e <= TO_EXP_NEG || e >= TO_EXP_POS ? toExponential(coeffToString(n.c), e) : toFixedPoint(coeffToString(n.c), e, '0'); } else if (b === 10) { n = round(new BigNumber(n), DECIMAL_PLACES + e + 1, ROUNDING_MODE); str = toFixedPoint(coeffToString(n.c), n.e, '0'); } else { intCheck(b, 2, ALPHABET.length, 'Base'); str = convertBase(toFixedPoint(coeffToString(n.c), e, '0'), 10, b, s, true); } if (s < 0 && n.c[0]) str = '-' + str; } return str; }; /* * Return as toString, but do not accept a base argument, and include the minus sign for * negative zero. */ P.valueOf = P.toJSON = function () { return valueOf(this); }; P._isBigNumber = true; if (configObject != null) BigNumber.set(configObject); return BigNumber; } // PRIVATE HELPER FUNCTIONS // These functions don't need access to variables, // e.g. DECIMAL_PLACES, in the scope of the `clone` function above. function bitFloor(n) { var i = n | 0; return n > 0 || n === i ? i : i - 1; } // Return a coefficient array as a string of base 10 digits. function coeffToString(a) { var s, z, i = 1, j = a.length, r = a[0] + ''; for (; i < j;) { s = a[i++] + ''; z = LOG_BASE - s.length; for (; z--; s = '0' + s); r += s; } // Determine trailing zeros. for (j = r.length; r.charCodeAt(--j) === 48;); return r.slice(0, j + 1 || 1); } // Compare the value of BigNumbers x and y. function compare(x, y) { var a, b, xc = x.c, yc = y.c, i = x.s, j = y.s, k = x.e, l = y.e; // Either NaN? if (!i || !j) return null; a = xc && !xc[0]; b = yc && !yc[0]; // Either zero? if (a || b) return a ? b ? 0 : -j : i; // Signs differ? if (i != j) return i; a = i < 0; b = k == l; // Either Infinity? if (!xc || !yc) return b ? 0 : !xc ^ a ? 1 : -1; // Compare exponents. if (!b) return k > l ^ a ? 1 : -1; j = (k = xc.length) < (l = yc.length) ? k : l; // Compare digit by digit. for (i = 0; i < j; i++) if (xc[i] != yc[i]) return xc[i] > yc[i] ^ a ? 1 : -1; // Compare lengths. return k == l ? 0 : k > l ^ a ? 1 : -1; } /* * Check that n is a primitive number, an integer, and in range, otherwise throw. */ function intCheck(n, min, max, name) { if (n < min || n > max || n !== mathfloor(n)) { throw Error(bignumberError + (name || 'Argument') + (typeof n == 'number' ? n < min || n > max ? ' out of range: ' : ' not an integer: ' : ' not a primitive number: ') + String(n)); } } // Assumes finite n. function isOdd(n) { var k = n.c.length - 1; return bitFloor(n.e / LOG_BASE) == k && n.c[k] % 2 != 0; } function toExponential(str, e) { return (str.length > 1 ? str.charAt(0) + '.' + str.slice(1) : str) + (e < 0 ? 'e' : 'e+') + e; } function toFixedPoint(str, e, z) { var len, zs; // Negative exponent? if (e < 0) { // Prepend zeros. for (zs = z + '.'; ++e; zs += z); str = zs + str; // Positive exponent } else { len = str.length; // Append zeros. if (++e > len) { for (zs = z, e -= len; --e; zs += z); str += zs; } else if (e < len) { str = str.slice(0, e) + '.' + str.slice(e); } } return str; } // EXPORT BigNumber = clone(); BigNumber['default'] = BigNumber.BigNumber = BigNumber; // AMD. if (true) { !(__WEBPACK_AMD_DEFINE_RESULT__ = (function () { return BigNumber; }).call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); // Node.js and other environments that support module.exports. } else {} })(void 0); /***/ }), /* 20 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var basex = __webpack_require__(204); var ALPHABET = '123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz'; module.exports = basex(ALPHABET); /***/ }), /* 21 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.source = __webpack_require__(175); exports.through = __webpack_require__(378); exports.sink = __webpack_require__(176); exports.duplex = __webpack_require__(379); /***/ }), /* 22 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) {/* * Id is an object representation of a peer Id. a peer Id is a multihash */ const mh = __webpack_require__(14); const cryptoKeys = __webpack_require__(227); const assert = __webpack_require__(53); const waterfall = __webpack_require__(151); const withIs = __webpack_require__(27); class PeerId { constructor(id, privKey, pubKey) { assert(Buffer.isBuffer(id), 'invalid id provided'); if (privKey && pubKey) { assert(privKey.public.bytes.equals(pubKey.bytes), 'inconsistent arguments'); } this._id = id; this._idB58String = mh.toB58String(this.id); this._privKey = privKey; this._pubKey = pubKey; } get id() { return this._id; } set id(val) { throw new Error('Id is immutable'); } get privKey() { return this._privKey; } set privKey(privKey) { this._privKey = privKey; } get pubKey() { if (this._pubKey) { return this._pubKey; } if (this._privKey) { return this._privKey.public; } } set pubKey(pubKey) { this._pubKey = pubKey; } // Return the protobuf version of the public key, matching go ipfs formatting marshalPubKey() { if (this.pubKey) { return cryptoKeys.marshalPublicKey(this.pubKey); } } // Return the protobuf version of the private key, matching go ipfs formatting marshalPrivKey() { if (this.privKey) { return cryptoKeys.marshalPrivateKey(this.privKey); } } toPrint() { let pid = this.toB58String(); // All sha256 nodes start with Qm // We can skip the Qm to make the peer.ID more useful if (pid.startsWith('Qm')) { pid = pid.slice(2); } let maxRunes = 6; if (pid.length < maxRunes) { maxRunes = pid.length; } return ''; } // return the jsonified version of the key, matching the formatting // of go-ipfs for its config file toJSON() { return { id: this.toB58String(), privKey: toB64Opt(this.marshalPrivKey()), pubKey: toB64Opt(this.marshalPubKey()) }; } // encode/decode functions toHexString() { return mh.toHexString(this.id); } toBytes() { return this.id; } toB58String() { return this._idB58String; } isEqual(id) { if (Buffer.isBuffer(id)) { return this.id.equals(id); } else if (id.id) { return this.id.equals(id.id); } else { throw new Error('not valid Id'); } } /* * Check if this PeerId instance is valid (privKey -> pubKey -> Id) */ isValid(callback) { // TODO Needs better checking if (this.privKey && this.privKey.public && this.privKey.public.bytes && Buffer.isBuffer(this.pubKey.bytes) && this.privKey.public.bytes.equals(this.pubKey.bytes)) { callback(); } else { callback(new Error('Keys not match')); } } } const PeerIdWithIs = withIs(PeerId, { className: 'PeerId', symbolName: '@libp2p/js-peer-id/PeerId' }); exports = module.exports = PeerIdWithIs; const computeDigest = (pubKey, cb) => { if (pubKey.bytes.length <= 42) { const digest = mh.encode(pubKey.bytes, 'identity'); cb(null, digest); } else { pubKey.hash((err, digest) => { cb(err, digest); }); } }; const computePeerId = (privKey, pubKey, cb) => { computeDigest(pubKey, (err, digest) => { if (err != null) { cb(err); } else { cb(null, new PeerIdWithIs(digest, privKey, pubKey)); } }); }; // generation exports.create = function (opts, callback) { if (typeof opts === 'function') { callback = opts; opts = {}; } opts = opts || {}; opts.bits = opts.bits || 2048; opts.keyType = opts.keyType || 'RSA'; cryptoKeys.generateKeyPair(opts.keyType, opts.bits, (err, privKey) => { if (err != null) { callback(err); } else { computePeerId(privKey, privKey.public, callback); } }); }; exports.createFromHexString = function (str) { return new PeerIdWithIs(mh.fromHexString(str)); }; exports.createFromBytes = function (buf) { return new PeerIdWithIs(buf); }; exports.createFromB58String = function (str) { return new PeerIdWithIs(mh.fromB58String(str)); }; // Public Key input will be a buffer exports.createFromPubKey = function (key, callback) { if (typeof callback !== 'function') { throw new Error('callback is required'); } let pubKey; try { let buf = key; if (typeof buf === 'string') { buf = Buffer.from(key, 'base64'); } if (!Buffer.isBuffer(buf)) throw new Error('Supplied key is neither a base64 string nor a buffer'); pubKey = cryptoKeys.unmarshalPublicKey(buf); } catch (err) { return callback(err); } computePeerId(null, pubKey, callback); }; // Private key input will be a string exports.createFromPrivKey = function (key, callback) { if (typeof callback !== 'function') { throw new Error('callback is required'); } let buf = key; try { if (typeof buf === 'string') { buf = Buffer.from(key, 'base64'); } if (!Buffer.isBuffer(buf)) throw new Error('Supplied key is neither a base64 string nor a buffer'); } catch (err) { return callback(err); } cryptoKeys.unmarshalPrivateKey(buf, (err, privKey) => { if (err != null) { callback(err); } else { computePeerId(privKey, privKey.public, callback); } }); }; exports.createFromJSON = function (obj, callback) { if (typeof callback !== 'function') { throw new Error('callback is required'); } let id; let rawPrivKey; let rawPubKey; let pub; try { id = mh.fromB58String(obj.id); rawPrivKey = obj.privKey && Buffer.from(obj.privKey, 'base64'); rawPubKey = obj.pubKey && Buffer.from(obj.pubKey, 'base64'); pub = rawPubKey && cryptoKeys.unmarshalPublicKey(rawPubKey); } catch (err) { return callback(err); } if (!rawPrivKey) { callback(null, new PeerIdWithIs(id, null, pub)); return; } waterfall([cb => cryptoKeys.unmarshalPrivateKey(rawPrivKey, cb), (priv, cb) => { computeDigest(priv.public, (err, digest) => { cb(err, digest, priv); }); }, (privDigest, priv, cb) => { if (pub) { computeDigest(pub, (err, pubDigest) => { cb(err, privDigest, priv, pubDigest); }); } else { cb(null, privDigest, priv); } }], (err, privDigest, priv, pubDigest) => { if (err) { return callback(err); } if (pub && !privDigest.equals(pubDigest)) { return callback(new Error('Public and private key do not match')); } if (id && !privDigest.equals(id)) { return callback(new Error('Id and private key do not match')); } callback(null, new PeerIdWithIs(id, priv, pub)); }); }; exports.isPeerId = function (peerId) { return Boolean(typeof peerId === 'object' && peerId._id && peerId._idB58String); }; function toB64Opt(val) { if (val) { return val.toString('base64'); } } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 23 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // a duplex stream is just a stream that is both readable and writable. // Since JS doesn't have multiple prototypal inheritance, this class // prototypally inherits from Readable, and then parasitically from // Writable. /**/ var pna = __webpack_require__(51); /**/ /**/ var objectKeys = Object.keys || function (obj) { var keys = []; for (var key in obj) { keys.push(key); } return keys; }; /**/ module.exports = Duplex; /**/ var util = __webpack_require__(40); util.inherits = __webpack_require__(2); /**/ var Readable = __webpack_require__(139); var Writable = __webpack_require__(84); util.inherits(Duplex, Readable); { // avoid scope creep, the keys array can then be collected var keys = objectKeys(Writable.prototype); for (var v = 0; v < keys.length; v++) { var method = keys[v]; if (!Duplex.prototype[method]) Duplex.prototype[method] = Writable.prototype[method]; } } function Duplex(options) { if (!(this instanceof Duplex)) return new Duplex(options); Readable.call(this, options); Writable.call(this, options); if (options && options.readable === false) this.readable = false; if (options && options.writable === false) this.writable = false; this.allowHalfOpen = true; if (options && options.allowHalfOpen === false) this.allowHalfOpen = false; this.once('end', onend); } Object.defineProperty(Duplex.prototype, 'writableHighWaterMark', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState.highWaterMark; } }); // the no-half-open enforcer function onend() { // if we allow half-open state, or if the writable side ended, // then we're ok. if (this.allowHalfOpen || this._writableState.ended) return; // no more data can be written. // But allow more writes to happen in this tick. pna.nextTick(onEndNT, this); } function onEndNT(self) { self.end(); } Object.defineProperty(Duplex.prototype, 'destroyed', { get: function get() { if (this._readableState === undefined || this._writableState === undefined) { return false; } return this._readableState.destroyed && this._writableState.destroyed; }, set: function set(value) { // we ignore the value if the stream // has not been initialized yet if (this._readableState === undefined || this._writableState === undefined) { return; } // backward compatibility, the user is explicitly // managing destroyed this._readableState.destroyed = value; this._writableState.destroyed = value; } }); Duplex.prototype._destroy = function (err, cb) { this.push(null); this.end(); pna.nextTick(cb, err); }; /***/ }), /* 24 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. /**/ var Buffer = __webpack_require__(8).Buffer; /**/ var isEncoding = Buffer.isEncoding || function (encoding) { encoding = '' + encoding; switch (encoding && encoding.toLowerCase()) { case 'hex': case 'utf8': case 'utf-8': case 'ascii': case 'binary': case 'base64': case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': case 'raw': return true; default: return false; } }; function _normalizeEncoding(enc) { if (!enc) return 'utf8'; var retried; while (true) { switch (enc) { case 'utf8': case 'utf-8': return 'utf8'; case 'ucs2': case 'ucs-2': case 'utf16le': case 'utf-16le': return 'utf16le'; case 'latin1': case 'binary': return 'latin1'; case 'base64': case 'ascii': case 'hex': return enc; default: if (retried) return; // undefined enc = ('' + enc).toLowerCase(); retried = true; } } } ; // Do not cache `Buffer.isEncoding` when checking encoding names as some // modules monkey-patch it to support additional encodings function normalizeEncoding(enc) { var nenc = _normalizeEncoding(enc); if (typeof nenc !== 'string' && (Buffer.isEncoding === isEncoding || !isEncoding(enc))) throw new Error('Unknown encoding: ' + enc); return nenc || enc; } // StringDecoder provides an interface for efficiently splitting a series of // buffers into a series of JS strings without breaking apart multi-byte // characters. exports.StringDecoder = StringDecoder; function StringDecoder(encoding) { this.encoding = normalizeEncoding(encoding); var nb; switch (this.encoding) { case 'utf16le': this.text = utf16Text; this.end = utf16End; nb = 4; break; case 'utf8': this.fillLast = utf8FillLast; nb = 4; break; case 'base64': this.text = base64Text; this.end = base64End; nb = 3; break; default: this.write = simpleWrite; this.end = simpleEnd; return; } this.lastNeed = 0; this.lastTotal = 0; this.lastChar = Buffer.allocUnsafe(nb); } StringDecoder.prototype.write = function (buf) { if (buf.length === 0) return ''; var r; var i; if (this.lastNeed) { r = this.fillLast(buf); if (r === undefined) return ''; i = this.lastNeed; this.lastNeed = 0; } else { i = 0; } if (i < buf.length) return r ? r + this.text(buf, i) : this.text(buf, i); return r || ''; }; StringDecoder.prototype.end = utf8End; // Returns only complete characters in a Buffer StringDecoder.prototype.text = utf8Text; // Attempts to complete a partial non-UTF-8 character using bytes from a Buffer StringDecoder.prototype.fillLast = function (buf) { if (this.lastNeed <= buf.length) { buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, this.lastNeed); return this.lastChar.toString(this.encoding, 0, this.lastTotal); } buf.copy(this.lastChar, this.lastTotal - this.lastNeed, 0, buf.length); this.lastNeed -= buf.length; }; // Checks the type of a UTF-8 byte, whether it's ASCII, a leading byte, or a // continuation byte. If an invalid byte is detected, -2 is returned. function utf8CheckByte(byte) { if (byte <= 0x7F) return 0;else if (byte >> 5 === 0x06) return 2;else if (byte >> 4 === 0x0E) return 3;else if (byte >> 3 === 0x1E) return 4; return byte >> 6 === 0x02 ? -1 : -2; } // Checks at most 3 bytes at the end of a Buffer in order to detect an // incomplete multi-byte UTF-8 character. The total number of bytes (2, 3, or 4) // needed to complete the UTF-8 character (if applicable) are returned. function utf8CheckIncomplete(self, buf, i) { var j = buf.length - 1; if (j < i) return 0; var nb = utf8CheckByte(buf[j]); if (nb >= 0) { if (nb > 0) self.lastNeed = nb - 1; return nb; } if (--j < i || nb === -2) return 0; nb = utf8CheckByte(buf[j]); if (nb >= 0) { if (nb > 0) self.lastNeed = nb - 2; return nb; } if (--j < i || nb === -2) return 0; nb = utf8CheckByte(buf[j]); if (nb >= 0) { if (nb > 0) { if (nb === 2) nb = 0;else self.lastNeed = nb - 3; } return nb; } return 0; } // Validates as many continuation bytes for a multi-byte UTF-8 character as // needed or are available. If we see a non-continuation byte where we expect // one, we "replace" the validated continuation bytes we've seen so far with // a single UTF-8 replacement character ('\ufffd'), to match v8's UTF-8 decoding // behavior. The continuation byte check is included three times in the case // where all of the continuation bytes for a character exist in the same buffer. // It is also done this way as a slight performance increase instead of using a // loop. function utf8CheckExtraBytes(self, buf, p) { if ((buf[0] & 0xC0) !== 0x80) { self.lastNeed = 0; return '\ufffd'; } if (self.lastNeed > 1 && buf.length > 1) { if ((buf[1] & 0xC0) !== 0x80) { self.lastNeed = 1; return '\ufffd'; } if (self.lastNeed > 2 && buf.length > 2) { if ((buf[2] & 0xC0) !== 0x80) { self.lastNeed = 2; return '\ufffd'; } } } } // Attempts to complete a multi-byte UTF-8 character using bytes from a Buffer. function utf8FillLast(buf) { var p = this.lastTotal - this.lastNeed; var r = utf8CheckExtraBytes(this, buf, p); if (r !== undefined) return r; if (this.lastNeed <= buf.length) { buf.copy(this.lastChar, p, 0, this.lastNeed); return this.lastChar.toString(this.encoding, 0, this.lastTotal); } buf.copy(this.lastChar, p, 0, buf.length); this.lastNeed -= buf.length; } // Returns all complete UTF-8 characters in a Buffer. If the Buffer ended on a // partial character, the character's bytes are buffered until the required // number of bytes are available. function utf8Text(buf, i) { var total = utf8CheckIncomplete(this, buf, i); if (!this.lastNeed) return buf.toString('utf8', i); this.lastTotal = total; var end = buf.length - (total - this.lastNeed); buf.copy(this.lastChar, 0, end); return buf.toString('utf8', i, end); } // For UTF-8, a replacement character is added when ending on a partial // character. function utf8End(buf) { var r = buf && buf.length ? this.write(buf) : ''; if (this.lastNeed) return r + '\ufffd'; return r; } // UTF-16LE typically needs two bytes per character, but even if we have an even // number of bytes available, we need to check if we end on a leading/high // surrogate. In that case, we need to wait for the next two bytes in order to // decode the last character properly. function utf16Text(buf, i) { if ((buf.length - i) % 2 === 0) { var r = buf.toString('utf16le', i); if (r) { var c = r.charCodeAt(r.length - 1); if (c >= 0xD800 && c <= 0xDBFF) { this.lastNeed = 2; this.lastTotal = 4; this.lastChar[0] = buf[buf.length - 2]; this.lastChar[1] = buf[buf.length - 1]; return r.slice(0, -1); } } return r; } this.lastNeed = 1; this.lastTotal = 2; this.lastChar[0] = buf[buf.length - 1]; return buf.toString('utf16le', i, buf.length - 1); } // For UTF-16LE we do not explicitly append special replacement characters if we // end on a partial character, we simply let v8 handle that. function utf16End(buf) { var r = buf && buf.length ? this.write(buf) : ''; if (this.lastNeed) { var end = this.lastTotal - this.lastNeed; return r + this.lastChar.toString('utf16le', 0, end); } return r; } function base64Text(buf, i) { var n = (buf.length - i) % 3; if (n === 0) return buf.toString('base64', i); this.lastNeed = 3 - n; this.lastTotal = 3; if (n === 1) { this.lastChar[0] = buf[buf.length - 1]; } else { this.lastChar[0] = buf[buf.length - 2]; this.lastChar[1] = buf[buf.length - 1]; } return buf.toString('base64', i, buf.length - n); } function base64End(buf) { var r = buf && buf.length ? this.write(buf) : ''; if (this.lastNeed) return r + this.lastChar.toString('base64', 0, 3 - this.lastNeed); return r; } // Pass bytes on through for single-byte encodings (e.g. ascii, latin1, hex) function simpleWrite(buf) { return buf.toString(this.encoding); } function simpleEnd(buf) { return buf && buf.length ? this.write(buf) : ''; } /***/ }), /* 25 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const TransformStream = __webpack_require__(6).Transform; /* Transforms a stream of {Name, Hash} objects to include size of the DAG object. Usage: inputStream.pipe(new FileResultStreamConverter()) Input object format: { Name: '/path/to/file/foo.txt', Hash: 'Qma4hjFTnCasJ8PVp3mZbZK5g2vGDT4LByLJ7m8ciyRFZP' Size: '20' } Output object format: { path: '/path/to/file/foo.txt', hash: 'Qma4hjFTnCasJ8PVp3mZbZK5g2vGDT4LByLJ7m8ciyRFZP', size: 20 } */ class FileResultStreamConverter extends TransformStream { constructor(options) { const opts = Object.assign({}, options || {}, { objectMode: true }); super(opts); } _transform(obj, enc, callback) { if (!obj.Hash) { return callback(); } callback(null, { path: obj.Name, hash: obj.Hash, size: parseInt(obj.Size, 10) }); } } module.exports = FileResultStreamConverter; /***/ }), /* 26 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const pump = __webpack_require__(11); const concat = __webpack_require__(42); /* Concatenate a stream to a single value. */ function streamToValue(response, callback) { let data; pump(response, concat(d => { data = d; }), err => callback(err, data)); } module.exports = streamToValue; /***/ }), /* 27 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function withIs(Class, _ref) { let { className, symbolName } = _ref; const symbol = Symbol.for(symbolName); const ClassIsWrapper = { // The code below assigns the class wrapper to an object to trick // JavaScript engines to show the name of the extended class when // logging an instances. // We are assigning an anonymous class (class wrapper) to the object // with key `className` to keep the correct name. // If this is not supported it falls back to logging `ClassIsWrapper`. [className]: class extends Class { constructor() { super(...arguments); Object.defineProperty(this, symbol, { value: true }); } get [Symbol.toStringTag]() { return className; } } }[className]; ClassIsWrapper["is".concat(className)] = obj => !!(obj && obj[symbol]); return ClassIsWrapper; } function withIsProto(Class, _ref2) { let { className, symbolName, withoutNew } = _ref2; const symbol = Symbol.for(symbolName); /* eslint-disable object-shorthand */ const ClassIsWrapper = { [className]: function () { for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } if (withoutNew && !(this instanceof ClassIsWrapper)) { return new ClassIsWrapper(...args); } const _this = Class.call(this, ...args) || this; if (_this && !_this[symbol]) { Object.defineProperty(_this, symbol, { value: true }); } return _this; } }[className]; /* eslint-enable object-shorthand */ ClassIsWrapper.prototype = Object.create(Class.prototype); ClassIsWrapper.prototype.constructor = ClassIsWrapper; Object.defineProperty(ClassIsWrapper.prototype, Symbol.toStringTag, { get() { return className; } }); ClassIsWrapper["is".concat(className)] = obj => !!(obj && obj[symbol]); return ClassIsWrapper; } module.exports = withIs; module.exports.proto = withIsProto; /***/ }), /* 28 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global) { var scope = typeof global !== "undefined" && global || typeof self !== "undefined" && self || window; var apply = Function.prototype.apply; // DOM APIs, for completeness exports.setTimeout = function () { return new Timeout(apply.call(setTimeout, scope, arguments), clearTimeout); }; exports.setInterval = function () { return new Timeout(apply.call(setInterval, scope, arguments), clearInterval); }; exports.clearTimeout = exports.clearInterval = function (timeout) { if (timeout) { timeout.close(); } }; function Timeout(id, clearFn) { this._id = id; this._clearFn = clearFn; } Timeout.prototype.unref = Timeout.prototype.ref = function () {}; Timeout.prototype.close = function () { this._clearFn.call(scope, this._id); }; // Does not start the time, just sets up the members needed. exports.enroll = function (item, msecs) { clearTimeout(item._idleTimeoutId); item._idleTimeout = msecs; }; exports.unenroll = function (item) { clearTimeout(item._idleTimeoutId); item._idleTimeout = -1; }; exports._unrefActive = exports.active = function (item) { clearTimeout(item._idleTimeoutId); var msecs = item._idleTimeout; if (msecs >= 0) { item._idleTimeoutId = setTimeout(function onTimeout() { if (item._onTimeout) item._onTimeout(); }, msecs); } }; // setimmediate attaches itself to the global object __webpack_require__(238); // On some exotic environments, it's not clear which object `setimmediate` was // able to install onto. Search each possibility in the same order as the // `setimmediate` library. exports.setImmediate = typeof self !== "undefined" && self.setImmediate || typeof global !== "undefined" && global.setImmediate || void 0 && (void 0).setImmediate; exports.clearImmediate = typeof self !== "undefined" && self.clearImmediate || typeof global !== "undefined" && global.clearImmediate || void 0 && (void 0).clearImmediate; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10))) /***/ }), /* 29 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Node.js module for Forge message digests. * * @author Dave Longley * * Copyright 2011-2017 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); module.exports = forge.md = forge.md || {}; forge.md.algorithms = forge.md.algorithms || {}; /***/ }), /* 30 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Buffer = __webpack_require__(8).Buffer; // prototype class for hash functions function Hash(blockSize, finalSize) { this._block = Buffer.alloc(blockSize); this._finalSize = finalSize; this._blockSize = blockSize; this._len = 0; } Hash.prototype.update = function (data, enc) { if (typeof data === 'string') { enc = enc || 'utf8'; data = Buffer.from(data, enc); } var block = this._block; var blockSize = this._blockSize; var length = data.length; var accum = this._len; for (var offset = 0; offset < length;) { var assigned = accum % blockSize; var remainder = Math.min(length - offset, blockSize - assigned); for (var i = 0; i < remainder; i++) { block[assigned + i] = data[offset + i]; } accum += remainder; offset += remainder; if (accum % blockSize === 0) { this._update(block); } } this._len += length; return this; }; Hash.prototype.digest = function (enc) { var rem = this._len % this._blockSize; this._block[rem] = 0x80; // zero (rem + 1) trailing bits, where (rem + 1) is the smallest // non-negative solution to the equation (length + 1 + (rem + 1)) === finalSize mod blockSize this._block.fill(0, rem + 1); if (rem >= this._finalSize) { this._update(this._block); this._block.fill(0); } var bits = this._len * 8; // uint32 if (bits <= 0xffffffff) { this._block.writeUInt32BE(bits, this._blockSize - 4); // uint64 } else { var lowBits = (bits & 0xffffffff) >>> 0; var highBits = (bits - lowBits) / 0x100000000; this._block.writeUInt32BE(highBits, this._blockSize - 8); this._block.writeUInt32BE(lowBits, this._blockSize - 4); } this._update(this._block); var hash = this._hash(); return enc ? hash.toString(enc) : hash; }; Hash.prototype._update = function () { throw new Error('_update must be implemented by subclass'); }; module.exports = Hash; /***/ }), /* 31 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; } var codes = {}; function createErrorType(code, message, Base) { if (!Base) { Base = Error; } function getMessage(arg1, arg2, arg3) { if (typeof message === 'string') { return message; } else { return message(arg1, arg2, arg3); } } var NodeError = /*#__PURE__*/ function (_Base) { _inheritsLoose(NodeError, _Base); function NodeError(arg1, arg2, arg3) { return _Base.call(this, getMessage(arg1, arg2, arg3)) || this; } return NodeError; }(Base); NodeError.prototype.name = Base.name; NodeError.prototype.code = code; codes[code] = NodeError; } // https://github.com/nodejs/node/blob/v10.8.0/lib/internal/errors.js function oneOf(expected, thing) { if (Array.isArray(expected)) { var len = expected.length; expected = expected.map(function (i) { return String(i); }); if (len > 2) { return "one of ".concat(thing, " ").concat(expected.slice(0, len - 1).join(', '), ", or ") + expected[len - 1]; } else if (len === 2) { return "one of ".concat(thing, " ").concat(expected[0], " or ").concat(expected[1]); } else { return "of ".concat(thing, " ").concat(expected[0]); } } else { return "of ".concat(thing, " ").concat(String(expected)); } } // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/startsWith function startsWith(str, search, pos) { return str.substr(!pos || pos < 0 ? 0 : +pos, search.length) === search; } // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/endsWith function endsWith(str, search, this_len) { if (this_len === undefined || this_len > str.length) { this_len = str.length; } return str.substring(this_len - search.length, this_len) === search; } // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/includes function includes(str, search, start) { if (typeof start !== 'number') { start = 0; } if (start + search.length > str.length) { return false; } else { return str.indexOf(search, start) !== -1; } } createErrorType('ERR_INVALID_OPT_VALUE', function (name, value) { return 'The value "' + value + '" is invalid for option "' + name + '"'; }, TypeError); createErrorType('ERR_INVALID_ARG_TYPE', function (name, expected, actual) { // determiner: 'must be' or 'must not be' var determiner; if (typeof expected === 'string' && startsWith(expected, 'not ')) { determiner = 'must not be'; expected = expected.replace(/^not /, ''); } else { determiner = 'must be'; } var msg; if (endsWith(name, ' argument')) { // For cases like 'first argument' msg = "The ".concat(name, " ").concat(determiner, " ").concat(oneOf(expected, 'type')); } else { var type = includes(name, '.') ? 'property' : 'argument'; msg = "The \"".concat(name, "\" ").concat(type, " ").concat(determiner, " ").concat(oneOf(expected, 'type')); } msg += ". Received type ".concat(typeof actual); return msg; }, TypeError); createErrorType('ERR_STREAM_PUSH_AFTER_EOF', 'stream.push() after EOF'); createErrorType('ERR_METHOD_NOT_IMPLEMENTED', function (name) { return 'The ' + name + ' method is not implemented'; }); createErrorType('ERR_STREAM_PREMATURE_CLOSE', 'Premature close'); createErrorType('ERR_STREAM_DESTROYED', function (name) { return 'Cannot call ' + name + ' after a stream was destroyed'; }); createErrorType('ERR_MULTIPLE_CALLBACK', 'Callback called multiple times'); createErrorType('ERR_STREAM_CANNOT_PIPE', 'Cannot pipe, not readable'); createErrorType('ERR_STREAM_WRITE_AFTER_END', 'write after end'); createErrorType('ERR_STREAM_NULL_VALUES', 'May not write null values to stream', TypeError); createErrorType('ERR_UNKNOWN_ENCODING', function (arg) { return 'Unknown encoding: ' + arg; }, TypeError); createErrorType('ERR_STREAM_UNSHIFT_AFTER_END_EVENT', 'stream.unshift() after end event'); module.exports.codes = codes; /***/ }), /* 32 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) {// Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // a duplex stream is just a stream that is both readable and writable. // Since JS doesn't have multiple prototypal inheritance, this class // prototypally inherits from Readable, and then parasitically from // Writable. /**/ var objectKeys = Object.keys || function (obj) { var keys = []; for (var key in obj) { keys.push(key); } return keys; }; /**/ module.exports = Duplex; var Readable = __webpack_require__(156); var Writable = __webpack_require__(160); __webpack_require__(2)(Duplex, Readable); { // Allow the keys array to be GC'ed. var keys = objectKeys(Writable.prototype); for (var v = 0; v < keys.length; v++) { var method = keys[v]; if (!Duplex.prototype[method]) Duplex.prototype[method] = Writable.prototype[method]; } } function Duplex(options) { if (!(this instanceof Duplex)) return new Duplex(options); Readable.call(this, options); Writable.call(this, options); this.allowHalfOpen = true; if (options) { if (options.readable === false) this.readable = false; if (options.writable === false) this.writable = false; if (options.allowHalfOpen === false) { this.allowHalfOpen = false; this.once('end', onend); } } } Object.defineProperty(Duplex.prototype, 'writableHighWaterMark', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState.highWaterMark; } }); Object.defineProperty(Duplex.prototype, 'writableBuffer', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState && this._writableState.getBuffer(); } }); Object.defineProperty(Duplex.prototype, 'writableLength', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState.length; } }); // the no-half-open enforcer function onend() { // If the writable side ended, then we're ok. if (this._writableState.ended) return; // no more data can be written. // But allow more writes to happen in this tick. process.nextTick(onEndNT, this); } function onEndNT(self) { self.end(); } Object.defineProperty(Duplex.prototype, 'destroyed', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { if (this._readableState === undefined || this._writableState === undefined) { return false; } return this._readableState.destroyed && this._writableState.destroyed; }, set: function set(value) { // we ignore the value if the stream // has not been initialized yet if (this._readableState === undefined || this._writableState === undefined) { return; } // backward compatibility, the user is explicitly // managing destroyed this._readableState.destroyed = value; this._writableState.destroyed = value; } }); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 33 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const { Duplex } = __webpack_require__(6); const eachSeries = __webpack_require__(327); const isStream = __webpack_require__(55); const once = __webpack_require__(16); const prepareFile = __webpack_require__(354); const Multipart = __webpack_require__(361); function headers(file, i) { const filename = file.path ? encodeURIComponent(file.path) : ''; const header = { 'Content-Disposition': "form-data; name=\"data".concat(i, "\"; filename=\"").concat(filename, "\"") }; if (!file.content) { header['Content-Type'] = 'application/x-directory'; } else if (file.symlink) { header['Content-Type'] = 'application/symlink'; } else { header['Content-Type'] = 'application/octet-stream'; } return header; } module.exports = (send, path) => { return options => { let ended = false; let writing = false; options = options ? Object.assign({}, options, options.qs) : {}; const multipart = new Multipart(); const retStream = new Duplex({ objectMode: true }); retStream._read = n => {}; retStream._write = (file, enc, _next) => { const next = once(_next); try { const files = prepareFile(file, options).map((file, i) => Object.assign({ headers: headers(file, i) }, file)); writing = true; eachSeries(files, (file, cb) => multipart.write(file, enc, cb), err => { writing = false; if (err) { return next(err); } if (ended) { multipart.end(); } next(); }); } catch (err) { next(err); } }; retStream.once('finish', () => { if (!ended) { ended = true; if (!writing) { multipart.end(); } } }); const qs = options.qs || {}; qs['cid-version'] = propOrProp(options, 'cid-version', 'cidVersion'); qs['raw-leaves'] = propOrProp(options, 'raw-leaves', 'rawLeaves'); qs['only-hash'] = propOrProp(options, 'only-hash', 'onlyHash'); qs['wrap-with-directory'] = propOrProp(options, 'wrap-with-directory', 'wrapWithDirectory'); qs['pin'] = propOrProp(options, 'pin'); qs['preload'] = propOrProp(options, 'preload'); qs.hash = propOrProp(options, 'hash', 'hashAlg'); if (options.strategy === 'trickle' || options.trickle) { qs.trickle = 'true'; } const args = { path: path, qs: qs, args: options.args, multipart: true, multipartBoundary: multipart._boundary, stream: true, recursive: true, progress: options.progress }; multipart.on('error', err => { retStream.emit('error', err); }); const request = send(args, (err, response) => { if (err) { return retStream.emit('error', err); } if (!response) { // no response, which means everything is ok, so we end the retStream return retStream.push(null); // early } if (!isStream(response)) { retStream.push(response); retStream.push(null); return; } response.on('error', err => retStream.emit('error', err)); if (options.converter) { response.on('data', d => { if (d.Bytes && options.progress) { options.progress(d.Bytes); } }); const Converter = options.converter; const convertedResponse = new Converter(); convertedResponse.once('end', () => retStream.push(null)); convertedResponse.on('data', d => retStream.push(d)); response.pipe(convertedResponse); } else { response.on('data', d => { if (d.Bytes && options.progress) { options.progress(d.Bytes); } retStream.push(d); }); response.once('end', () => retStream.push(null)); } }); // signal the multipart that the underlying stream has drained and that // it can continue producing data.. request.on('drain', () => multipart.emit('drain')); multipart.pipe(request); return retStream; }; }; function propOrProp(source, prop1, prop2) { if (prop1 in source) { return source[prop1]; } else if (prop2 in source) { return source[prop2]; } } /***/ }), /* 34 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const streamToValue = __webpack_require__(26); function streamToValueWithTransformer(response, transformer, callback) { if (typeof response.pipe === 'function') { streamToValue(response, (err, res) => { if (err) { return callback(err); } transformer(res, callback); }); } else { transformer(response, callback); } } module.exports = streamToValueWithTransformer; /***/ }), /* 35 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const SendOneFileMultipleResults = __webpack_require__(93); module.exports = (send, path) => { const sendFile = SendOneFileMultipleResults(send, path); return (file, options, callback) => { sendFile(file, options, (err, results) => { if (err) { return callback(err); } callback(null, results[0]); }); }; }; /***/ }), /* 36 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const CID = __webpack_require__(5); const assert = __webpack_require__(53); const withIs = __webpack_require__(27); const visibility = __webpack_require__(190); // Link represents an IPFS Merkle DAG Link between Nodes. class DAGLink { constructor(name, size, cid) { assert(cid, 'A link requires a cid to point to'); // assert(size, 'A link requires a size') // note - links should include size, but this assert is disabled // for now to maintain consistency with go-ipfs pinset this._name = name || ''; this._nameBuf = null; this._size = size; this._cid = new CID(cid); // Make sure we have a nice public API that can be used by an IPLD resolver visibility.hidePrivateFields(this); visibility.addEnumerableGetters(this, ['Hash', 'Name', 'Tsize']); } toString() { return "DAGLink <".concat(this._cid.toBaseEncodedString(), " - name: \"").concat(this.Name, "\", size: ").concat(this.Tsize, ">"); } toJSON() { if (!this._json) { this._json = Object.freeze({ name: this.Name, size: this.Tsize, cid: this.Hash.toBaseEncodedString() }); } return Object.assign({}, this._json); } get Name() { return this._name; } // Memoize the Buffer representation of name // We need this to sort the links, otherwise // we will reallocate new buffers every time get nameAsBuffer() { if (this._nameBuf !== null) { return this._nameBuf; } this._nameBuf = Buffer.from(this._name); return this._nameBuf; } set Name(name) { throw new Error("Can't set property: 'name' is immutable"); } get Tsize() { return this._size; } set Tsize(size) { throw new Error("Can't set property: 'size' is immutable"); } get Hash() { return this._cid; } set Hash(cid) { throw new Error("Can't set property: 'cid' is immutable"); } } exports = module.exports = withIs(DAGLink, { className: 'DAGLink', symbolName: '@ipld/js-ipld-dag-pb/daglink' }); exports.util = __webpack_require__(451); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 37 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) {/** * Implementation of the multicodec specification. * * @module multicodec * @example * const multicodec = require('multicodec') * * const prefixedProtobuf = multicodec.addPrefix('protobuf', protobufBuffer) * // prefixedProtobuf 0x50... * */ const varint = __webpack_require__(12); const codecNameToCodeVarint = __webpack_require__(222); const codeToCodecName = __webpack_require__(223); const util = __webpack_require__(111); exports = module.exports; /** * Prefix a buffer with a multicodec-packed. * * @param {string|number} multicodecStrOrCode * @param {Buffer} data * @returns {Buffer} */ exports.addPrefix = (multicodecStrOrCode, data) => { let prefix; if (Buffer.isBuffer(multicodecStrOrCode)) { prefix = util.varintBufferEncode(multicodecStrOrCode); } else { if (codecNameToCodeVarint[multicodecStrOrCode]) { prefix = codecNameToCodeVarint[multicodecStrOrCode]; } else { throw new Error('multicodec not recognized'); } } return Buffer.concat([prefix, data]); }; /** * Decapsulate the multicodec-packed prefix from the data. * * @param {Buffer} data * @returns {Buffer} */ exports.rmPrefix = data => { varint.decode(data); return data.slice(varint.decode.bytes); }; /** * Get the codec of the prefixed data. * @param {Buffer} prefixedData * @returns {string} */ exports.getCodec = prefixedData => { const code = util.varintBufferDecode(prefixedData); const codecName = codeToCodecName[code.toString('hex')]; if (codecName === undefined) { throw new Error('Code `0x' + code.toString('hex') + '` not found'); } return codecName; }; /** * Get the name of the codec. * @param {number} codec * @returns {string} */ exports.getName = codec => { return codeToCodecName[codec.toString(16)]; }; /** * Get the code of the codec * @param {string} name * @returns {number} */ exports.getNumber = name => { const code = codecNameToCodeVarint[name]; if (code === undefined) { throw new Error('Codec `' + name + '` not found'); } return util.varintBufferDecode(code)[0]; }; /** * Get the code of the prefixed data. * @param {Buffer} prefixedData * @returns {number} */ exports.getCode = prefixedData => { return varint.decode(prefixedData); }; /** * Get the code as varint of a codec name. * @param {string} codecName * @returns {Buffer} */ exports.getCodeVarint = codecName => { const code = codecNameToCodeVarint[codecName]; if (code === undefined) { throw new Error('Codec `' + codecName + '` not found'); } return code; }; /** * Get the varint of a code. * @param {Number} code * @returns {Array.} */ exports.getVarint = code => { return varint.encode(code); }; // Make the constants top-level constants const constants = __webpack_require__(224); Object.assign(exports, constants); // Human friendly names for printing, e.g. in error messages exports.print = __webpack_require__(225); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 38 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const inherits = __webpack_require__(2); const Reporter = __webpack_require__(80).Reporter; const Buffer = __webpack_require__(0).Buffer; function DecoderBuffer(base, options) { Reporter.call(this, options); if (!Buffer.isBuffer(base)) { this.error('Input not Buffer'); return; } this.base = base; this.offset = 0; this.length = base.length; } inherits(DecoderBuffer, Reporter); exports.DecoderBuffer = DecoderBuffer; DecoderBuffer.isDecoderBuffer = function isDecoderBuffer(data) { if (data instanceof DecoderBuffer) { return true; } // Or accept compatible API const isCompatible = typeof data === 'object' && Buffer.isBuffer(data.base) && data.constructor.name === 'DecoderBuffer' && typeof data.offset === 'number' && typeof data.length === 'number' && typeof data.save === 'function' && typeof data.restore === 'function' && typeof data.isEmpty === 'function' && typeof data.readUInt8 === 'function' && typeof data.skip === 'function' && typeof data.raw === 'function'; return isCompatible; }; DecoderBuffer.prototype.save = function save() { return { offset: this.offset, reporter: Reporter.prototype.save.call(this) }; }; DecoderBuffer.prototype.restore = function restore(save) { // Return skipped data const res = new DecoderBuffer(this.base); res.offset = save.offset; res.length = this.offset; this.offset = save.offset; Reporter.prototype.restore.call(this, save.reporter); return res; }; DecoderBuffer.prototype.isEmpty = function isEmpty() { return this.offset === this.length; }; DecoderBuffer.prototype.readUInt8 = function readUInt8(fail) { if (this.offset + 1 <= this.length) return this.base.readUInt8(this.offset++, true);else return this.error(fail || 'DecoderBuffer overrun'); }; DecoderBuffer.prototype.skip = function skip(bytes, fail) { if (!(this.offset + bytes <= this.length)) return this.error(fail || 'DecoderBuffer overrun'); const res = new DecoderBuffer(this.base); // Share reporter state res._reporterState = this._reporterState; res.offset = this.offset; res.length = this.offset + bytes; this.offset += bytes; return res; }; DecoderBuffer.prototype.raw = function raw(save) { return this.base.slice(save ? save.offset : this.offset, this.length); }; function EncoderBuffer(value, reporter) { if (Array.isArray(value)) { this.length = 0; this.value = value.map(function (item) { if (!EncoderBuffer.isEncoderBuffer(item)) item = new EncoderBuffer(item, reporter); this.length += item.length; return item; }, this); } else if (typeof value === 'number') { if (!(0 <= value && value <= 0xff)) return reporter.error('non-byte EncoderBuffer value'); this.value = value; this.length = 1; } else if (typeof value === 'string') { this.value = value; this.length = Buffer.byteLength(value); } else if (Buffer.isBuffer(value)) { this.value = value; this.length = value.length; } else { return reporter.error('Unsupported type: ' + typeof value); } } exports.EncoderBuffer = EncoderBuffer; EncoderBuffer.isEncoderBuffer = function isEncoderBuffer(data) { if (data instanceof EncoderBuffer) { return true; } // Or accept compatible API const isCompatible = typeof data === 'object' && data.constructor.name === 'EncoderBuffer' && typeof data.length === 'number' && typeof data.join === 'function'; return isCompatible; }; EncoderBuffer.prototype.join = function join(out, offset) { if (!out) out = new Buffer(this.length); if (!offset) offset = 0; if (this.length === 0) return out; if (Array.isArray(this.value)) { this.value.forEach(function (item) { item.join(out, offset); offset += item.length; }); } else { if (typeof this.value === 'number') out[offset] = this.value;else if (typeof this.value === 'string') out.write(this.value, offset);else if (Buffer.isBuffer(this.value)) this.value.copy(out, offset); offset += this.length; } return out; }; /***/ }), /* 39 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. var R = typeof Reflect === 'object' ? Reflect : null; var ReflectApply = R && typeof R.apply === 'function' ? R.apply : function ReflectApply(target, receiver, args) { return Function.prototype.apply.call(target, receiver, args); }; var ReflectOwnKeys; if (R && typeof R.ownKeys === 'function') { ReflectOwnKeys = R.ownKeys; } else if (Object.getOwnPropertySymbols) { ReflectOwnKeys = function ReflectOwnKeys(target) { return Object.getOwnPropertyNames(target).concat(Object.getOwnPropertySymbols(target)); }; } else { ReflectOwnKeys = function ReflectOwnKeys(target) { return Object.getOwnPropertyNames(target); }; } function ProcessEmitWarning(warning) { if (console && console.warn) console.warn(warning); } var NumberIsNaN = Number.isNaN || function NumberIsNaN(value) { return value !== value; }; function EventEmitter() { EventEmitter.init.call(this); } module.exports = EventEmitter; // Backwards-compat with node 0.10.x EventEmitter.EventEmitter = EventEmitter; EventEmitter.prototype._events = undefined; EventEmitter.prototype._eventsCount = 0; EventEmitter.prototype._maxListeners = undefined; // By default EventEmitters will print a warning if more than 10 listeners are // added to it. This is a useful default which helps finding memory leaks. var defaultMaxListeners = 10; Object.defineProperty(EventEmitter, 'defaultMaxListeners', { enumerable: true, get: function get() { return defaultMaxListeners; }, set: function set(arg) { if (typeof arg !== 'number' || arg < 0 || NumberIsNaN(arg)) { throw new RangeError('The value of "defaultMaxListeners" is out of range. It must be a non-negative number. Received ' + arg + '.'); } defaultMaxListeners = arg; } }); EventEmitter.init = function () { if (this._events === undefined || this._events === Object.getPrototypeOf(this)._events) { this._events = Object.create(null); this._eventsCount = 0; } this._maxListeners = this._maxListeners || undefined; }; // Obviously not all Emitters should be limited to 10. This function allows // that to be increased. Set to zero for unlimited. EventEmitter.prototype.setMaxListeners = function setMaxListeners(n) { if (typeof n !== 'number' || n < 0 || NumberIsNaN(n)) { throw new RangeError('The value of "n" is out of range. It must be a non-negative number. Received ' + n + '.'); } this._maxListeners = n; return this; }; function $getMaxListeners(that) { if (that._maxListeners === undefined) return EventEmitter.defaultMaxListeners; return that._maxListeners; } EventEmitter.prototype.getMaxListeners = function getMaxListeners() { return $getMaxListeners(this); }; EventEmitter.prototype.emit = function emit(type) { var args = []; for (var i = 1; i < arguments.length; i++) args.push(arguments[i]); var doError = type === 'error'; var events = this._events; if (events !== undefined) doError = doError && events.error === undefined;else if (!doError) return false; // If there is no 'error' event listener then throw. if (doError) { var er; if (args.length > 0) er = args[0]; if (er instanceof Error) { // Note: The comments on the `throw` lines are intentional, they show // up in Node's output if this results in an unhandled exception. throw er; // Unhandled 'error' event } // At least give some kind of context to the user var err = new Error('Unhandled error.' + (er ? ' (' + er.message + ')' : '')); err.context = er; throw err; // Unhandled 'error' event } var handler = events[type]; if (handler === undefined) return false; if (typeof handler === 'function') { ReflectApply(handler, this, args); } else { var len = handler.length; var listeners = arrayClone(handler, len); for (var i = 0; i < len; ++i) ReflectApply(listeners[i], this, args); } return true; }; function _addListener(target, type, listener, prepend) { var m; var events; var existing; if (typeof listener !== 'function') { throw new TypeError('The "listener" argument must be of type Function. Received type ' + typeof listener); } events = target._events; if (events === undefined) { events = target._events = Object.create(null); target._eventsCount = 0; } else { // To avoid recursion in the case that type === "newListener"! Before // adding it to the listeners, first emit "newListener". if (events.newListener !== undefined) { target.emit('newListener', type, listener.listener ? listener.listener : listener); // Re-assign `events` because a newListener handler could have caused the // this._events to be assigned to a new object events = target._events; } existing = events[type]; } if (existing === undefined) { // Optimize the case of one listener. Don't need the extra array object. existing = events[type] = listener; ++target._eventsCount; } else { if (typeof existing === 'function') { // Adding the second element, need to change to array. existing = events[type] = prepend ? [listener, existing] : [existing, listener]; // If we've already got an array, just append. } else if (prepend) { existing.unshift(listener); } else { existing.push(listener); } // Check for listener leak m = $getMaxListeners(target); if (m > 0 && existing.length > m && !existing.warned) { existing.warned = true; // No error code for this since it is a Warning // eslint-disable-next-line no-restricted-syntax var w = new Error('Possible EventEmitter memory leak detected. ' + existing.length + ' ' + String(type) + ' listeners ' + 'added. Use emitter.setMaxListeners() to ' + 'increase limit'); w.name = 'MaxListenersExceededWarning'; w.emitter = target; w.type = type; w.count = existing.length; ProcessEmitWarning(w); } } return target; } EventEmitter.prototype.addListener = function addListener(type, listener) { return _addListener(this, type, listener, false); }; EventEmitter.prototype.on = EventEmitter.prototype.addListener; EventEmitter.prototype.prependListener = function prependListener(type, listener) { return _addListener(this, type, listener, true); }; function onceWrapper() { var args = []; for (var i = 0; i < arguments.length; i++) args.push(arguments[i]); if (!this.fired) { this.target.removeListener(this.type, this.wrapFn); this.fired = true; ReflectApply(this.listener, this.target, args); } } function _onceWrap(target, type, listener) { var state = { fired: false, wrapFn: undefined, target: target, type: type, listener: listener }; var wrapped = onceWrapper.bind(state); wrapped.listener = listener; state.wrapFn = wrapped; return wrapped; } EventEmitter.prototype.once = function once(type, listener) { if (typeof listener !== 'function') { throw new TypeError('The "listener" argument must be of type Function. Received type ' + typeof listener); } this.on(type, _onceWrap(this, type, listener)); return this; }; EventEmitter.prototype.prependOnceListener = function prependOnceListener(type, listener) { if (typeof listener !== 'function') { throw new TypeError('The "listener" argument must be of type Function. Received type ' + typeof listener); } this.prependListener(type, _onceWrap(this, type, listener)); return this; }; // Emits a 'removeListener' event if and only if the listener was removed. EventEmitter.prototype.removeListener = function removeListener(type, listener) { var list, events, position, i, originalListener; if (typeof listener !== 'function') { throw new TypeError('The "listener" argument must be of type Function. Received type ' + typeof listener); } events = this._events; if (events === undefined) return this; list = events[type]; if (list === undefined) return this; if (list === listener || list.listener === listener) { if (--this._eventsCount === 0) this._events = Object.create(null);else { delete events[type]; if (events.removeListener) this.emit('removeListener', type, list.listener || listener); } } else if (typeof list !== 'function') { position = -1; for (i = list.length - 1; i >= 0; i--) { if (list[i] === listener || list[i].listener === listener) { originalListener = list[i].listener; position = i; break; } } if (position < 0) return this; if (position === 0) list.shift();else { spliceOne(list, position); } if (list.length === 1) events[type] = list[0]; if (events.removeListener !== undefined) this.emit('removeListener', type, originalListener || listener); } return this; }; EventEmitter.prototype.off = EventEmitter.prototype.removeListener; EventEmitter.prototype.removeAllListeners = function removeAllListeners(type) { var listeners, events, i; events = this._events; if (events === undefined) return this; // not listening for removeListener, no need to emit if (events.removeListener === undefined) { if (arguments.length === 0) { this._events = Object.create(null); this._eventsCount = 0; } else if (events[type] !== undefined) { if (--this._eventsCount === 0) this._events = Object.create(null);else delete events[type]; } return this; } // emit removeListener for all listeners on all events if (arguments.length === 0) { var keys = Object.keys(events); var key; for (i = 0; i < keys.length; ++i) { key = keys[i]; if (key === 'removeListener') continue; this.removeAllListeners(key); } this.removeAllListeners('removeListener'); this._events = Object.create(null); this._eventsCount = 0; return this; } listeners = events[type]; if (typeof listeners === 'function') { this.removeListener(type, listeners); } else if (listeners !== undefined) { // LIFO order for (i = listeners.length - 1; i >= 0; i--) { this.removeListener(type, listeners[i]); } } return this; }; function _listeners(target, type, unwrap) { var events = target._events; if (events === undefined) return []; var evlistener = events[type]; if (evlistener === undefined) return []; if (typeof evlistener === 'function') return unwrap ? [evlistener.listener || evlistener] : [evlistener]; return unwrap ? unwrapListeners(evlistener) : arrayClone(evlistener, evlistener.length); } EventEmitter.prototype.listeners = function listeners(type) { return _listeners(this, type, true); }; EventEmitter.prototype.rawListeners = function rawListeners(type) { return _listeners(this, type, false); }; EventEmitter.listenerCount = function (emitter, type) { if (typeof emitter.listenerCount === 'function') { return emitter.listenerCount(type); } else { return listenerCount.call(emitter, type); } }; EventEmitter.prototype.listenerCount = listenerCount; function listenerCount(type) { var events = this._events; if (events !== undefined) { var evlistener = events[type]; if (typeof evlistener === 'function') { return 1; } else if (evlistener !== undefined) { return evlistener.length; } } return 0; } EventEmitter.prototype.eventNames = function eventNames() { return this._eventsCount > 0 ? ReflectOwnKeys(this._events) : []; }; function arrayClone(arr, n) { var copy = new Array(n); for (var i = 0; i < n; ++i) copy[i] = arr[i]; return copy; } function spliceOne(list, index) { for (; index + 1 < list.length; index++) list[index] = list[index + 1]; list.pop(); } function unwrapListeners(arr) { var ret = new Array(arr.length); for (var i = 0; i < ret.length; ++i) { ret[i] = arr[i].listener || arr[i]; } return ret; } /***/ }), /* 40 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // NOTE: These type checking functions intentionally don't use `instanceof` // because it is fragile and can be easily faked with `Object.create()`. function isArray(arg) { if (Array.isArray) { return Array.isArray(arg); } return objectToString(arg) === '[object Array]'; } exports.isArray = isArray; function isBoolean(arg) { return typeof arg === 'boolean'; } exports.isBoolean = isBoolean; function isNull(arg) { return arg === null; } exports.isNull = isNull; function isNullOrUndefined(arg) { return arg == null; } exports.isNullOrUndefined = isNullOrUndefined; function isNumber(arg) { return typeof arg === 'number'; } exports.isNumber = isNumber; function isString(arg) { return typeof arg === 'string'; } exports.isString = isString; function isSymbol(arg) { return typeof arg === 'symbol'; } exports.isSymbol = isSymbol; function isUndefined(arg) { return arg === void 0; } exports.isUndefined = isUndefined; function isRegExp(re) { return objectToString(re) === '[object RegExp]'; } exports.isRegExp = isRegExp; function isObject(arg) { return typeof arg === 'object' && arg !== null; } exports.isObject = isObject; function isDate(d) { return objectToString(d) === '[object Date]'; } exports.isDate = isDate; function isError(e) { return objectToString(e) === '[object Error]' || e instanceof Error; } exports.isError = isError; function isFunction(arg) { return typeof arg === 'function'; } exports.isFunction = isFunction; function isPrimitive(arg) { return arg === null || typeof arg === 'boolean' || typeof arg === 'number' || typeof arg === 'string' || typeof arg === 'symbol' || // ES6 symbol typeof arg === 'undefined'; } exports.isPrimitive = isPrimitive; exports.isBuffer = Buffer.isBuffer; function objectToString(o) { return Object.prototype.toString.call(o); } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 41 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const PeerId = __webpack_require__(22); const { ensureMultiaddr } = __webpack_require__(154); const MultiaddrSet = __webpack_require__(316); const assert = __webpack_require__(53); // Peer represents a peer on the IPFS network class PeerInfo { constructor(peerId) { assert(peerId, 'Missing peerId. Use Peer.create(cb) to create one'); this.id = peerId; this.multiaddrs = new MultiaddrSet(); this.protocols = new Set(); this._connectedMultiaddr = undefined; } // only stores the current multiaddr being used connect(ma) { ma = ensureMultiaddr(ma); if (!this.multiaddrs.has(ma) && ma.toString() !== "/ipfs/".concat(this.id.toB58String())) { throw new Error('can\'t be connected to missing multiaddr from set'); } this._connectedMultiaddr = ma; } disconnect() { this._connectedMultiaddr = undefined; } isConnected() { return this._connectedMultiaddr; } } PeerInfo.create = (peerId, callback) => { if (typeof peerId === 'function') { callback = peerId; peerId = null; PeerId.create((err, id) => { if (err) { return callback(err); } callback(null, new PeerInfo(id)); }); return; } // Already a PeerId instance if (typeof peerId.toJSON === 'function') { callback(null, new PeerInfo(peerId)); } else { PeerId.createFromJSON(peerId, (err, id) => callback(err, new PeerInfo(id))); } }; PeerInfo.isPeerInfo = peerInfo => { return Boolean(typeof peerInfo === 'object' && peerInfo.id && peerInfo.multiaddrs); }; module.exports = PeerInfo; /***/ }), /* 42 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { var Writable = __webpack_require__(6).Writable; var inherits = __webpack_require__(2); var U8 = Uint8Array; function ConcatStream(opts, cb) { if (!(this instanceof ConcatStream)) return new ConcatStream(opts, cb); if (typeof opts === 'function') { cb = opts; opts = {}; } if (!opts) opts = {}; var encoding = opts.encoding; var shouldInferEncoding = false; if (!encoding) { shouldInferEncoding = true; } else { encoding = String(encoding).toLowerCase(); if (encoding === 'u8' || encoding === 'uint8') { encoding = 'uint8array'; } } Writable.call(this, { objectMode: true }); this.encoding = encoding; this.shouldInferEncoding = shouldInferEncoding; if (cb) this.on('finish', function () { cb(this.getBody()); }); this.body = []; } module.exports = ConcatStream; inherits(ConcatStream, Writable); ConcatStream.prototype._write = function (chunk, enc, next) { this.body.push(chunk); next(); }; ConcatStream.prototype.inferEncoding = function (buff) { var firstBuffer = buff === undefined ? this.body[0] : buff; if (Buffer.isBuffer(firstBuffer)) return 'buffer'; if (typeof Uint8Array !== 'undefined' && firstBuffer instanceof Uint8Array) return 'uint8array'; if (Array.isArray(firstBuffer)) return 'array'; if (typeof firstBuffer === 'string') return 'string'; if (Object.prototype.toString.call(firstBuffer) === "[object Object]") return 'object'; return 'buffer'; }; ConcatStream.prototype.getBody = function () { if (!this.encoding && this.body.length === 0) return []; if (this.shouldInferEncoding) this.encoding = this.inferEncoding(); if (this.encoding === 'array') return arrayConcat(this.body); if (this.encoding === 'string') return stringConcat(this.body); if (this.encoding === 'buffer') return bufferConcat(this.body); if (this.encoding === 'uint8array') return u8Concat(this.body); return this.body; }; function isArrayish(arr) { return /Array\]$/.test(Object.prototype.toString.call(arr)); } function isBufferish(p) { return typeof p === 'string' || isArrayish(p) || p && typeof p.subarray === 'function'; } function stringConcat(parts) { var strings = []; for (var i = 0; i < parts.length; i++) { var p = parts[i]; if (typeof p === 'string') { strings.push(p); } else if (Buffer.isBuffer(p)) { strings.push(p); } else if (isBufferish(p)) { strings.push(Buffer.from(p)); } else { strings.push(Buffer.from(String(p))); } } if (Buffer.isBuffer(parts[0])) { strings = Buffer.concat(strings); strings = strings.toString('utf8'); } else { strings = strings.join(''); } return strings; } function bufferConcat(parts) { var bufs = []; for (var i = 0; i < parts.length; i++) { var p = parts[i]; if (Buffer.isBuffer(p)) { bufs.push(p); } else if (isBufferish(p)) { bufs.push(Buffer.from(p)); } else { bufs.push(Buffer.from(String(p))); } } return Buffer.concat(bufs); } function arrayConcat(parts) { var res = []; for (var i = 0; i < parts.length; i++) { res.push.apply(res, parts[i]); } return res; } function u8Concat(parts) { var len = 0; for (var i = 0; i < parts.length; i++) { if (typeof parts[i] === 'string') { parts[i] = Buffer.from(parts[i]); } len += parts[i].length; } var u8 = new U8(len); for (var i = 0, offset = 0; i < parts.length; i++) { var part = parts[i]; for (var j = 0; j < part.length; j++) { u8[offset++] = part[j]; } } return u8; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 43 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function prop(key) { return key && ('string' == typeof key ? function (data) { return data[key]; } : 'object' === typeof key && 'function' === typeof key.exec //regexp ? function (data) { var v = key.exec(data); return v && v[0]; } : key); }; /***/ }), /* 44 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function drain(op, done) { var read, abort; function sink(_read) { read = _read; if (abort) return sink.abort() //this function is much simpler to write if you //just use recursion, but by using a while loop //we do not blow the stack if the stream happens to be sync. ; (function next() { var loop = true, cbed = false; while (loop) { cbed = false; read(null, function (end, data) { cbed = true; if (end = end || abort) { loop = false; if (done) done(end === true ? null : end);else if (end && end !== true) throw end; } else if (op && false === op(data) || abort) { loop = false; read(abort || true, done || function () {}); } else if (!loop) { next(); } }); if (!cbed) { loop = false; return; } } })(); } sink.abort = function (err, cb) { if ('function' == typeof err) cb = err, err = true; abort = err || true; if (read) return read(abort, cb || function () {}); }; return sink; }; /***/ }), /* 45 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.DAGNode = __webpack_require__(61); exports.DAGLink = __webpack_require__(36); /* * Functions to fulfil IPLD Format interface * https://github.com/ipld/interface-ipld-format */ exports.resolver = __webpack_require__(462); exports.util = __webpack_require__(63); exports.codec = exports.util.codec; exports.defaultHashAlg = exports.util.defaultHashAlg; /***/ }), /* 46 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* eslint-env browser */ function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } const ky = __webpack_require__(196).default; const { isBrowser, isWebWorker } = __webpack_require__(521); const { toUri } = __webpack_require__(523); const errorHandler = __webpack_require__(524); // Set default configuration and call create function with them module.exports = create => config => { config = config || {}; if (typeof config === 'string') { config = { apiAddr: config }; } else if (config.constructor && config.constructor.isMultiaddr) { config = { apiAddr: config }; } else { config = _objectSpread({}, config); } config.apiAddr = (config.apiAddr || getDefaultApiAddr(config)).toString(); config.apiAddr = config.apiAddr.startsWith('/') ? toUri(config.apiAddr) : config.apiAddr; config.apiPath = config.apiPath || config['api-path'] || '/api/v0'; return create(_objectSpread({ // TODO configure ky to use config.fetch when this is released: // https://github.com/sindresorhus/ky/pull/153 ky: ky.extend({ prefixUrl: config.apiAddr + config.apiPath, timeout: config.timeout || 60 * 1000, headers: config.headers, hooks: { afterResponse: [errorHandler] } }) }, config)); }; function getDefaultApiAddr(_ref) { let { protocol, host, port } = _ref; if (isBrowser || isWebWorker) { if (!protocol && !host && !port) { // Use current origin return ''; } if (!protocol) { protocol = location.protocol.startsWith('http') ? location.protocol.split(':')[0] : 'http'; } host = host || location.hostname; port = port || location.port; return "".concat(protocol, "://").concat(host).concat(port ? ':' + port : ''); } return "".concat(protocol || 'http', "://").concat(host || 'localhost', ":").concat(port || 5001); } /***/ }), /* 47 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) {/** * Implementation of the [multibase](https://github.com/multiformats/multibase) specification. * @module Multibase */ const constants = __webpack_require__(209); exports = module.exports = multibase; exports.encode = encode; exports.decode = decode; exports.isEncoded = isEncoded; exports.names = Object.freeze(Object.keys(constants.names)); exports.codes = Object.freeze(Object.keys(constants.codes)); const errNotSupported = new Error('Unsupported encoding'); /** * Create a new buffer with the multibase varint+code. * * @param {string|number} nameOrCode - The multibase name or code number. * @param {Buffer} buf - The data to be prefixed with multibase. * @memberof Multibase * @returns {Buffer} */ function multibase(nameOrCode, buf) { if (!buf) { throw new Error('requires an encoded buffer'); } const base = getBase(nameOrCode); const codeBuf = Buffer.from(base.code); const name = base.name; validEncode(name, buf); return Buffer.concat([codeBuf, buf]); } /** * Encode data with the specified base and add the multibase prefix. * * @param {string|number} nameOrCode - The multibase name or code number. * @param {Buffer} buf - The data to be encoded. * @returns {Buffer} * @memberof Multibase */ function encode(nameOrCode, buf) { const base = getBase(nameOrCode); const name = base.name; return multibase(name, Buffer.from(base.encode(buf))); } /** * Takes a buffer or string encoded with multibase header, decodes it and * returns the decoded buffer * * @param {Buffer|string} bufOrString * @returns {Buffer} * @memberof Multibase * */ function decode(bufOrString) { if (Buffer.isBuffer(bufOrString)) { bufOrString = bufOrString.toString(); } const code = bufOrString.substring(0, 1); bufOrString = bufOrString.substring(1, bufOrString.length); if (typeof bufOrString === 'string') { bufOrString = Buffer.from(bufOrString); } const base = getBase(code); return Buffer.from(base.decode(bufOrString.toString())); } /** * Is the given data multibase encoded? * * @param {Buffer|string} bufOrString * @returns {boolean} * @memberof Multibase */ function isEncoded(bufOrString) { if (Buffer.isBuffer(bufOrString)) { bufOrString = bufOrString.toString(); } // Ensure bufOrString is a string if (Object.prototype.toString.call(bufOrString) !== '[object String]') { return false; } const code = bufOrString.substring(0, 1); try { const base = getBase(code); return base.name; } catch (err) { return false; } } /** * @param {string} name * @param {Buffer} buf * @private * @returns {undefined} */ function validEncode(name, buf) { const base = getBase(name); base.decode(buf.toString()); } function getBase(nameOrCode) { let base; if (constants.names[nameOrCode]) { base = constants.names[nameOrCode]; } else if (constants.codes[nameOrCode]) { base = constants.codes[nameOrCode]; } else { throw errNotSupported; } if (!base.isImplemented()) { throw new Error('Base ' + nameOrCode + ' is not implemented yet'); } return base; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 48 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { var schema = __webpack_require__(228); var compile = __webpack_require__(232); var flatten = function flatten(values) { if (!values) return null; var result = {}; Object.keys(values).forEach(function (k) { result[k] = values[k].value; }); return result; }; module.exports = function (proto, opts) { if (!opts) opts = {}; if (!proto) throw new Error('Pass in a .proto string or a protobuf-schema parsed object'); var sch = typeof proto === 'object' && !Buffer.isBuffer(proto) ? proto : schema.parse(proto); // to not make toString,toJSON enumarable we make a fire-and-forget prototype var Messages = function Messages() { var self = this; compile(sch, opts.encodings || {}).forEach(function (m) { self[m.name] = flatten(m.values) || m; }); }; Messages.prototype.toString = function () { return schema.stringify(sch); }; Messages.prototype.toJSON = function () { return sch; }; return new Messages(); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 49 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * An API for getting cryptographically-secure random bytes. The bytes are * generated using the Fortuna algorithm devised by Bruce Schneier and * Niels Ferguson. * * Getting strong random bytes is not yet easy to do in javascript. The only * truish random entropy that can be collected is from the mouse, keyboard, or * from timing with respect to page loads, etc. This generator makes a poor * attempt at providing random bytes when those sources haven't yet provided * enough entropy to initially seed or to reseed the PRNG. * * @author Dave Longley * * Copyright (c) 2009-2014 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); __webpack_require__(114); __webpack_require__(241); __webpack_require__(242); __webpack_require__(9); (function () { // forge.random already defined if (forge.random && forge.random.getBytes) { module.exports = forge.random; return; } (function (jQuery) { // the default prng plugin, uses AES-128 var prng_aes = {}; var _prng_aes_output = new Array(4); var _prng_aes_buffer = forge.util.createBuffer(); prng_aes.formatKey = function (key) { // convert the key into 32-bit integers var tmp = forge.util.createBuffer(key); key = new Array(4); key[0] = tmp.getInt32(); key[1] = tmp.getInt32(); key[2] = tmp.getInt32(); key[3] = tmp.getInt32(); // return the expanded key return forge.aes._expandKey(key, false); }; prng_aes.formatSeed = function (seed) { // convert seed into 32-bit integers var tmp = forge.util.createBuffer(seed); seed = new Array(4); seed[0] = tmp.getInt32(); seed[1] = tmp.getInt32(); seed[2] = tmp.getInt32(); seed[3] = tmp.getInt32(); return seed; }; prng_aes.cipher = function (key, seed) { forge.aes._updateBlock(key, seed, _prng_aes_output, false); _prng_aes_buffer.putInt32(_prng_aes_output[0]); _prng_aes_buffer.putInt32(_prng_aes_output[1]); _prng_aes_buffer.putInt32(_prng_aes_output[2]); _prng_aes_buffer.putInt32(_prng_aes_output[3]); return _prng_aes_buffer.getBytes(); }; prng_aes.increment = function (seed) { // FIXME: do we care about carry or signed issues? ++seed[3]; return seed; }; prng_aes.md = forge.md.sha256; /** * Creates a new PRNG. */ function spawnPrng() { var ctx = forge.prng.create(prng_aes); /** * Gets random bytes. If a native secure crypto API is unavailable, this * method tries to make the bytes more unpredictable by drawing from data that * can be collected from the user of the browser, eg: mouse movement. * * If a callback is given, this method will be called asynchronously. * * @param count the number of random bytes to get. * @param [callback(err, bytes)] called once the operation completes. * * @return the random bytes in a string. */ ctx.getBytes = function (count, callback) { return ctx.generate(count, callback); }; /** * Gets random bytes asynchronously. If a native secure crypto API is * unavailable, this method tries to make the bytes more unpredictable by * drawing from data that can be collected from the user of the browser, * eg: mouse movement. * * @param count the number of random bytes to get. * * @return the random bytes in a string. */ ctx.getBytesSync = function (count) { return ctx.generate(count); }; return ctx; } // create default prng context var _ctx = spawnPrng(); // add other sources of entropy only if window.crypto.getRandomValues is not // available -- otherwise this source will be automatically used by the prng var getRandomValues = null; if (typeof window !== 'undefined') { var _crypto = window.crypto || window.msCrypto; if (_crypto && _crypto.getRandomValues) { getRandomValues = function getRandomValues(arr) { return _crypto.getRandomValues(arr); }; } } if (forge.options.usePureJavaScript || !forge.util.isNodejs && !getRandomValues) { // if this is a web worker, do not use weak entropy, instead register to // receive strong entropy asynchronously from the main thread if (typeof window === 'undefined' || window.document === undefined) {} // FIXME: // get load time entropy _ctx.collectInt(+new Date(), 32); // add some entropy from navigator object if (typeof navigator !== 'undefined') { var _navBytes = ''; for (var key in navigator) { try { if (typeof navigator[key] == 'string') { _navBytes += navigator[key]; } } catch (e) { /* Some navigator keys might not be accessible, e.g. the geolocation attribute throws an exception if touched in Mozilla chrome:// context. Silently ignore this and just don't use this as a source of entropy. */ } } _ctx.collect(_navBytes); _navBytes = null; } // add mouse and keyboard collectors if jquery is available if (jQuery) { // set up mouse entropy capture jQuery().mousemove(function (e) { // add mouse coords _ctx.collectInt(e.clientX, 16); _ctx.collectInt(e.clientY, 16); }); // set up keyboard entropy capture jQuery().keypress(function (e) { _ctx.collectInt(e.charCode, 8); }); } } /* Random API */ if (!forge.random) { forge.random = _ctx; } else { // extend forge.random with _ctx for (var key in _ctx) { forge.random[key] = _ctx[key]; } } // expose spawn PRNG forge.random.createInstance = spawnPrng; module.exports = forge.random; })(typeof jQuery !== 'undefined' ? jQuery : null); })(); /***/ }), /* 50 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = slice; function slice(arrayLike, start) { start = start | 0; var newLen = Math.max(arrayLike.length - start, 0); var newArr = Array(newLen); for (var idx = 0; idx < newLen; idx++) { newArr[idx] = arrayLike[start + idx]; } return newArr; } module.exports = exports["default"]; /***/ }), /* 51 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { if (typeof process === 'undefined' || !process.version || process.version.indexOf('v0.') === 0 || process.version.indexOf('v1.') === 0 && process.version.indexOf('v1.8.') !== 0) { module.exports = { nextTick: nextTick }; } else { module.exports = process; } function nextTick(fn, arg1, arg2, arg3) { if (typeof fn !== 'function') { throw new TypeError('"callback" argument must be a function'); } var len = arguments.length; var args, i; switch (len) { case 0: case 1: return process.nextTick(fn); case 2: return process.nextTick(function afterTickOne() { fn.call(null, arg1); }); case 3: return process.nextTick(function afterTickTwo() { fn.call(null, arg1, arg2); }); case 4: return process.nextTick(function afterTickThree() { fn.call(null, arg1, arg2, arg3); }); default: args = new Array(len - 1); i = 0; while (i < args.length) { args[i++] = arguments[i]; } return process.nextTick(function afterTick() { fn.apply(null, args); }); } } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 52 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Buffer = __webpack_require__(8).Buffer; var optimized = __webpack_require__(302); function BN() { this.negative = 0; this.words = null; this.length = 0; } BN.fromNumber = function (n) { var bn = new BN(); bn.words = [n & 0x03ffffff]; bn.length = 1; return bn; }; BN.fromBuffer = function (b32) { var bn = new BN(); bn.words = new Array(10); bn.words[0] = (b32[28] & 0x03) << 24 | b32[29] << 16 | b32[30] << 8 | b32[31]; bn.words[1] = (b32[25] & 0x0F) << 22 | b32[26] << 14 | b32[27] << 6 | b32[28] >>> 2; bn.words[2] = (b32[22] & 0x3F) << 20 | b32[23] << 12 | b32[24] << 4 | b32[25] >>> 4; bn.words[3] = (b32[19] & 0xFF) << 18 | b32[20] << 10 | b32[21] << 2 | b32[22] >>> 6; bn.words[4] = (b32[15] & 0x03) << 24 | b32[16] << 16 | b32[17] << 8 | b32[18]; bn.words[5] = (b32[12] & 0x0F) << 22 | b32[13] << 14 | b32[14] << 6 | b32[15] >>> 2; bn.words[6] = (b32[9] & 0x3F) << 20 | b32[10] << 12 | b32[11] << 4 | b32[12] >>> 4; bn.words[7] = (b32[6] & 0xFF) << 18 | b32[7] << 10 | b32[8] << 2 | b32[9] >>> 6; bn.words[8] = (b32[2] & 0x03) << 24 | b32[3] << 16 | b32[4] << 8 | b32[5]; bn.words[9] = b32[0] << 14 | b32[1] << 6 | b32[2] >>> 2; bn.length = 10; return bn.strip(); }; BN.prototype.toBuffer = function () { var w = this.words; for (var i = this.length; i < 10; ++i) w[i] = 0; return Buffer.from([w[9] >>> 14 & 0xFF, w[9] >>> 6 & 0xFF, (w[9] & 0x3F) << 2 | w[8] >>> 24 & 0x03, // 0, 1, 2 w[8] >>> 16 & 0xFF, w[8] >>> 8 & 0xFF, w[8] & 0xFF, // 3, 4, 5 w[7] >>> 18 & 0xFF, w[7] >>> 10 & 0xFF, w[7] >>> 2 & 0xFF, // 6, 7, 8 (w[7] & 0x03) << 6 | w[6] >>> 20 & 0x3F, w[6] >>> 12 & 0xFF, w[6] >>> 4 & 0xFF, // 9, 10, 11 (w[6] & 0x0F) << 4 | w[5] >>> 22 & 0x0F, w[5] >>> 14 & 0xFF, w[5] >>> 6 & 0xFF, // 12, 13, 14 (w[5] & 0x3F) << 2 | w[4] >>> 24 & 0x03, w[4] >>> 16 & 0xFF, w[4] >>> 8 & 0xFF, w[4] & 0xFF, // 15, 16, 17, 18 w[3] >>> 18 & 0xFF, w[3] >>> 10 & 0xFF, w[3] >>> 2 & 0xFF, // 19, 20, 21 (w[3] & 0x03) << 6 | w[2] >>> 20 & 0x3F, w[2] >>> 12 & 0xFF, w[2] >>> 4 & 0xFF, // 22, 23, 24 (w[2] & 0x0F) << 4 | w[1] >>> 22 & 0x0F, w[1] >>> 14 & 0xFF, w[1] >>> 6 & 0xFF, // 25, 26, 27 (w[1] & 0x3F) << 2 | w[0] >>> 24 & 0x03, w[0] >>> 16 & 0xFF, w[0] >>> 8 & 0xFF, w[0] & 0xFF // 28, 29, 30, 31 ]); }; BN.prototype.clone = function () { var r = new BN(); r.words = new Array(this.length); for (var i = 0; i < this.length; i++) r.words[i] = this.words[i]; r.length = this.length; r.negative = this.negative; return r; }; BN.prototype.strip = function () { while (this.length > 1 && (this.words[this.length - 1] | 0) === 0) this.length--; return this; }; BN.prototype.normSign = function () { // -0 = 0 if (this.length === 1 && this.words[0] === 0) this.negative = 0; return this; }; BN.prototype.isEven = function () { return (this.words[0] & 1) === 0; }; BN.prototype.isOdd = function () { return (this.words[0] & 1) === 1; }; BN.prototype.isZero = function () { return this.length === 1 && this.words[0] === 0; }; BN.prototype.ucmp = function (num) { if (this.length !== num.length) return this.length > num.length ? 1 : -1; for (var i = this.length - 1; i >= 0; --i) { if (this.words[i] !== num.words[i]) return this.words[i] > num.words[i] ? 1 : -1; } return 0; }; BN.prototype.gtOne = function () { return this.length > 1 || this.words[0] > 1; }; BN.prototype.isOverflow = function () { return this.ucmp(BN.n) >= 0; }; BN.prototype.isHigh = function () { return this.ucmp(BN.nh) === 1; }; BN.prototype.bitLengthGT256 = function () { return this.length > 10 || this.length === 10 && this.words[9] > 0x003fffff; }; BN.prototype.iuaddn = function (num) { this.words[0] += num; for (var i = 0; this.words[i] > 0x03ffffff && i < this.length; ++i) { this.words[i] -= 0x04000000; this.words[i + 1] += 1; } if (i === this.length) { this.words[i] = 1; this.length += 1; } return this; }; BN.prototype.iadd = function (num) { // (-this) + num -> -(this - num) // this + (-num) -> this - num if (this.negative !== num.negative) { if (this.negative !== 0) { this.negative = 0; this.isub(num); this.negative ^= 1; } else { num.negative = 0; this.isub(num); num.negative = 1; } return this.normSign(); } // a.length > b.length var a; var b; if (this.length > num.length) { a = this; b = num; } else { a = num; b = this; } for (var i = 0, carry = 0; i < b.length; ++i) { var word = a.words[i] + b.words[i] + carry; this.words[i] = word & 0x03ffffff; carry = word >>> 26; } for (; carry !== 0 && i < a.length; ++i) { word = a.words[i] + carry; this.words[i] = word & 0x03ffffff; carry = word >>> 26; } this.length = a.length; if (carry !== 0) { this.words[this.length++] = carry; } else if (a !== this) { for (; i < a.length; ++i) { this.words[i] = a.words[i]; } } return this; }; BN.prototype.add = function (num) { return this.clone().iadd(num); }; BN.prototype.isub = function (num) { // (-this) - num -> -(this + num) // this - (-num) -> this + num if (this.negative !== num.negative) { if (this.negative !== 0) { this.negative = 0; this.iadd(num); this.negative = 1; } else { num.negative = 0; this.iadd(num); num.negative = 1; } return this.normSign(); } var cmp = this.ucmp(num); if (cmp === 0) { this.negative = 0; this.words[0] = 0; this.length = 1; return this; } // a > b var a; var b; if (cmp > 0) { a = this; b = num; } else { a = num; b = this; } for (var i = 0, carry = 0; i < b.length; ++i) { var word = a.words[i] - b.words[i] + carry; carry = word >> 26; this.words[i] = word & 0x03ffffff; } for (; carry !== 0 && i < a.length; ++i) { word = a.words[i] + carry; carry = word >> 26; this.words[i] = word & 0x03ffffff; } if (carry === 0 && i < a.length && a !== this) { for (; i < a.length; ++i) this.words[i] = a.words[i]; } this.length = Math.max(this.length, i); if (a !== this) this.negative ^= 1; return this.strip().normSign(); }; BN.prototype.sub = function (num) { return this.clone().isub(num); }; BN.umulTo = function (num1, num2, out) { out.length = num1.length + num2.length - 1; var a1 = num1.words[0]; var b1 = num2.words[0]; var r1 = a1 * b1; var carry = r1 / 0x04000000 | 0; out.words[0] = r1 & 0x03ffffff; for (var k = 1, maxK = out.length; k < maxK; k++) { var ncarry = carry >>> 26; var rword = carry & 0x03ffffff; for (var j = Math.max(0, k - num1.length + 1), maxJ = Math.min(k, num2.length - 1); j <= maxJ; j++) { var i = k - j; var a = num1.words[i]; var b = num2.words[j]; var r = a * b + rword; ncarry += r / 0x04000000 | 0; rword = r & 0x03ffffff; } out.words[k] = rword; carry = ncarry; } if (carry !== 0) out.words[out.length++] = carry; return out.strip(); }; BN.umulTo10x10 = Math.imul ? optimized.umulTo10x10 : BN.umulTo; BN.umulnTo = function (num, k, out) { if (k === 0) { out.words = [0]; out.length = 1; return out; } for (var i = 0, carry = 0; i < num.length; ++i) { var r = num.words[i] * k + carry; out.words[i] = r & 0x03ffffff; carry = r / 0x04000000 | 0; } if (carry > 0) { out.words[i] = carry; out.length = num.length + 1; } else { out.length = num.length; } return out; }; BN.prototype.umul = function (num) { var out = new BN(); out.words = new Array(this.length + num.length); if (this.length === 10 && num.length === 10) { return BN.umulTo10x10(this, num, out); } else if (this.length === 1) { return BN.umulnTo(num, this.words[0], out); } else if (num.length === 1) { return BN.umulnTo(this, num.words[0], out); } else { return BN.umulTo(this, num, out); } }; BN.prototype.isplit = function (output) { output.length = Math.min(this.length, 9); for (var i = 0; i < output.length; ++i) output.words[i] = this.words[i]; if (this.length <= 9) { this.words[0] = 0; this.length = 1; return this; } // Shift by 9 limbs var prev = this.words[9]; output.words[output.length++] = prev & 0x003fffff; for (i = 10; i < this.length; ++i) { var word = this.words[i]; this.words[i - 10] = (word & 0x003fffff) << 4 | prev >>> 22; prev = word; } prev >>>= 22; this.words[i - 10] = prev; if (prev === 0 && this.length > 10) { this.length -= 10; } else { this.length -= 9; } return this; }; BN.prototype.fireduce = function () { if (this.isOverflow()) this.isub(BN.n); return this; }; BN.prototype.ureduce = function () { var num = this.clone().isplit(BN.tmp).umul(BN.nc).iadd(BN.tmp); if (num.bitLengthGT256()) { num = num.isplit(BN.tmp).umul(BN.nc).iadd(BN.tmp); if (num.bitLengthGT256()) num = num.isplit(BN.tmp).umul(BN.nc).iadd(BN.tmp); } return num.fireduce(); }; BN.prototype.ishrn = function (n) { var mask = (1 << n) - 1; var m = 26 - n; for (var i = this.length - 1, carry = 0; i >= 0; --i) { var word = this.words[i]; this.words[i] = carry << m | word >>> n; carry = word & mask; } if (this.length > 1 && this.words[this.length - 1] === 0) this.length -= 1; return this; }; BN.prototype.uinvm = function () { var x = this.clone(); var y = BN.n.clone(); // A * x + B * y = x var A = BN.fromNumber(1); var B = BN.fromNumber(0); // C * x + D * y = y var C = BN.fromNumber(0); var D = BN.fromNumber(1); while (x.isEven() && y.isEven()) { for (var k = 1, m = 1; (x.words[0] & m) === 0 && (y.words[0] & m) === 0 && k < 26; ++k, m <<= 1); x.ishrn(k); y.ishrn(k); } var yp = y.clone(); var xp = x.clone(); while (!x.isZero()) { for (var i = 0, im = 1; (x.words[0] & im) === 0 && i < 26; ++i, im <<= 1); if (i > 0) { x.ishrn(i); while (i-- > 0) { if (A.isOdd() || B.isOdd()) { A.iadd(yp); B.isub(xp); } A.ishrn(1); B.ishrn(1); } } for (var j = 0, jm = 1; (y.words[0] & jm) === 0 && j < 26; ++j, jm <<= 1); if (j > 0) { y.ishrn(j); while (j-- > 0) { if (C.isOdd() || D.isOdd()) { C.iadd(yp); D.isub(xp); } C.ishrn(1); D.ishrn(1); } } if (x.ucmp(y) >= 0) { x.isub(y); A.isub(C); B.isub(D); } else { y.isub(x); C.isub(A); D.isub(B); } } if (C.negative === 1) { C.negative = 0; var result = C.ureduce(); result.negative ^= 1; return result.normSign().iadd(BN.n); } else { return C.ureduce(); } }; BN.prototype.imulK = function () { this.words[this.length] = 0; this.words[this.length + 1] = 0; this.length += 2; for (var i = 0, lo = 0; i < this.length; ++i) { var w = this.words[i] | 0; lo += w * 0x3d1; this.words[i] = lo & 0x03ffffff; lo = w * 0x40 + (lo / 0x04000000 | 0); } if (this.words[this.length - 1] === 0) { this.length -= 1; if (this.words[this.length - 1] === 0) this.length -= 1; } return this; }; BN.prototype.redIReduce = function () { this.isplit(BN.tmp).imulK().iadd(BN.tmp); if (this.bitLengthGT256()) this.isplit(BN.tmp).imulK().iadd(BN.tmp); var cmp = this.ucmp(BN.p); if (cmp === 0) { this.words[0] = 0; this.length = 1; } else if (cmp > 0) { this.isub(BN.p); } else { this.strip(); } return this; }; BN.prototype.redNeg = function () { if (this.isZero()) return BN.fromNumber(0); return BN.p.sub(this); }; BN.prototype.redAdd = function (num) { return this.clone().redIAdd(num); }; BN.prototype.redIAdd = function (num) { this.iadd(num); if (this.ucmp(BN.p) >= 0) this.isub(BN.p); return this; }; BN.prototype.redIAdd7 = function () { this.iuaddn(7); if (this.ucmp(BN.p) >= 0) this.isub(BN.p); return this; }; BN.prototype.redSub = function (num) { return this.clone().redISub(num); }; BN.prototype.redISub = function (num) { this.isub(num); if (this.negative !== 0) this.iadd(BN.p); return this; }; BN.prototype.redMul = function (num) { return this.umul(num).redIReduce(); }; BN.prototype.redSqr = function () { return this.umul(this).redIReduce(); }; BN.prototype.redSqrt = function () { if (this.isZero()) return this.clone(); var wv2 = this.redSqr(); var wv4 = wv2.redSqr(); var wv12 = wv4.redSqr().redMul(wv4); var wv14 = wv12.redMul(wv2); var wv15 = wv14.redMul(this); var out = wv15; for (var i = 0; i < 54; ++i) out = out.redSqr().redSqr().redSqr().redSqr().redMul(wv15); out = out.redSqr().redSqr().redSqr().redSqr().redMul(wv14); for (i = 0; i < 5; ++i) out = out.redSqr().redSqr().redSqr().redSqr().redMul(wv15); out = out.redSqr().redSqr().redSqr().redSqr().redMul(wv12); out = out.redSqr().redSqr().redSqr().redSqr().redSqr().redSqr().redMul(wv12); if (out.redSqr().ucmp(this) === 0) { return out; } else { return null; } }; BN.prototype.redInvm = function () { var a = this.clone(); var b = BN.p.clone(); var x1 = BN.fromNumber(1); var x2 = BN.fromNumber(0); while (a.gtOne() && b.gtOne()) { for (var i = 0, im = 1; (a.words[0] & im) === 0 && i < 26; ++i, im <<= 1); if (i > 0) { a.ishrn(i); while (i-- > 0) { if (x1.isOdd()) x1.iadd(BN.p); x1.ishrn(1); } } for (var j = 0, jm = 1; (b.words[0] & jm) === 0 && j < 26; ++j, jm <<= 1); if (j > 0) { b.ishrn(j); while (j-- > 0) { if (x2.isOdd()) x2.iadd(BN.p); x2.ishrn(1); } } if (a.ucmp(b) >= 0) { a.isub(b); x1.isub(x2); } else { b.isub(a); x2.isub(x1); } } var res; if (a.length === 1 && a.words[0] === 1) { res = x1; } else { res = x2; } if (res.negative !== 0) res.iadd(BN.p); if (res.negative !== 0) { res.negative = 0; return res.redIReduce().redNeg(); } else { return res.redIReduce(); } }; BN.prototype.getNAF = function (w) { var naf = []; var ws = 1 << w + 1; var wsm1 = ws - 1; var ws2 = ws >> 1; var k = this.clone(); while (!k.isZero()) { for (var i = 0, m = 1; (k.words[0] & m) === 0 && i < 26; ++i, m <<= 1) naf.push(0); if (i !== 0) { k.ishrn(i); } else { var mod = k.words[0] & wsm1; if (mod >= ws2) { naf.push(ws2 - mod); k.iuaddn(mod - ws2).ishrn(1); } else { naf.push(mod); k.words[0] -= mod; if (!k.isZero()) { for (i = w - 1; i > 0; --i) naf.push(0); k.ishrn(w); } } } } return naf; }; BN.prototype.inspect = function () { if (this.isZero()) return '0'; var buffer = this.toBuffer().toString('hex'); for (var i = 0; buffer[i] === '0'; ++i); return buffer.slice(i); }; BN.n = BN.fromBuffer(Buffer.from('FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFEBAAEDCE6AF48A03BBFD25E8CD0364141', 'hex')); BN.nh = BN.n.clone().ishrn(1); BN.nc = BN.fromBuffer(Buffer.from('000000000000000000000000000000014551231950B75FC4402DA1732FC9BEBF', 'hex')); BN.p = BN.fromBuffer(Buffer.from('FFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFFEFFFFFC2F', 'hex')); BN.psn = BN.p.sub(BN.n); BN.tmp = new BN(); BN.tmp.words = new Array(10) // WTF?! it speed-up benchmark on ~20% ; (function () { var x = BN.fromNumber(1); x.words[3] = 0; })(); module.exports = BN; /***/ }), /* 53 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global) { var objectAssign = __webpack_require__(313); // compare and isBuffer taken from https://github.com/feross/buffer/blob/680e9e5e488f22aac27599a57dc844a6315928dd/index.js // original notice: /*! * The buffer module from node.js, for the browser. * * @author Feross Aboukhadijeh * @license MIT */ function compare(a, b) { if (a === b) { return 0; } var x = a.length; var y = b.length; for (var i = 0, len = Math.min(x, y); i < len; ++i) { if (a[i] !== b[i]) { x = a[i]; y = b[i]; break; } } if (x < y) { return -1; } if (y < x) { return 1; } return 0; } function isBuffer(b) { if (global.Buffer && typeof global.Buffer.isBuffer === 'function') { return global.Buffer.isBuffer(b); } return !!(b != null && b._isBuffer); } // based on node assert, original notice: // NB: The URL to the CommonJS spec is kept just for tradition. // node-assert has evolved a lot since then, both in API and behavior. // http://wiki.commonjs.org/wiki/Unit_Testing/1.0 // // THIS IS NOT TESTED NOR LIKELY TO WORK OUTSIDE V8! // // Originally from narwhal.js (http://narwhaljs.org) // Copyright (c) 2009 Thomas Robinson <280north.com> // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the 'Software'), to // deal in the Software without restriction, including without limitation the // rights to use, copy, modify, merge, publish, distribute, sublicense, and/or // sell copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN // ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION // WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. var util = __webpack_require__(54); var hasOwn = Object.prototype.hasOwnProperty; var pSlice = Array.prototype.slice; var functionsHaveNames = function () { return function foo() {}.name === 'foo'; }(); function pToString(obj) { return Object.prototype.toString.call(obj); } function isView(arrbuf) { if (isBuffer(arrbuf)) { return false; } if (typeof global.ArrayBuffer !== 'function') { return false; } if (typeof ArrayBuffer.isView === 'function') { return ArrayBuffer.isView(arrbuf); } if (!arrbuf) { return false; } if (arrbuf instanceof DataView) { return true; } if (arrbuf.buffer && arrbuf.buffer instanceof ArrayBuffer) { return true; } return false; } // 1. The assert module provides functions that throw // AssertionError's when particular conditions are not met. The // assert module must conform to the following interface. var assert = module.exports = ok; // 2. The AssertionError is defined in assert. // new assert.AssertionError({ message: message, // actual: actual, // expected: expected }) var regex = /\s*function\s+([^\(\s]*)\s*/; // based on https://github.com/ljharb/function.prototype.name/blob/adeeeec8bfcc6068b187d7d9fb3d5bb1d3a30899/implementation.js function getName(func) { if (!util.isFunction(func)) { return; } if (functionsHaveNames) { return func.name; } var str = func.toString(); var match = str.match(regex); return match && match[1]; } assert.AssertionError = function AssertionError(options) { this.name = 'AssertionError'; this.actual = options.actual; this.expected = options.expected; this.operator = options.operator; if (options.message) { this.message = options.message; this.generatedMessage = false; } else { this.message = getMessage(this); this.generatedMessage = true; } var stackStartFunction = options.stackStartFunction || fail; if (Error.captureStackTrace) { Error.captureStackTrace(this, stackStartFunction); } else { // non v8 browsers so we can have a stacktrace var err = new Error(); if (err.stack) { var out = err.stack; // try to strip useless frames var fn_name = getName(stackStartFunction); var idx = out.indexOf('\n' + fn_name); if (idx >= 0) { // once we have located the function frame // we need to strip out everything before it (and its line) var next_line = out.indexOf('\n', idx + 1); out = out.substring(next_line + 1); } this.stack = out; } } }; // assert.AssertionError instanceof Error util.inherits(assert.AssertionError, Error); function truncate(s, n) { if (typeof s === 'string') { return s.length < n ? s : s.slice(0, n); } else { return s; } } function inspect(something) { if (functionsHaveNames || !util.isFunction(something)) { return util.inspect(something); } var rawname = getName(something); var name = rawname ? ': ' + rawname : ''; return '[Function' + name + ']'; } function getMessage(self) { return truncate(inspect(self.actual), 128) + ' ' + self.operator + ' ' + truncate(inspect(self.expected), 128); } // At present only the three keys mentioned above are used and // understood by the spec. Implementations or sub modules can pass // other keys to the AssertionError's constructor - they will be // ignored. // 3. All of the following functions must throw an AssertionError // when a corresponding condition is not met, with a message that // may be undefined if not provided. All assertion methods provide // both the actual and expected values to the assertion error for // display purposes. function fail(actual, expected, message, operator, stackStartFunction) { throw new assert.AssertionError({ message: message, actual: actual, expected: expected, operator: operator, stackStartFunction: stackStartFunction }); } // EXTENSION! allows for well behaved errors defined elsewhere. assert.fail = fail; // 4. Pure assertion tests whether a value is truthy, as determined // by !!guard. // assert.ok(guard, message_opt); // This statement is equivalent to assert.equal(true, !!guard, // message_opt);. To test strictly for the value true, use // assert.strictEqual(true, guard, message_opt);. function ok(value, message) { if (!value) fail(value, true, message, '==', assert.ok); } assert.ok = ok; // 5. The equality assertion tests shallow, coercive equality with // ==. // assert.equal(actual, expected, message_opt); assert.equal = function equal(actual, expected, message) { if (actual != expected) fail(actual, expected, message, '==', assert.equal); }; // 6. The non-equality assertion tests for whether two objects are not equal // with != assert.notEqual(actual, expected, message_opt); assert.notEqual = function notEqual(actual, expected, message) { if (actual == expected) { fail(actual, expected, message, '!=', assert.notEqual); } }; // 7. The equivalence assertion tests a deep equality relation. // assert.deepEqual(actual, expected, message_opt); assert.deepEqual = function deepEqual(actual, expected, message) { if (!_deepEqual(actual, expected, false)) { fail(actual, expected, message, 'deepEqual', assert.deepEqual); } }; assert.deepStrictEqual = function deepStrictEqual(actual, expected, message) { if (!_deepEqual(actual, expected, true)) { fail(actual, expected, message, 'deepStrictEqual', assert.deepStrictEqual); } }; function _deepEqual(actual, expected, strict, memos) { // 7.1. All identical values are equivalent, as determined by ===. if (actual === expected) { return true; } else if (isBuffer(actual) && isBuffer(expected)) { return compare(actual, expected) === 0; // 7.2. If the expected value is a Date object, the actual value is // equivalent if it is also a Date object that refers to the same time. } else if (util.isDate(actual) && util.isDate(expected)) { return actual.getTime() === expected.getTime(); // 7.3 If the expected value is a RegExp object, the actual value is // equivalent if it is also a RegExp object with the same source and // properties (`global`, `multiline`, `lastIndex`, `ignoreCase`). } else if (util.isRegExp(actual) && util.isRegExp(expected)) { return actual.source === expected.source && actual.global === expected.global && actual.multiline === expected.multiline && actual.lastIndex === expected.lastIndex && actual.ignoreCase === expected.ignoreCase; // 7.4. Other pairs that do not both pass typeof value == 'object', // equivalence is determined by ==. } else if ((actual === null || typeof actual !== 'object') && (expected === null || typeof expected !== 'object')) { return strict ? actual === expected : actual == expected; // If both values are instances of typed arrays, wrap their underlying // ArrayBuffers in a Buffer each to increase performance // This optimization requires the arrays to have the same type as checked by // Object.prototype.toString (aka pToString). Never perform binary // comparisons for Float*Arrays, though, since e.g. +0 === -0 but their // bit patterns are not identical. } else if (isView(actual) && isView(expected) && pToString(actual) === pToString(expected) && !(actual instanceof Float32Array || actual instanceof Float64Array)) { return compare(new Uint8Array(actual.buffer), new Uint8Array(expected.buffer)) === 0; // 7.5 For all other Object pairs, including Array objects, equivalence is // determined by having the same number of owned properties (as verified // with Object.prototype.hasOwnProperty.call), the same set of keys // (although not necessarily the same order), equivalent values for every // corresponding key, and an identical 'prototype' property. Note: this // accounts for both named and indexed properties on Arrays. } else if (isBuffer(actual) !== isBuffer(expected)) { return false; } else { memos = memos || { actual: [], expected: [] }; var actualIndex = memos.actual.indexOf(actual); if (actualIndex !== -1) { if (actualIndex === memos.expected.indexOf(expected)) { return true; } } memos.actual.push(actual); memos.expected.push(expected); return objEquiv(actual, expected, strict, memos); } } function isArguments(object) { return Object.prototype.toString.call(object) == '[object Arguments]'; } function objEquiv(a, b, strict, actualVisitedObjects) { if (a === null || a === undefined || b === null || b === undefined) return false; // if one is a primitive, the other must be same if (util.isPrimitive(a) || util.isPrimitive(b)) return a === b; if (strict && Object.getPrototypeOf(a) !== Object.getPrototypeOf(b)) return false; var aIsArgs = isArguments(a); var bIsArgs = isArguments(b); if (aIsArgs && !bIsArgs || !aIsArgs && bIsArgs) return false; if (aIsArgs) { a = pSlice.call(a); b = pSlice.call(b); return _deepEqual(a, b, strict); } var ka = objectKeys(a); var kb = objectKeys(b); var key, i; // having the same number of owned properties (keys incorporates // hasOwnProperty) if (ka.length !== kb.length) return false; //the same set of keys (although not necessarily the same order), ka.sort(); kb.sort(); //~~~cheap key test for (i = ka.length - 1; i >= 0; i--) { if (ka[i] !== kb[i]) return false; } //equivalent values for every corresponding key, and //~~~possibly expensive deep test for (i = ka.length - 1; i >= 0; i--) { key = ka[i]; if (!_deepEqual(a[key], b[key], strict, actualVisitedObjects)) return false; } return true; } // 8. The non-equivalence assertion tests for any deep inequality. // assert.notDeepEqual(actual, expected, message_opt); assert.notDeepEqual = function notDeepEqual(actual, expected, message) { if (_deepEqual(actual, expected, false)) { fail(actual, expected, message, 'notDeepEqual', assert.notDeepEqual); } }; assert.notDeepStrictEqual = notDeepStrictEqual; function notDeepStrictEqual(actual, expected, message) { if (_deepEqual(actual, expected, true)) { fail(actual, expected, message, 'notDeepStrictEqual', notDeepStrictEqual); } } // 9. The strict equality assertion tests strict equality, as determined by ===. // assert.strictEqual(actual, expected, message_opt); assert.strictEqual = function strictEqual(actual, expected, message) { if (actual !== expected) { fail(actual, expected, message, '===', assert.strictEqual); } }; // 10. The strict non-equality assertion tests for strict inequality, as // determined by !==. assert.notStrictEqual(actual, expected, message_opt); assert.notStrictEqual = function notStrictEqual(actual, expected, message) { if (actual === expected) { fail(actual, expected, message, '!==', assert.notStrictEqual); } }; function expectedException(actual, expected) { if (!actual || !expected) { return false; } if (Object.prototype.toString.call(expected) == '[object RegExp]') { return expected.test(actual); } try { if (actual instanceof expected) { return true; } } catch (e) {// Ignore. The instanceof check doesn't work for arrow functions. } if (Error.isPrototypeOf(expected)) { return false; } return expected.call({}, actual) === true; } function _tryBlock(block) { var error; try { block(); } catch (e) { error = e; } return error; } function _throws(shouldThrow, block, expected, message) { var actual; if (typeof block !== 'function') { throw new TypeError('"block" argument must be a function'); } if (typeof expected === 'string') { message = expected; expected = null; } actual = _tryBlock(block); message = (expected && expected.name ? ' (' + expected.name + ').' : '.') + (message ? ' ' + message : '.'); if (shouldThrow && !actual) { fail(actual, expected, 'Missing expected exception' + message); } var userProvidedMessage = typeof message === 'string'; var isUnwantedException = !shouldThrow && util.isError(actual); var isUnexpectedException = !shouldThrow && actual && !expected; if (isUnwantedException && userProvidedMessage && expectedException(actual, expected) || isUnexpectedException) { fail(actual, expected, 'Got unwanted exception' + message); } if (shouldThrow && actual && expected && !expectedException(actual, expected) || !shouldThrow && actual) { throw actual; } } // 11. Expected to throw an error: // assert.throws(block, Error_opt, message_opt); assert.throws = function (block, /*optional*/ error, /*optional*/ message) { _throws(true, block, error, message); }; // EXTENSION! This is annoying to write outside this module. assert.doesNotThrow = function (block, /*optional*/ error, /*optional*/ message) { _throws(false, block, error, message); }; assert.ifError = function (err) { if (err) throw err; }; // Expose a strict only variant of assert function strict(value, message) { if (!value) fail(value, true, message, '==', strict); } assert.strict = objectAssign(strict, assert, { equal: assert.strictEqual, deepEqual: assert.deepStrictEqual, notEqual: assert.notStrictEqual, notDeepEqual: assert.notDeepStrictEqual }); assert.strict.strict = assert.strict; var objectKeys = Object.keys || function (obj) { var keys = []; for (var key in obj) { if (hasOwn.call(obj, key)) keys.push(key); } return keys; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10))) /***/ }), /* 54 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. var getOwnPropertyDescriptors = Object.getOwnPropertyDescriptors || function getOwnPropertyDescriptors(obj) { var keys = Object.keys(obj); var descriptors = {}; for (var i = 0; i < keys.length; i++) { descriptors[keys[i]] = Object.getOwnPropertyDescriptor(obj, keys[i]); } return descriptors; }; var formatRegExp = /%[sdj%]/g; exports.format = function (f) { if (!isString(f)) { var objects = []; for (var i = 0; i < arguments.length; i++) { objects.push(inspect(arguments[i])); } return objects.join(' '); } var i = 1; var args = arguments; var len = args.length; var str = String(f).replace(formatRegExp, function (x) { if (x === '%%') return '%'; if (i >= len) return x; switch (x) { case '%s': return String(args[i++]); case '%d': return Number(args[i++]); case '%j': try { return JSON.stringify(args[i++]); } catch (_) { return '[Circular]'; } default: return x; } }); for (var x = args[i]; i < len; x = args[++i]) { if (isNull(x) || !isObject(x)) { str += ' ' + x; } else { str += ' ' + inspect(x); } } return str; }; // Mark that a method should not be used. // Returns a modified function which warns once by default. // If --no-deprecation is set, then it is a no-op. exports.deprecate = function (fn, msg) { if (typeof process !== 'undefined' && process.noDeprecation === true) { return fn; } // Allow for deprecating things in the process of starting up. if (typeof process === 'undefined') { return function () { return exports.deprecate(fn, msg).apply(this, arguments); }; } var warned = false; function deprecated() { if (!warned) { if (process.throwDeprecation) { throw new Error(msg); } else if (process.traceDeprecation) { console.trace(msg); } else { console.error(msg); } warned = true; } return fn.apply(this, arguments); } return deprecated; }; var debugs = {}; var debugEnviron; exports.debuglog = function (set) { if (isUndefined(debugEnviron)) debugEnviron = process.env.NODE_DEBUG || ''; set = set.toUpperCase(); if (!debugs[set]) { if (new RegExp('\\b' + set + '\\b', 'i').test(debugEnviron)) { var pid = process.pid; debugs[set] = function () { var msg = exports.format.apply(exports, arguments); console.error('%s %d: %s', set, pid, msg); }; } else { debugs[set] = function () {}; } } return debugs[set]; }; /** * Echos the value of a value. Trys to print the value out * in the best way possible given the different types. * * @param {Object} obj The object to print out. * @param {Object} opts Optional options object that alters the output. */ /* legacy: obj, showHidden, depth, colors*/ function inspect(obj, opts) { // default options var ctx = { seen: [], stylize: stylizeNoColor }; // legacy... if (arguments.length >= 3) ctx.depth = arguments[2]; if (arguments.length >= 4) ctx.colors = arguments[3]; if (isBoolean(opts)) { // legacy... ctx.showHidden = opts; } else if (opts) { // got an "options" object exports._extend(ctx, opts); } // set default options if (isUndefined(ctx.showHidden)) ctx.showHidden = false; if (isUndefined(ctx.depth)) ctx.depth = 2; if (isUndefined(ctx.colors)) ctx.colors = false; if (isUndefined(ctx.customInspect)) ctx.customInspect = true; if (ctx.colors) ctx.stylize = stylizeWithColor; return formatValue(ctx, obj, ctx.depth); } exports.inspect = inspect; // http://en.wikipedia.org/wiki/ANSI_escape_code#graphics inspect.colors = { 'bold': [1, 22], 'italic': [3, 23], 'underline': [4, 24], 'inverse': [7, 27], 'white': [37, 39], 'grey': [90, 39], 'black': [30, 39], 'blue': [34, 39], 'cyan': [36, 39], 'green': [32, 39], 'magenta': [35, 39], 'red': [31, 39], 'yellow': [33, 39] }; // Don't use 'blue' not visible on cmd.exe inspect.styles = { 'special': 'cyan', 'number': 'yellow', 'boolean': 'yellow', 'undefined': 'grey', 'null': 'bold', 'string': 'green', 'date': 'magenta', // "name": intentionally not styling 'regexp': 'red' }; function stylizeWithColor(str, styleType) { var style = inspect.styles[styleType]; if (style) { return '\u001b[' + inspect.colors[style][0] + 'm' + str + '\u001b[' + inspect.colors[style][1] + 'm'; } else { return str; } } function stylizeNoColor(str, styleType) { return str; } function arrayToHash(array) { var hash = {}; array.forEach(function (val, idx) { hash[val] = true; }); return hash; } function formatValue(ctx, value, recurseTimes) { // Provide a hook for user-specified inspect functions. // Check that value is an object with an inspect function on it if (ctx.customInspect && value && isFunction(value.inspect) && // Filter out the util module, it's inspect function is special value.inspect !== exports.inspect && // Also filter out any prototype objects using the circular check. !(value.constructor && value.constructor.prototype === value)) { var ret = value.inspect(recurseTimes, ctx); if (!isString(ret)) { ret = formatValue(ctx, ret, recurseTimes); } return ret; } // Primitive types cannot have properties var primitive = formatPrimitive(ctx, value); if (primitive) { return primitive; } // Look up the keys of the object. var keys = Object.keys(value); var visibleKeys = arrayToHash(keys); if (ctx.showHidden) { keys = Object.getOwnPropertyNames(value); } // IE doesn't make error fields non-enumerable // http://msdn.microsoft.com/en-us/library/ie/dww52sbt(v=vs.94).aspx if (isError(value) && (keys.indexOf('message') >= 0 || keys.indexOf('description') >= 0)) { return formatError(value); } // Some type of object without properties can be shortcutted. if (keys.length === 0) { if (isFunction(value)) { var name = value.name ? ': ' + value.name : ''; return ctx.stylize('[Function' + name + ']', 'special'); } if (isRegExp(value)) { return ctx.stylize(RegExp.prototype.toString.call(value), 'regexp'); } if (isDate(value)) { return ctx.stylize(Date.prototype.toString.call(value), 'date'); } if (isError(value)) { return formatError(value); } } var base = '', array = false, braces = ['{', '}']; // Make Array say that they are Array if (isArray(value)) { array = true; braces = ['[', ']']; } // Make functions say that they are functions if (isFunction(value)) { var n = value.name ? ': ' + value.name : ''; base = ' [Function' + n + ']'; } // Make RegExps say that they are RegExps if (isRegExp(value)) { base = ' ' + RegExp.prototype.toString.call(value); } // Make dates with properties first say the date if (isDate(value)) { base = ' ' + Date.prototype.toUTCString.call(value); } // Make error with message first say the error if (isError(value)) { base = ' ' + formatError(value); } if (keys.length === 0 && (!array || value.length == 0)) { return braces[0] + base + braces[1]; } if (recurseTimes < 0) { if (isRegExp(value)) { return ctx.stylize(RegExp.prototype.toString.call(value), 'regexp'); } else { return ctx.stylize('[Object]', 'special'); } } ctx.seen.push(value); var output; if (array) { output = formatArray(ctx, value, recurseTimes, visibleKeys, keys); } else { output = keys.map(function (key) { return formatProperty(ctx, value, recurseTimes, visibleKeys, key, array); }); } ctx.seen.pop(); return reduceToSingleString(output, base, braces); } function formatPrimitive(ctx, value) { if (isUndefined(value)) return ctx.stylize('undefined', 'undefined'); if (isString(value)) { var simple = '\'' + JSON.stringify(value).replace(/^"|"$/g, '').replace(/'/g, "\\'").replace(/\\"/g, '"') + '\''; return ctx.stylize(simple, 'string'); } if (isNumber(value)) return ctx.stylize('' + value, 'number'); if (isBoolean(value)) return ctx.stylize('' + value, 'boolean'); // For some reason typeof null is "object", so special case here. if (isNull(value)) return ctx.stylize('null', 'null'); } function formatError(value) { return '[' + Error.prototype.toString.call(value) + ']'; } function formatArray(ctx, value, recurseTimes, visibleKeys, keys) { var output = []; for (var i = 0, l = value.length; i < l; ++i) { if (hasOwnProperty(value, String(i))) { output.push(formatProperty(ctx, value, recurseTimes, visibleKeys, String(i), true)); } else { output.push(''); } } keys.forEach(function (key) { if (!key.match(/^\d+$/)) { output.push(formatProperty(ctx, value, recurseTimes, visibleKeys, key, true)); } }); return output; } function formatProperty(ctx, value, recurseTimes, visibleKeys, key, array) { var name, str, desc; desc = Object.getOwnPropertyDescriptor(value, key) || { value: value[key] }; if (desc.get) { if (desc.set) { str = ctx.stylize('[Getter/Setter]', 'special'); } else { str = ctx.stylize('[Getter]', 'special'); } } else { if (desc.set) { str = ctx.stylize('[Setter]', 'special'); } } if (!hasOwnProperty(visibleKeys, key)) { name = '[' + key + ']'; } if (!str) { if (ctx.seen.indexOf(desc.value) < 0) { if (isNull(recurseTimes)) { str = formatValue(ctx, desc.value, null); } else { str = formatValue(ctx, desc.value, recurseTimes - 1); } if (str.indexOf('\n') > -1) { if (array) { str = str.split('\n').map(function (line) { return ' ' + line; }).join('\n').substr(2); } else { str = '\n' + str.split('\n').map(function (line) { return ' ' + line; }).join('\n'); } } } else { str = ctx.stylize('[Circular]', 'special'); } } if (isUndefined(name)) { if (array && key.match(/^\d+$/)) { return str; } name = JSON.stringify('' + key); if (name.match(/^"([a-zA-Z_][a-zA-Z_0-9]*)"$/)) { name = name.substr(1, name.length - 2); name = ctx.stylize(name, 'name'); } else { name = name.replace(/'/g, "\\'").replace(/\\"/g, '"').replace(/(^"|"$)/g, "'"); name = ctx.stylize(name, 'string'); } } return name + ': ' + str; } function reduceToSingleString(output, base, braces) { var numLinesEst = 0; var length = output.reduce(function (prev, cur) { numLinesEst++; if (cur.indexOf('\n') >= 0) numLinesEst++; return prev + cur.replace(/\u001b\[\d\d?m/g, '').length + 1; }, 0); if (length > 60) { return braces[0] + (base === '' ? '' : base + '\n ') + ' ' + output.join(',\n ') + ' ' + braces[1]; } return braces[0] + base + ' ' + output.join(', ') + ' ' + braces[1]; } // NOTE: These type checking functions intentionally don't use `instanceof` // because it is fragile and can be easily faked with `Object.create()`. function isArray(ar) { return Array.isArray(ar); } exports.isArray = isArray; function isBoolean(arg) { return typeof arg === 'boolean'; } exports.isBoolean = isBoolean; function isNull(arg) { return arg === null; } exports.isNull = isNull; function isNullOrUndefined(arg) { return arg == null; } exports.isNullOrUndefined = isNullOrUndefined; function isNumber(arg) { return typeof arg === 'number'; } exports.isNumber = isNumber; function isString(arg) { return typeof arg === 'string'; } exports.isString = isString; function isSymbol(arg) { return typeof arg === 'symbol'; } exports.isSymbol = isSymbol; function isUndefined(arg) { return arg === void 0; } exports.isUndefined = isUndefined; function isRegExp(re) { return isObject(re) && objectToString(re) === '[object RegExp]'; } exports.isRegExp = isRegExp; function isObject(arg) { return typeof arg === 'object' && arg !== null; } exports.isObject = isObject; function isDate(d) { return isObject(d) && objectToString(d) === '[object Date]'; } exports.isDate = isDate; function isError(e) { return isObject(e) && (objectToString(e) === '[object Error]' || e instanceof Error); } exports.isError = isError; function isFunction(arg) { return typeof arg === 'function'; } exports.isFunction = isFunction; function isPrimitive(arg) { return arg === null || typeof arg === 'boolean' || typeof arg === 'number' || typeof arg === 'string' || typeof arg === 'symbol' || // ES6 symbol typeof arg === 'undefined'; } exports.isPrimitive = isPrimitive; exports.isBuffer = __webpack_require__(314); function objectToString(o) { return Object.prototype.toString.call(o); } function pad(n) { return n < 10 ? '0' + n.toString(10) : n.toString(10); } var months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec']; // 26 Feb 16:19:34 function timestamp() { var d = new Date(); var time = [pad(d.getHours()), pad(d.getMinutes()), pad(d.getSeconds())].join(':'); return [d.getDate(), months[d.getMonth()], time].join(' '); } // log is just a thin wrapper to console.log that prepends a timestamp exports.log = function () { console.log('%s - %s', timestamp(), exports.format.apply(exports, arguments)); }; /** * Inherit the prototype methods from one constructor into another. * * The Function.prototype.inherits from lang.js rewritten as a standalone * function (not on Function.prototype). NOTE: If this file is to be loaded * during bootstrapping this function needs to be rewritten using some native * functions as prototype setup using normal JavaScript does not work as * expected during bootstrapping (see mirror.js in r114903). * * @param {function} ctor Constructor function which needs to inherit the * prototype. * @param {function} superCtor Constructor function to inherit prototype from. */ exports.inherits = __webpack_require__(315); exports._extend = function (origin, add) { // Don't do anything if add isn't an object if (!add || !isObject(add)) return origin; var keys = Object.keys(add); var i = keys.length; while (i--) { origin[keys[i]] = add[keys[i]]; } return origin; }; function hasOwnProperty(obj, prop) { return Object.prototype.hasOwnProperty.call(obj, prop); } var kCustomPromisifiedSymbol = typeof Symbol !== 'undefined' ? Symbol('util.promisify.custom') : undefined; exports.promisify = function promisify(original) { if (typeof original !== 'function') throw new TypeError('The "original" argument must be of type Function'); if (kCustomPromisifiedSymbol && original[kCustomPromisifiedSymbol]) { var fn = original[kCustomPromisifiedSymbol]; if (typeof fn !== 'function') { throw new TypeError('The "util.promisify.custom" argument must be of type Function'); } Object.defineProperty(fn, kCustomPromisifiedSymbol, { value: fn, enumerable: false, writable: false, configurable: true }); return fn; } function fn() { var promiseResolve, promiseReject; var promise = new Promise(function (resolve, reject) { promiseResolve = resolve; promiseReject = reject; }); var args = []; for (var i = 0; i < arguments.length; i++) { args.push(arguments[i]); } args.push(function (err, value) { if (err) { promiseReject(err); } else { promiseResolve(value); } }); try { original.apply(this, args); } catch (err) { promiseReject(err); } return promise; } Object.setPrototypeOf(fn, Object.getPrototypeOf(original)); if (kCustomPromisifiedSymbol) Object.defineProperty(fn, kCustomPromisifiedSymbol, { value: fn, enumerable: false, writable: false, configurable: true }); return Object.defineProperties(fn, getOwnPropertyDescriptors(original)); }; exports.promisify.custom = kCustomPromisifiedSymbol; function callbackifyOnRejected(reason, cb) { // `!reason` guard inspired by bluebird (Ref: https://goo.gl/t5IS6M). // Because `null` is a special error value in callbacks which means "no error // occurred", we error-wrap so the callback consumer can distinguish between // "the promise rejected with null" or "the promise fulfilled with undefined". if (!reason) { var newReason = new Error('Promise was rejected with a falsy value'); newReason.reason = reason; reason = newReason; } return cb(reason); } function callbackify(original) { if (typeof original !== 'function') { throw new TypeError('The "original" argument must be of type Function'); } // We DO NOT return the promise as it gives the user a false sense that // the promise is actually somehow related to the callback's execution // and that the callback throwing will reject the promise. function callbackified() { var args = []; for (var i = 0; i < arguments.length; i++) { args.push(arguments[i]); } var maybeCb = args.pop(); if (typeof maybeCb !== 'function') { throw new TypeError('The last argument must be of type Function'); } var self = this; var cb = function cb() { return maybeCb.apply(self, arguments); }; // In true node style we process the callback on `nextTick` with all the // implications (stack, `uncaughtException`, `async_hooks`) original.apply(this, args).then(function (ret) { process.nextTick(cb, null, ret); }, function (rej) { process.nextTick(callbackifyOnRejected, rej, cb); }); } Object.setPrototypeOf(callbackified, Object.getPrototypeOf(original)); Object.defineProperties(callbackified, getOwnPropertyDescriptors(original)); return callbackified; } exports.callbackify = callbackify; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 55 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const isStream = stream => stream !== null && typeof stream === 'object' && typeof stream.pipe === 'function'; isStream.writable = stream => isStream(stream) && stream.writable !== false && typeof stream._write === 'function' && typeof stream._writableState === 'object'; isStream.readable = stream => isStream(stream) && stream.readable !== false && typeof stream._read === 'function' && typeof stream._readableState === 'object'; isStream.duplex = stream => isStream.writable(stream) && isStream.readable(stream); isStream.transform = stream => isStream.duplex(stream) && typeof stream._transform === 'function' && typeof stream._transformState === 'object'; module.exports = isStream; /***/ }), /* 56 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = false; /***/ }), /* 57 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function pull(a) { var length = arguments.length; if (typeof a === 'function' && a.length === 1) { var args = new Array(length); for (var i = 0; i < length; i++) args[i] = arguments[i]; return function (read) { if (args == null) { throw new TypeError("partial sink should only be called once!"); } // Grab the reference after the check, because it's always an array now // (engines like that kind of consistency). var ref = args; args = null; // Prioritize common case of small number of pulls. switch (length) { case 1: return pull(read, ref[0]); case 2: return pull(read, ref[0], ref[1]); case 3: return pull(read, ref[0], ref[1], ref[2]); case 4: return pull(read, ref[0], ref[1], ref[2], ref[3]); default: ref.unshift(read); return pull.apply(null, ref); } }; } var read = a; if (read && typeof read.source === 'function') { read = read.source; } for (var i = 1; i < length; i++) { var s = arguments[i]; if (typeof s === 'function') { read = s(read); } else if (s && typeof s === 'object') { s.sink(read); read = s.source; } } return read; }; /***/ }), /* 58 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { var Transform = __webpack_require__(6).Transform, inherits = __webpack_require__(54).inherits; function DestroyableTransform(opts) { Transform.call(this, opts); this._destroyed = false; } inherits(DestroyableTransform, Transform); DestroyableTransform.prototype.destroy = function (err) { if (this._destroyed) return; this._destroyed = true; var self = this; process.nextTick(function () { if (err) self.emit('error', err); self.emit('close'); }); }; // a noop _transform function function noop(chunk, enc, callback) { callback(null, chunk); } // create a new export function, used by both the main export and // the .ctor export, contains common logic for dealing with arguments function through2(construct) { return function (options, transform, flush) { if (typeof options == 'function') { flush = transform; transform = options; options = {}; } if (typeof transform != 'function') transform = noop; if (typeof flush != 'function') flush = null; return construct(options, transform, flush); }; } // main export, just make me a transform stream! module.exports = through2(function (options, transform, flush) { var t2 = new DestroyableTransform(options); t2._transform = transform; if (flush) t2._flush = flush; return t2; }); // make me a reusable prototype that I can `new`, or implicitly `new` // with a constructor call module.exports.ctor = through2(function (options, transform, flush) { function Through2(override) { if (!(this instanceof Through2)) return new Through2(override); this.options = Object.assign({}, options, override); DestroyableTransform.call(this, this.options); } inherits(Through2, DestroyableTransform); Through2.prototype._transform = transform; if (flush) Through2.prototype._flush = flush; return Through2; }); module.exports.obj = through2(function (options, transform, flush) { var t2 = new DestroyableTransform(Object.assign({ objectMode: true, highWaterMark: 16 }, options)); t2._transform = transform; if (flush) t2._flush = flush; return t2; }); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 59 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var has = Object.prototype.hasOwnProperty; var isArray = Array.isArray; var hexTable = function () { var array = []; for (var i = 0; i < 256; ++i) { array.push('%' + ((i < 16 ? '0' : '') + i.toString(16)).toUpperCase()); } return array; }(); var compactQueue = function compactQueue(queue) { while (queue.length > 1) { var item = queue.pop(); var obj = item.obj[item.prop]; if (isArray(obj)) { var compacted = []; for (var j = 0; j < obj.length; ++j) { if (typeof obj[j] !== 'undefined') { compacted.push(obj[j]); } } item.obj[item.prop] = compacted; } } }; var arrayToObject = function arrayToObject(source, options) { var obj = options && options.plainObjects ? Object.create(null) : {}; for (var i = 0; i < source.length; ++i) { if (typeof source[i] !== 'undefined') { obj[i] = source[i]; } } return obj; }; var merge = function merge(target, source, options) { if (!source) { return target; } if (typeof source !== 'object') { if (isArray(target)) { target.push(source); } else if (target && typeof target === 'object') { if (options && (options.plainObjects || options.allowPrototypes) || !has.call(Object.prototype, source)) { target[source] = true; } } else { return [target, source]; } return target; } if (!target || typeof target !== 'object') { return [target].concat(source); } var mergeTarget = target; if (isArray(target) && !isArray(source)) { mergeTarget = arrayToObject(target, options); } if (isArray(target) && isArray(source)) { source.forEach(function (item, i) { if (has.call(target, i)) { var targetItem = target[i]; if (targetItem && typeof targetItem === 'object' && item && typeof item === 'object') { target[i] = merge(targetItem, item, options); } else { target.push(item); } } else { target[i] = item; } }); return target; } return Object.keys(source).reduce(function (acc, key) { var value = source[key]; if (has.call(acc, key)) { acc[key] = merge(acc[key], value, options); } else { acc[key] = value; } return acc; }, mergeTarget); }; var assign = function assignSingleSource(target, source) { return Object.keys(source).reduce(function (acc, key) { acc[key] = source[key]; return acc; }, target); }; var decode = function decode(str, decoder, charset) { var strWithoutPlus = str.replace(/\+/g, ' '); if (charset === 'iso-8859-1') { // unescape never throws, no try...catch needed: return strWithoutPlus.replace(/%[0-9a-f]{2}/gi, unescape); } // utf-8 try { return decodeURIComponent(strWithoutPlus); } catch (e) { return strWithoutPlus; } }; var encode = function encode(str, defaultEncoder, charset) { // This code was originally written by Brian White (mscdex) for the io.js core querystring library. // It has been adapted here for stricter adherence to RFC 3986 if (str.length === 0) { return str; } var string = str; if (typeof str === 'symbol') { string = Symbol.prototype.toString.call(str); } else if (typeof str !== 'string') { string = String(str); } if (charset === 'iso-8859-1') { return escape(string).replace(/%u[0-9a-f]{4}/gi, function ($0) { return '%26%23' + parseInt($0.slice(2), 16) + '%3B'; }); } var out = ''; for (var i = 0; i < string.length; ++i) { var c = string.charCodeAt(i); if (c === 0x2D // - || c === 0x2E // . || c === 0x5F // _ || c === 0x7E // ~ || c >= 0x30 && c <= 0x39 // 0-9 || c >= 0x41 && c <= 0x5A // a-z || c >= 0x61 && c <= 0x7A // A-Z ) { out += string.charAt(i); continue; } if (c < 0x80) { out = out + hexTable[c]; continue; } if (c < 0x800) { out = out + (hexTable[0xC0 | c >> 6] + hexTable[0x80 | c & 0x3F]); continue; } if (c < 0xD800 || c >= 0xE000) { out = out + (hexTable[0xE0 | c >> 12] + hexTable[0x80 | c >> 6 & 0x3F] + hexTable[0x80 | c & 0x3F]); continue; } i += 1; c = 0x10000 + ((c & 0x3FF) << 10 | string.charCodeAt(i) & 0x3FF); out += hexTable[0xF0 | c >> 18] + hexTable[0x80 | c >> 12 & 0x3F] + hexTable[0x80 | c >> 6 & 0x3F] + hexTable[0x80 | c & 0x3F]; } return out; }; var compact = function compact(value) { var queue = [{ obj: { o: value }, prop: 'o' }]; var refs = []; for (var i = 0; i < queue.length; ++i) { var item = queue[i]; var obj = item.obj[item.prop]; var keys = Object.keys(obj); for (var j = 0; j < keys.length; ++j) { var key = keys[j]; var val = obj[key]; if (typeof val === 'object' && val !== null && refs.indexOf(val) === -1) { queue.push({ obj: obj, prop: key }); refs.push(val); } } } compactQueue(queue); return value; }; var isRegExp = function isRegExp(obj) { return Object.prototype.toString.call(obj) === '[object RegExp]'; }; var isBuffer = function isBuffer(obj) { if (!obj || typeof obj !== 'object') { return false; } return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); }; var combine = function combine(a, b) { return [].concat(a, b); }; module.exports = { arrayToObject: arrayToObject, assign: assign, combine: combine, compact: compact, decode: decode, encode: encode, isBuffer: isBuffer, isRegExp: isRegExp, merge: merge }; /***/ }), /* 60 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var abortCb = __webpack_require__(181); module.exports = function values(array, onAbort) { if (!array) return function (abort, cb) { if (abort) return abortCb(cb, abort, onAbort); return cb(true); }; if (!Array.isArray(array)) array = Object.keys(array).map(function (k) { return array[k]; }); var i = 0; return function (abort, cb) { if (abort) return abortCb(cb, abort, onAbort); if (i >= array.length) cb(true);else cb(null, array[i++]); }; }; /***/ }), /* 61 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const assert = __webpack_require__(53); const withIs = __webpack_require__(27); const addNamedLink = __webpack_require__(448); const visibility = __webpack_require__(190); class DAGNode { constructor(data, links, serializedSize) { if (serializedSize !== 0) { assert(serializedSize, 'A DAGNode requires it\'s serialized size'); } this._data = data || Buffer.alloc(0); this._links = links; this._serializedSize = serializedSize; // Make sure we have a nice public API that can be used by an IPLD resolver visibility.hidePrivateFields(this); visibility.addEnumerableGetters(this, ['Data', 'Links']); // Add getters for existing links by the name of the link // This is how paths are traversed in IPFS. Links with names won't // override existing fields like `data` or `links`. links.forEach((link, position) => { addNamedLink(this, link.Name, position); }); } toJSON() { if (!this._json) { this._json = Object.freeze({ data: this.Data, links: this._links.map(l => l.toJSON()), size: this.size }); } return Object.assign({}, this._json); } toString() { return "DAGNode "); } get size() { if (this._size === undefined) { this._size = this._links.reduce((sum, l) => sum + l.Tsize, this._serializedSize); } return this._size; } set size(size) { throw new Error("Can't set property: 'size' is immutable"); } // Getters for backwards compatible path resolving get Data() { return this._data; } set Data(_) { throw new Error("Can't set property: 'Data' is immutable"); } get Links() { return this._links.map(link => { return { Name: link.Name, Tsize: link.Tsize, Hash: link.Hash }; }); } set Links(_) { throw new Error("Can't set property: 'Links' is immutable"); } } exports = module.exports = withIs(DAGNode, { className: 'DAGNode', symbolName: '@ipld/js-ipld-dag-pb/dagnode' }); exports.create = __webpack_require__(62); exports.clone = __webpack_require__(459); exports.addLink = __webpack_require__(460); exports.rmLink = __webpack_require__(461); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 62 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const sort = __webpack_require__(449); const { serialize } = __webpack_require__(63); const dagNodeUtil = __webpack_require__(64); const linkSort = dagNodeUtil.linkSort; const DAGNode = __webpack_require__(61); const DAGLink = __webpack_require__(36); const create = function create(data) { let links = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : []; if (typeof data === 'string') { data = Buffer.from(data); } if (!Buffer.isBuffer(data)) { throw new Error('Passed \'data\' is not a buffer or a string!'); } links = links.map(link => { return DAGLink.isDAGLink(link) ? link : DAGLink.util.createDagLinkFromB58EncodedHash(link); }); links = sort(links, linkSort); const serialized = serialize({ Data: data, Links: links }); return new DAGNode(data, links, serialized.length); }; module.exports = create; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 63 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const CID = __webpack_require__(5); const protons = __webpack_require__(48); const proto = protons(__webpack_require__(450)); const DAGLink = __webpack_require__(36); const DAGNode = __webpack_require__(61); const multicodec = __webpack_require__(37); const multihashing = __webpack_require__(102); exports = module.exports; exports.codec = multicodec.DAG_PB; exports.defaultHashAlg = multicodec.SHA2_256; /** * Calculate the CID of the binary blob. * * @param {Object} binaryBlob - Encoded IPLD Node * @param {Object} [userOptions] - Options to create the CID * @param {number} [userOptions.cidVersion=1] - CID version number * @param {string} [UserOptions.hashAlg] - Defaults to the defaultHashAlg of the format * @returns {Promise.} */ const cid = async (binaryBlob, userOptions) => { const defaultOptions = { cidVersion: 1, hashAlg: exports.defaultHashAlg }; const options = Object.assign(defaultOptions, userOptions); const multihash = await multihashing(binaryBlob, options.hashAlg); const codecName = multicodec.print[exports.codec]; const cid = new CID(options.cidVersion, codecName, multihash); return cid; }; /** * Serialize internal representation into a binary PB block. * * @param {Object} node - Internal representation of a CBOR block * @returns {Buffer} - The encoded binary representation */ const serialize = node => { let data = node.Data; let links = node.Links || []; // If the node is not an instance of a DAGNode, the link.hash might be a Base58 encoded string; decode it if (!DAGNode.isDAGNode(node) && links) { links = links.map(link => { return DAGLink.isDAGLink(link) ? link : DAGLink.util.createDagLinkFromB58EncodedHash(link); }); } const serialized = proto.PBNode.encode(toProtoBuf({ Data: data, Links: links })); return serialized; }; /** * Deserialize PB block into the internal representation. * * @param {Buffer} buffer - Binary representation of a PB block * @returns {Object} - An object that conforms to the IPLD Data Model */ const deserialize = buffer => { const pbn = proto.PBNode.decode(buffer); const links = pbn.Links.map(link => { return new DAGLink(link.Name, link.Tsize, link.Hash); }); const data = pbn.Data == null ? Buffer.alloc(0) : pbn.Data; return new DAGNode(data, links, buffer.length); }; function toProtoBuf(node) { const pbn = {}; if (node.Data && node.Data.length > 0) { pbn.Data = node.Data; } else { // NOTE: this has to be null in order to match go-ipfs serialization `null !== new Buffer(0)` pbn.Data = null; } if (node.Links && node.Links.length > 0) { pbn.Links = node.Links.map(link => ({ Hash: link.Hash.buffer, Name: link.Name, Tsize: link.Tsize })); } else { pbn.Links = null; } return pbn; } exports.serialize = serialize; exports.deserialize = deserialize; exports.cid = cid; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 64 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const DAGLink = __webpack_require__(36); const { cid, serialize } = __webpack_require__(63); exports = module.exports; function cloneData(dagNode) { let data; if (dagNode.Data && dagNode.Data.length > 0) { data = Buffer.alloc(dagNode.Data.length); dagNode.Data.copy(data); } else { data = Buffer.alloc(0); } return data; } function cloneLinks(dagNode) { return dagNode.Links.slice(); } function linkSort(a, b) { return Buffer.compare(a.nameAsBuffer, b.nameAsBuffer); } /* * toDAGLink converts a DAGNode to a DAGLink */ const toDAGLink = async function toDAGLink(node) { let options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; const serialized = serialize(node); const nodeCid = await cid(serialized); return new DAGLink(options.name || '', serialized.length, nodeCid); }; exports.cloneData = cloneData; exports.cloneLinks = cloneLinks; exports.linkSort = linkSort; exports.toDAGLink = toDAGLink; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 65 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const Bignumber = __webpack_require__(19).BigNumber; exports.MT = { POS_INT: 0, NEG_INT: 1, BYTE_STRING: 2, UTF8_STRING: 3, ARRAY: 4, MAP: 5, TAG: 6, SIMPLE_FLOAT: 7 }; exports.TAG = { DATE_STRING: 0, DATE_EPOCH: 1, POS_BIGINT: 2, NEG_BIGINT: 3, DECIMAL_FRAC: 4, BIGFLOAT: 5, BASE64URL_EXPECTED: 21, BASE64_EXPECTED: 22, BASE16_EXPECTED: 23, CBOR: 24, URI: 32, BASE64URL: 33, BASE64: 34, REGEXP: 35, MIME: 36 }; exports.NUMBYTES = { ZERO: 0, ONE: 24, TWO: 25, FOUR: 26, EIGHT: 27, INDEFINITE: 31 }; exports.SIMPLE = { FALSE: 20, TRUE: 21, NULL: 22, UNDEFINED: 23 }; exports.SYMS = { NULL: Symbol('null'), UNDEFINED: Symbol('undef'), PARENT: Symbol('parent'), BREAK: Symbol('break'), STREAM: Symbol('stream') }; exports.SHIFT32 = Math.pow(2, 32); exports.SHIFT16 = Math.pow(2, 16); exports.MAX_SAFE_HIGH = 0x1fffff; exports.NEG_ONE = new Bignumber(-1); exports.TEN = new Bignumber(10); exports.TWO = new Bignumber(2); exports.PARENT = { ARRAY: 0, OBJECT: 1, MAP: 2, TAG: 3, BYTE_STRING: 4, UTF8_STRING: 5 }; /***/ }), /* 66 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function Protocols(proto) { if (typeof proto === 'number') { if (Protocols.codes[proto]) { return Protocols.codes[proto]; } throw new Error('no protocol with code: ' + proto); } else if (typeof proto === 'string' || proto instanceof String) { if (Protocols.names[proto]) { return Protocols.names[proto]; } throw new Error('no protocol with name: ' + proto); } throw new Error('invalid protocol id type: ' + proto); } const V = -1; Protocols.lengthPrefixedVarSize = V; Protocols.V = V; Protocols.table = [[4, 32, 'ip4'], [6, 16, 'tcp'], [33, 16, 'dccp'], [41, 128, 'ip6'], [42, V, 'ip6zone'], [53, V, 'dns', 'resolvable'], [54, V, 'dns4', 'resolvable'], [55, V, 'dns6', 'resolvable'], [56, V, 'dnsaddr', 'resolvable'], [132, 16, 'sctp'], [273, 16, 'udp'], [275, 0, 'p2p-webrtc-star'], [276, 0, 'p2p-webrtc-direct'], [277, 0, 'p2p-stardust'], [290, 0, 'p2p-circuit'], [301, 0, 'udt'], [302, 0, 'utp'], [400, V, 'unix', false, 'path'], // `p2p` is the preferred name for 421 [421, V, 'p2p'], // `ipfs` has been added after `p2p` so that it is used by default. // The reason for this is to provide better backwards support for // code bases that do not yet support the `p2p` proto name. Eventually // `p2p` should become the default. [421, V, 'ipfs'], [443, 0, 'https'], [444, 96, 'onion'], [445, 296, 'onion3'], [446, V, 'garlic64'], [460, 0, 'quic'], [477, 0, 'ws'], [478, 0, 'wss'], [479, 0, 'p2p-websocket-star'], [480, 0, 'http']]; Protocols.names = {}; Protocols.codes = {}; // populate tables Protocols.table.map(row => { const proto = p.apply(null, row); Protocols.codes[proto.code] = proto; Protocols.names[proto.name] = proto; }); Protocols.object = p; function p(code, size, name, resolvable, path) { return { code: code, size: size, name: name, resolvable: Boolean(resolvable), path: Boolean(path) }; } module.exports = Protocols; /***/ }), /* 67 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) {// THIS FILE IS GENERATED, DO NO EDIT MANUALLY // For more information see the README.md /* eslint-disable dot-notation */ // serialization exports['protobuf'] = Buffer.from('50', 'hex'); exports['cbor'] = Buffer.from('51', 'hex'); exports['rlp'] = Buffer.from('60', 'hex'); exports['bencode'] = Buffer.from('63', 'hex'); exports['json'] = Buffer.from('0200', 'hex'); exports['messagepack'] = Buffer.from('0201', 'hex'); // multiformat exports['multicodec'] = Buffer.from('30', 'hex'); exports['multihash'] = Buffer.from('31', 'hex'); exports['multiaddr'] = Buffer.from('32', 'hex'); exports['multibase'] = Buffer.from('33', 'hex'); // multihash exports['identity'] = Buffer.from('00', 'hex'); exports['sha1'] = Buffer.from('11', 'hex'); exports['sha2-256'] = Buffer.from('12', 'hex'); exports['sha2-512'] = Buffer.from('13', 'hex'); exports['sha3-512'] = Buffer.from('14', 'hex'); exports['sha3-384'] = Buffer.from('15', 'hex'); exports['sha3-256'] = Buffer.from('16', 'hex'); exports['sha3-224'] = Buffer.from('17', 'hex'); exports['shake-128'] = Buffer.from('18', 'hex'); exports['shake-256'] = Buffer.from('19', 'hex'); exports['keccak-224'] = Buffer.from('1a', 'hex'); exports['keccak-256'] = Buffer.from('1b', 'hex'); exports['keccak-384'] = Buffer.from('1c', 'hex'); exports['keccak-512'] = Buffer.from('1d', 'hex'); exports['murmur3-128'] = Buffer.from('22', 'hex'); exports['murmur3-32'] = Buffer.from('23', 'hex'); exports['dbl-sha2-256'] = Buffer.from('56', 'hex'); exports['md4'] = Buffer.from('d4', 'hex'); exports['md5'] = Buffer.from('d5', 'hex'); exports['bmt'] = Buffer.from('d6', 'hex'); exports['x11'] = Buffer.from('1100', 'hex'); exports['blake2b-8'] = Buffer.from('b201', 'hex'); exports['blake2b-16'] = Buffer.from('b202', 'hex'); exports['blake2b-24'] = Buffer.from('b203', 'hex'); exports['blake2b-32'] = Buffer.from('b204', 'hex'); exports['blake2b-40'] = Buffer.from('b205', 'hex'); exports['blake2b-48'] = Buffer.from('b206', 'hex'); exports['blake2b-56'] = Buffer.from('b207', 'hex'); exports['blake2b-64'] = Buffer.from('b208', 'hex'); exports['blake2b-72'] = Buffer.from('b209', 'hex'); exports['blake2b-80'] = Buffer.from('b20a', 'hex'); exports['blake2b-88'] = Buffer.from('b20b', 'hex'); exports['blake2b-96'] = Buffer.from('b20c', 'hex'); exports['blake2b-104'] = Buffer.from('b20d', 'hex'); exports['blake2b-112'] = Buffer.from('b20e', 'hex'); exports['blake2b-120'] = Buffer.from('b20f', 'hex'); exports['blake2b-128'] = Buffer.from('b210', 'hex'); exports['blake2b-136'] = Buffer.from('b211', 'hex'); exports['blake2b-144'] = Buffer.from('b212', 'hex'); exports['blake2b-152'] = Buffer.from('b213', 'hex'); exports['blake2b-160'] = Buffer.from('b214', 'hex'); exports['blake2b-168'] = Buffer.from('b215', 'hex'); exports['blake2b-176'] = Buffer.from('b216', 'hex'); exports['blake2b-184'] = Buffer.from('b217', 'hex'); exports['blake2b-192'] = Buffer.from('b218', 'hex'); exports['blake2b-200'] = Buffer.from('b219', 'hex'); exports['blake2b-208'] = Buffer.from('b21a', 'hex'); exports['blake2b-216'] = Buffer.from('b21b', 'hex'); exports['blake2b-224'] = Buffer.from('b21c', 'hex'); exports['blake2b-232'] = Buffer.from('b21d', 'hex'); exports['blake2b-240'] = Buffer.from('b21e', 'hex'); exports['blake2b-248'] = Buffer.from('b21f', 'hex'); exports['blake2b-256'] = Buffer.from('b220', 'hex'); exports['blake2b-264'] = Buffer.from('b221', 'hex'); exports['blake2b-272'] = Buffer.from('b222', 'hex'); exports['blake2b-280'] = Buffer.from('b223', 'hex'); exports['blake2b-288'] = Buffer.from('b224', 'hex'); exports['blake2b-296'] = Buffer.from('b225', 'hex'); exports['blake2b-304'] = Buffer.from('b226', 'hex'); exports['blake2b-312'] = Buffer.from('b227', 'hex'); exports['blake2b-320'] = Buffer.from('b228', 'hex'); exports['blake2b-328'] = Buffer.from('b229', 'hex'); exports['blake2b-336'] = Buffer.from('b22a', 'hex'); exports['blake2b-344'] = Buffer.from('b22b', 'hex'); exports['blake2b-352'] = Buffer.from('b22c', 'hex'); exports['blake2b-360'] = Buffer.from('b22d', 'hex'); exports['blake2b-368'] = Buffer.from('b22e', 'hex'); exports['blake2b-376'] = Buffer.from('b22f', 'hex'); exports['blake2b-384'] = Buffer.from('b230', 'hex'); exports['blake2b-392'] = Buffer.from('b231', 'hex'); exports['blake2b-400'] = Buffer.from('b232', 'hex'); exports['blake2b-408'] = Buffer.from('b233', 'hex'); exports['blake2b-416'] = Buffer.from('b234', 'hex'); exports['blake2b-424'] = Buffer.from('b235', 'hex'); exports['blake2b-432'] = Buffer.from('b236', 'hex'); exports['blake2b-440'] = Buffer.from('b237', 'hex'); exports['blake2b-448'] = Buffer.from('b238', 'hex'); exports['blake2b-456'] = Buffer.from('b239', 'hex'); exports['blake2b-464'] = Buffer.from('b23a', 'hex'); exports['blake2b-472'] = Buffer.from('b23b', 'hex'); exports['blake2b-480'] = Buffer.from('b23c', 'hex'); exports['blake2b-488'] = Buffer.from('b23d', 'hex'); exports['blake2b-496'] = Buffer.from('b23e', 'hex'); exports['blake2b-504'] = Buffer.from('b23f', 'hex'); exports['blake2b-512'] = Buffer.from('b240', 'hex'); exports['blake2s-8'] = Buffer.from('b241', 'hex'); exports['blake2s-16'] = Buffer.from('b242', 'hex'); exports['blake2s-24'] = Buffer.from('b243', 'hex'); exports['blake2s-32'] = Buffer.from('b244', 'hex'); exports['blake2s-40'] = Buffer.from('b245', 'hex'); exports['blake2s-48'] = Buffer.from('b246', 'hex'); exports['blake2s-56'] = Buffer.from('b247', 'hex'); exports['blake2s-64'] = Buffer.from('b248', 'hex'); exports['blake2s-72'] = Buffer.from('b249', 'hex'); exports['blake2s-80'] = Buffer.from('b24a', 'hex'); exports['blake2s-88'] = Buffer.from('b24b', 'hex'); exports['blake2s-96'] = Buffer.from('b24c', 'hex'); exports['blake2s-104'] = Buffer.from('b24d', 'hex'); exports['blake2s-112'] = Buffer.from('b24e', 'hex'); exports['blake2s-120'] = Buffer.from('b24f', 'hex'); exports['blake2s-128'] = Buffer.from('b250', 'hex'); exports['blake2s-136'] = Buffer.from('b251', 'hex'); exports['blake2s-144'] = Buffer.from('b252', 'hex'); exports['blake2s-152'] = Buffer.from('b253', 'hex'); exports['blake2s-160'] = Buffer.from('b254', 'hex'); exports['blake2s-168'] = Buffer.from('b255', 'hex'); exports['blake2s-176'] = Buffer.from('b256', 'hex'); exports['blake2s-184'] = Buffer.from('b257', 'hex'); exports['blake2s-192'] = Buffer.from('b258', 'hex'); exports['blake2s-200'] = Buffer.from('b259', 'hex'); exports['blake2s-208'] = Buffer.from('b25a', 'hex'); exports['blake2s-216'] = Buffer.from('b25b', 'hex'); exports['blake2s-224'] = Buffer.from('b25c', 'hex'); exports['blake2s-232'] = Buffer.from('b25d', 'hex'); exports['blake2s-240'] = Buffer.from('b25e', 'hex'); exports['blake2s-248'] = Buffer.from('b25f', 'hex'); exports['blake2s-256'] = Buffer.from('b260', 'hex'); exports['skein256-8'] = Buffer.from('b301', 'hex'); exports['skein256-16'] = Buffer.from('b302', 'hex'); exports['skein256-24'] = Buffer.from('b303', 'hex'); exports['skein256-32'] = Buffer.from('b304', 'hex'); exports['skein256-40'] = Buffer.from('b305', 'hex'); exports['skein256-48'] = Buffer.from('b306', 'hex'); exports['skein256-56'] = Buffer.from('b307', 'hex'); exports['skein256-64'] = Buffer.from('b308', 'hex'); exports['skein256-72'] = Buffer.from('b309', 'hex'); exports['skein256-80'] = Buffer.from('b30a', 'hex'); exports['skein256-88'] = Buffer.from('b30b', 'hex'); exports['skein256-96'] = Buffer.from('b30c', 'hex'); exports['skein256-104'] = Buffer.from('b30d', 'hex'); exports['skein256-112'] = Buffer.from('b30e', 'hex'); exports['skein256-120'] = Buffer.from('b30f', 'hex'); exports['skein256-128'] = Buffer.from('b310', 'hex'); exports['skein256-136'] = Buffer.from('b311', 'hex'); exports['skein256-144'] = Buffer.from('b312', 'hex'); exports['skein256-152'] = Buffer.from('b313', 'hex'); exports['skein256-160'] = Buffer.from('b314', 'hex'); exports['skein256-168'] = Buffer.from('b315', 'hex'); exports['skein256-176'] = Buffer.from('b316', 'hex'); exports['skein256-184'] = Buffer.from('b317', 'hex'); exports['skein256-192'] = Buffer.from('b318', 'hex'); exports['skein256-200'] = Buffer.from('b319', 'hex'); exports['skein256-208'] = Buffer.from('b31a', 'hex'); exports['skein256-216'] = Buffer.from('b31b', 'hex'); exports['skein256-224'] = Buffer.from('b31c', 'hex'); exports['skein256-232'] = Buffer.from('b31d', 'hex'); exports['skein256-240'] = Buffer.from('b31e', 'hex'); exports['skein256-248'] = Buffer.from('b31f', 'hex'); exports['skein256-256'] = Buffer.from('b320', 'hex'); exports['skein512-8'] = Buffer.from('b321', 'hex'); exports['skein512-16'] = Buffer.from('b322', 'hex'); exports['skein512-24'] = Buffer.from('b323', 'hex'); exports['skein512-32'] = Buffer.from('b324', 'hex'); exports['skein512-40'] = Buffer.from('b325', 'hex'); exports['skein512-48'] = Buffer.from('b326', 'hex'); exports['skein512-56'] = Buffer.from('b327', 'hex'); exports['skein512-64'] = Buffer.from('b328', 'hex'); exports['skein512-72'] = Buffer.from('b329', 'hex'); exports['skein512-80'] = Buffer.from('b32a', 'hex'); exports['skein512-88'] = Buffer.from('b32b', 'hex'); exports['skein512-96'] = Buffer.from('b32c', 'hex'); exports['skein512-104'] = Buffer.from('b32d', 'hex'); exports['skein512-112'] = Buffer.from('b32e', 'hex'); exports['skein512-120'] = Buffer.from('b32f', 'hex'); exports['skein512-128'] = Buffer.from('b330', 'hex'); exports['skein512-136'] = Buffer.from('b331', 'hex'); exports['skein512-144'] = Buffer.from('b332', 'hex'); exports['skein512-152'] = Buffer.from('b333', 'hex'); exports['skein512-160'] = Buffer.from('b334', 'hex'); exports['skein512-168'] = Buffer.from('b335', 'hex'); exports['skein512-176'] = Buffer.from('b336', 'hex'); exports['skein512-184'] = Buffer.from('b337', 'hex'); exports['skein512-192'] = Buffer.from('b338', 'hex'); exports['skein512-200'] = Buffer.from('b339', 'hex'); exports['skein512-208'] = Buffer.from('b33a', 'hex'); exports['skein512-216'] = Buffer.from('b33b', 'hex'); exports['skein512-224'] = Buffer.from('b33c', 'hex'); exports['skein512-232'] = Buffer.from('b33d', 'hex'); exports['skein512-240'] = Buffer.from('b33e', 'hex'); exports['skein512-248'] = Buffer.from('b33f', 'hex'); exports['skein512-256'] = Buffer.from('b340', 'hex'); exports['skein512-264'] = Buffer.from('b341', 'hex'); exports['skein512-272'] = Buffer.from('b342', 'hex'); exports['skein512-280'] = Buffer.from('b343', 'hex'); exports['skein512-288'] = Buffer.from('b344', 'hex'); exports['skein512-296'] = Buffer.from('b345', 'hex'); exports['skein512-304'] = Buffer.from('b346', 'hex'); exports['skein512-312'] = Buffer.from('b347', 'hex'); exports['skein512-320'] = Buffer.from('b348', 'hex'); exports['skein512-328'] = Buffer.from('b349', 'hex'); exports['skein512-336'] = Buffer.from('b34a', 'hex'); exports['skein512-344'] = Buffer.from('b34b', 'hex'); exports['skein512-352'] = Buffer.from('b34c', 'hex'); exports['skein512-360'] = Buffer.from('b34d', 'hex'); exports['skein512-368'] = Buffer.from('b34e', 'hex'); exports['skein512-376'] = Buffer.from('b34f', 'hex'); exports['skein512-384'] = Buffer.from('b350', 'hex'); exports['skein512-392'] = Buffer.from('b351', 'hex'); exports['skein512-400'] = Buffer.from('b352', 'hex'); exports['skein512-408'] = Buffer.from('b353', 'hex'); exports['skein512-416'] = Buffer.from('b354', 'hex'); exports['skein512-424'] = Buffer.from('b355', 'hex'); exports['skein512-432'] = Buffer.from('b356', 'hex'); exports['skein512-440'] = Buffer.from('b357', 'hex'); exports['skein512-448'] = Buffer.from('b358', 'hex'); exports['skein512-456'] = Buffer.from('b359', 'hex'); exports['skein512-464'] = Buffer.from('b35a', 'hex'); exports['skein512-472'] = Buffer.from('b35b', 'hex'); exports['skein512-480'] = Buffer.from('b35c', 'hex'); exports['skein512-488'] = Buffer.from('b35d', 'hex'); exports['skein512-496'] = Buffer.from('b35e', 'hex'); exports['skein512-504'] = Buffer.from('b35f', 'hex'); exports['skein512-512'] = Buffer.from('b360', 'hex'); exports['skein1024-8'] = Buffer.from('b361', 'hex'); exports['skein1024-16'] = Buffer.from('b362', 'hex'); exports['skein1024-24'] = Buffer.from('b363', 'hex'); exports['skein1024-32'] = Buffer.from('b364', 'hex'); exports['skein1024-40'] = Buffer.from('b365', 'hex'); exports['skein1024-48'] = Buffer.from('b366', 'hex'); exports['skein1024-56'] = Buffer.from('b367', 'hex'); exports['skein1024-64'] = Buffer.from('b368', 'hex'); exports['skein1024-72'] = Buffer.from('b369', 'hex'); exports['skein1024-80'] = Buffer.from('b36a', 'hex'); exports['skein1024-88'] = Buffer.from('b36b', 'hex'); exports['skein1024-96'] = Buffer.from('b36c', 'hex'); exports['skein1024-104'] = Buffer.from('b36d', 'hex'); exports['skein1024-112'] = Buffer.from('b36e', 'hex'); exports['skein1024-120'] = Buffer.from('b36f', 'hex'); exports['skein1024-128'] = Buffer.from('b370', 'hex'); exports['skein1024-136'] = Buffer.from('b371', 'hex'); exports['skein1024-144'] = Buffer.from('b372', 'hex'); exports['skein1024-152'] = Buffer.from('b373', 'hex'); exports['skein1024-160'] = Buffer.from('b374', 'hex'); exports['skein1024-168'] = Buffer.from('b375', 'hex'); exports['skein1024-176'] = Buffer.from('b376', 'hex'); exports['skein1024-184'] = Buffer.from('b377', 'hex'); exports['skein1024-192'] = Buffer.from('b378', 'hex'); exports['skein1024-200'] = Buffer.from('b379', 'hex'); exports['skein1024-208'] = Buffer.from('b37a', 'hex'); exports['skein1024-216'] = Buffer.from('b37b', 'hex'); exports['skein1024-224'] = Buffer.from('b37c', 'hex'); exports['skein1024-232'] = Buffer.from('b37d', 'hex'); exports['skein1024-240'] = Buffer.from('b37e', 'hex'); exports['skein1024-248'] = Buffer.from('b37f', 'hex'); exports['skein1024-256'] = Buffer.from('b380', 'hex'); exports['skein1024-264'] = Buffer.from('b381', 'hex'); exports['skein1024-272'] = Buffer.from('b382', 'hex'); exports['skein1024-280'] = Buffer.from('b383', 'hex'); exports['skein1024-288'] = Buffer.from('b384', 'hex'); exports['skein1024-296'] = Buffer.from('b385', 'hex'); exports['skein1024-304'] = Buffer.from('b386', 'hex'); exports['skein1024-312'] = Buffer.from('b387', 'hex'); exports['skein1024-320'] = Buffer.from('b388', 'hex'); exports['skein1024-328'] = Buffer.from('b389', 'hex'); exports['skein1024-336'] = Buffer.from('b38a', 'hex'); exports['skein1024-344'] = Buffer.from('b38b', 'hex'); exports['skein1024-352'] = Buffer.from('b38c', 'hex'); exports['skein1024-360'] = Buffer.from('b38d', 'hex'); exports['skein1024-368'] = Buffer.from('b38e', 'hex'); exports['skein1024-376'] = Buffer.from('b38f', 'hex'); exports['skein1024-384'] = Buffer.from('b390', 'hex'); exports['skein1024-392'] = Buffer.from('b391', 'hex'); exports['skein1024-400'] = Buffer.from('b392', 'hex'); exports['skein1024-408'] = Buffer.from('b393', 'hex'); exports['skein1024-416'] = Buffer.from('b394', 'hex'); exports['skein1024-424'] = Buffer.from('b395', 'hex'); exports['skein1024-432'] = Buffer.from('b396', 'hex'); exports['skein1024-440'] = Buffer.from('b397', 'hex'); exports['skein1024-448'] = Buffer.from('b398', 'hex'); exports['skein1024-456'] = Buffer.from('b399', 'hex'); exports['skein1024-464'] = Buffer.from('b39a', 'hex'); exports['skein1024-472'] = Buffer.from('b39b', 'hex'); exports['skein1024-480'] = Buffer.from('b39c', 'hex'); exports['skein1024-488'] = Buffer.from('b39d', 'hex'); exports['skein1024-496'] = Buffer.from('b39e', 'hex'); exports['skein1024-504'] = Buffer.from('b39f', 'hex'); exports['skein1024-512'] = Buffer.from('b3a0', 'hex'); exports['skein1024-520'] = Buffer.from('b3a1', 'hex'); exports['skein1024-528'] = Buffer.from('b3a2', 'hex'); exports['skein1024-536'] = Buffer.from('b3a3', 'hex'); exports['skein1024-544'] = Buffer.from('b3a4', 'hex'); exports['skein1024-552'] = Buffer.from('b3a5', 'hex'); exports['skein1024-560'] = Buffer.from('b3a6', 'hex'); exports['skein1024-568'] = Buffer.from('b3a7', 'hex'); exports['skein1024-576'] = Buffer.from('b3a8', 'hex'); exports['skein1024-584'] = Buffer.from('b3a9', 'hex'); exports['skein1024-592'] = Buffer.from('b3aa', 'hex'); exports['skein1024-600'] = Buffer.from('b3ab', 'hex'); exports['skein1024-608'] = Buffer.from('b3ac', 'hex'); exports['skein1024-616'] = Buffer.from('b3ad', 'hex'); exports['skein1024-624'] = Buffer.from('b3ae', 'hex'); exports['skein1024-632'] = Buffer.from('b3af', 'hex'); exports['skein1024-640'] = Buffer.from('b3b0', 'hex'); exports['skein1024-648'] = Buffer.from('b3b1', 'hex'); exports['skein1024-656'] = Buffer.from('b3b2', 'hex'); exports['skein1024-664'] = Buffer.from('b3b3', 'hex'); exports['skein1024-672'] = Buffer.from('b3b4', 'hex'); exports['skein1024-680'] = Buffer.from('b3b5', 'hex'); exports['skein1024-688'] = Buffer.from('b3b6', 'hex'); exports['skein1024-696'] = Buffer.from('b3b7', 'hex'); exports['skein1024-704'] = Buffer.from('b3b8', 'hex'); exports['skein1024-712'] = Buffer.from('b3b9', 'hex'); exports['skein1024-720'] = Buffer.from('b3ba', 'hex'); exports['skein1024-728'] = Buffer.from('b3bb', 'hex'); exports['skein1024-736'] = Buffer.from('b3bc', 'hex'); exports['skein1024-744'] = Buffer.from('b3bd', 'hex'); exports['skein1024-752'] = Buffer.from('b3be', 'hex'); exports['skein1024-760'] = Buffer.from('b3bf', 'hex'); exports['skein1024-768'] = Buffer.from('b3c0', 'hex'); exports['skein1024-776'] = Buffer.from('b3c1', 'hex'); exports['skein1024-784'] = Buffer.from('b3c2', 'hex'); exports['skein1024-792'] = Buffer.from('b3c3', 'hex'); exports['skein1024-800'] = Buffer.from('b3c4', 'hex'); exports['skein1024-808'] = Buffer.from('b3c5', 'hex'); exports['skein1024-816'] = Buffer.from('b3c6', 'hex'); exports['skein1024-824'] = Buffer.from('b3c7', 'hex'); exports['skein1024-832'] = Buffer.from('b3c8', 'hex'); exports['skein1024-840'] = Buffer.from('b3c9', 'hex'); exports['skein1024-848'] = Buffer.from('b3ca', 'hex'); exports['skein1024-856'] = Buffer.from('b3cb', 'hex'); exports['skein1024-864'] = Buffer.from('b3cc', 'hex'); exports['skein1024-872'] = Buffer.from('b3cd', 'hex'); exports['skein1024-880'] = Buffer.from('b3ce', 'hex'); exports['skein1024-888'] = Buffer.from('b3cf', 'hex'); exports['skein1024-896'] = Buffer.from('b3d0', 'hex'); exports['skein1024-904'] = Buffer.from('b3d1', 'hex'); exports['skein1024-912'] = Buffer.from('b3d2', 'hex'); exports['skein1024-920'] = Buffer.from('b3d3', 'hex'); exports['skein1024-928'] = Buffer.from('b3d4', 'hex'); exports['skein1024-936'] = Buffer.from('b3d5', 'hex'); exports['skein1024-944'] = Buffer.from('b3d6', 'hex'); exports['skein1024-952'] = Buffer.from('b3d7', 'hex'); exports['skein1024-960'] = Buffer.from('b3d8', 'hex'); exports['skein1024-968'] = Buffer.from('b3d9', 'hex'); exports['skein1024-976'] = Buffer.from('b3da', 'hex'); exports['skein1024-984'] = Buffer.from('b3db', 'hex'); exports['skein1024-992'] = Buffer.from('b3dc', 'hex'); exports['skein1024-1000'] = Buffer.from('b3dd', 'hex'); exports['skein1024-1008'] = Buffer.from('b3de', 'hex'); exports['skein1024-1016'] = Buffer.from('b3df', 'hex'); exports['skein1024-1024'] = Buffer.from('b3e0', 'hex'); // multiaddr exports['ip4'] = Buffer.from('04', 'hex'); exports['tcp'] = Buffer.from('06', 'hex'); exports['dccp'] = Buffer.from('21', 'hex'); exports['ip6'] = Buffer.from('29', 'hex'); exports['ip6zone'] = Buffer.from('2a', 'hex'); exports['dns'] = Buffer.from('35', 'hex'); exports['dns4'] = Buffer.from('36', 'hex'); exports['dns6'] = Buffer.from('37', 'hex'); exports['dnsaddr'] = Buffer.from('38', 'hex'); exports['sctp'] = Buffer.from('84', 'hex'); exports['udp'] = Buffer.from('0111', 'hex'); exports['p2p-webrtc-star'] = Buffer.from('0113', 'hex'); exports['p2p-webrtc-direct'] = Buffer.from('0114', 'hex'); exports['p2p-stardust'] = Buffer.from('0115', 'hex'); exports['p2p-circuit'] = Buffer.from('0122', 'hex'); exports['udt'] = Buffer.from('012d', 'hex'); exports['utp'] = Buffer.from('012e', 'hex'); exports['unix'] = Buffer.from('0190', 'hex'); exports['p2p'] = Buffer.from('01a5', 'hex'); exports['ipfs'] = Buffer.from('01a5', 'hex'); exports['https'] = Buffer.from('01bb', 'hex'); exports['onion'] = Buffer.from('01bc', 'hex'); exports['onion3'] = Buffer.from('01bd', 'hex'); exports['garlic64'] = Buffer.from('01be', 'hex'); exports['garlic32'] = Buffer.from('01bf', 'hex'); exports['quic'] = Buffer.from('01cc', 'hex'); exports['ws'] = Buffer.from('01dd', 'hex'); exports['wss'] = Buffer.from('01de', 'hex'); exports['p2p-websocket-star'] = Buffer.from('01df', 'hex'); exports['http'] = Buffer.from('01e0', 'hex'); // ipld exports['raw'] = Buffer.from('55', 'hex'); exports['dag-pb'] = Buffer.from('70', 'hex'); exports['dag-cbor'] = Buffer.from('71', 'hex'); exports['libp2p-key'] = Buffer.from('72', 'hex'); exports['git-raw'] = Buffer.from('78', 'hex'); exports['torrent-info'] = Buffer.from('7b', 'hex'); exports['torrent-file'] = Buffer.from('7c', 'hex'); exports['leofcoin-block'] = Buffer.from('81', 'hex'); exports['leofcoin-tx'] = Buffer.from('82', 'hex'); exports['leofcoin-pr'] = Buffer.from('83', 'hex'); exports['eth-block'] = Buffer.from('90', 'hex'); exports['eth-block-list'] = Buffer.from('91', 'hex'); exports['eth-tx-trie'] = Buffer.from('92', 'hex'); exports['eth-tx'] = Buffer.from('93', 'hex'); exports['eth-tx-receipt-trie'] = Buffer.from('94', 'hex'); exports['eth-tx-receipt'] = Buffer.from('95', 'hex'); exports['eth-state-trie'] = Buffer.from('96', 'hex'); exports['eth-account-snapshot'] = Buffer.from('97', 'hex'); exports['eth-storage-trie'] = Buffer.from('98', 'hex'); exports['bitcoin-block'] = Buffer.from('b0', 'hex'); exports['bitcoin-tx'] = Buffer.from('b1', 'hex'); exports['zcash-block'] = Buffer.from('c0', 'hex'); exports['zcash-tx'] = Buffer.from('c1', 'hex'); exports['stellar-block'] = Buffer.from('d0', 'hex'); exports['stellar-tx'] = Buffer.from('d1', 'hex'); exports['decred-block'] = Buffer.from('e0', 'hex'); exports['decred-tx'] = Buffer.from('e1', 'hex'); exports['dash-block'] = Buffer.from('f0', 'hex'); exports['dash-tx'] = Buffer.from('f1', 'hex'); exports['swarm-manifest'] = Buffer.from('fa', 'hex'); exports['swarm-feed'] = Buffer.from('fb', 'hex'); exports['dag-json'] = Buffer.from('0129', 'hex'); // namespace exports['path'] = Buffer.from('2f', 'hex'); exports['ipld-ns'] = Buffer.from('e2', 'hex'); exports['ipfs-ns'] = Buffer.from('e3', 'hex'); exports['swarm-ns'] = Buffer.from('e4', 'hex'); exports['ipns-ns'] = Buffer.from('e5', 'hex'); exports['zeronet'] = Buffer.from('e6', 'hex'); // key exports['ed25519-pub'] = Buffer.from('ed', 'hex'); // holochain exports['holochain-adr-v0'] = Buffer.from('807124', 'hex'); exports['holochain-adr-v1'] = Buffer.from('817124', 'hex'); exports['holochain-key-v0'] = Buffer.from('947124', 'hex'); exports['holochain-key-v1'] = Buffer.from('957124', 'hex'); exports['holochain-sig-v0'] = Buffer.from('a27124', 'hex'); exports['holochain-sig-v1'] = Buffer.from('a37124', 'hex'); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 68 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.defined = function (val) { return val !== null && val !== undefined && (typeof val !== 'number' || !isNaN(val)); }; /***/ }), /* 69 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = "enum KeyType {\n RSA = 0;\n Ed25519 = 1;\n Secp256k1 = 2;\n}\nmessage PublicKey {\n required KeyType Type = 1;\n required bytes Data = 2;\n}\nmessage PrivateKey {\n required KeyType Type = 1;\n required bytes Data = 2;\n}"; /***/ }), /* 70 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Javascript implementation of Abstract Syntax Notation Number One. * * @author Dave Longley * * Copyright (c) 2010-2015 Digital Bazaar, Inc. * * An API for storing data using the Abstract Syntax Notation Number One * format using DER (Distinguished Encoding Rules) encoding. This encoding is * commonly used to store data for PKI, i.e. X.509 Certificates, and this * implementation exists for that purpose. * * Abstract Syntax Notation Number One (ASN.1) is used to define the abstract * syntax of information without restricting the way the information is encoded * for transmission. It provides a standard that allows for open systems * communication. ASN.1 defines the syntax of information data and a number of * simple data types as well as a notation for describing them and specifying * values for them. * * The RSA algorithm creates public and private keys that are often stored in * X.509 or PKCS#X formats -- which use ASN.1 (encoded in DER format). This * class provides the most basic functionality required to store and load DSA * keys that are encoded according to ASN.1. * * The most common binary encodings for ASN.1 are BER (Basic Encoding Rules) * and DER (Distinguished Encoding Rules). DER is just a subset of BER that * has stricter requirements for how data must be encoded. * * Each ASN.1 structure has a tag (a byte identifying the ASN.1 structure type) * and a byte array for the value of this ASN1 structure which may be data or a * list of ASN.1 structures. * * Each ASN.1 structure using BER is (Tag-Length-Value): * * | byte 0 | bytes X | bytes Y | * |--------|---------|---------- * | tag | length | value | * * ASN.1 allows for tags to be of "High-tag-number form" which allows a tag to * be two or more octets, but that is not supported by this class. A tag is * only 1 byte. Bits 1-5 give the tag number (ie the data type within a * particular 'class'), 6 indicates whether or not the ASN.1 value is * constructed from other ASN.1 values, and bits 7 and 8 give the 'class'. If * bits 7 and 8 are both zero, the class is UNIVERSAL. If only bit 7 is set, * then the class is APPLICATION. If only bit 8 is set, then the class is * CONTEXT_SPECIFIC. If both bits 7 and 8 are set, then the class is PRIVATE. * The tag numbers for the data types for the class UNIVERSAL are listed below: * * UNIVERSAL 0 Reserved for use by the encoding rules * UNIVERSAL 1 Boolean type * UNIVERSAL 2 Integer type * UNIVERSAL 3 Bitstring type * UNIVERSAL 4 Octetstring type * UNIVERSAL 5 Null type * UNIVERSAL 6 Object identifier type * UNIVERSAL 7 Object descriptor type * UNIVERSAL 8 External type and Instance-of type * UNIVERSAL 9 Real type * UNIVERSAL 10 Enumerated type * UNIVERSAL 11 Embedded-pdv type * UNIVERSAL 12 UTF8String type * UNIVERSAL 13 Relative object identifier type * UNIVERSAL 14-15 Reserved for future editions * UNIVERSAL 16 Sequence and Sequence-of types * UNIVERSAL 17 Set and Set-of types * UNIVERSAL 18-22, 25-30 Character string types * UNIVERSAL 23-24 Time types * * The length of an ASN.1 structure is specified after the tag identifier. * There is a definite form and an indefinite form. The indefinite form may * be used if the encoding is constructed and not all immediately available. * The indefinite form is encoded using a length byte with only the 8th bit * set. The end of the constructed object is marked using end-of-contents * octets (two zero bytes). * * The definite form looks like this: * * The length may take up 1 or more bytes, it depends on the length of the * value of the ASN.1 structure. DER encoding requires that if the ASN.1 * structure has a value that has a length greater than 127, more than 1 byte * will be used to store its length, otherwise just one byte will be used. * This is strict. * * In the case that the length of the ASN.1 value is less than 127, 1 octet * (byte) is used to store the "short form" length. The 8th bit has a value of * 0 indicating the length is "short form" and not "long form" and bits 7-1 * give the length of the data. (The 8th bit is the left-most, most significant * bit: also known as big endian or network format). * * In the case that the length of the ASN.1 value is greater than 127, 2 to * 127 octets (bytes) are used to store the "long form" length. The first * byte's 8th bit is set to 1 to indicate the length is "long form." Bits 7-1 * give the number of additional octets. All following octets are in base 256 * with the most significant digit first (typical big-endian binary unsigned * integer storage). So, for instance, if the length of a value was 257, the * first byte would be set to: * * 10000010 = 130 = 0x82. * * This indicates there are 2 octets (base 256) for the length. The second and * third bytes (the octets just mentioned) would store the length in base 256: * * octet 2: 00000001 = 1 * 256^1 = 256 * octet 3: 00000001 = 1 * 256^0 = 1 * total = 257 * * The algorithm for converting a js integer value of 257 to base-256 is: * * var value = 257; * var bytes = []; * bytes[0] = (value >>> 8) & 0xFF; // most significant byte first * bytes[1] = value & 0xFF; // least significant byte last * * On the ASN.1 UNIVERSAL Object Identifier (OID) type: * * An OID can be written like: "value1.value2.value3...valueN" * * The DER encoding rules: * * The first byte has the value 40 * value1 + value2. * The following bytes, if any, encode the remaining values. Each value is * encoded in base 128, most significant digit first (big endian), with as * few digits as possible, and the most significant bit of each byte set * to 1 except the last in each value's encoding. For example: Given the * OID "1.2.840.113549", its DER encoding is (remember each byte except the * last one in each encoding is OR'd with 0x80): * * byte 1: 40 * 1 + 2 = 42 = 0x2A. * bytes 2-3: 128 * 6 + 72 = 840 = 6 72 = 6 72 = 0x0648 = 0x8648 * bytes 4-6: 16384 * 6 + 128 * 119 + 13 = 6 119 13 = 0x06770D = 0x86F70D * * The final value is: 0x2A864886F70D. * The full OID (including ASN.1 tag and length of 6 bytes) is: * 0x06062A864886F70D */ var forge = __webpack_require__(7); __webpack_require__(9); __webpack_require__(71); /* ASN.1 API */ var asn1 = module.exports = forge.asn1 = forge.asn1 || {}; /** * ASN.1 classes. */ asn1.Class = { UNIVERSAL: 0x00, APPLICATION: 0x40, CONTEXT_SPECIFIC: 0x80, PRIVATE: 0xC0 }; /** * ASN.1 types. Not all types are supported by this implementation, only * those necessary to implement a simple PKI are implemented. */ asn1.Type = { NONE: 0, BOOLEAN: 1, INTEGER: 2, BITSTRING: 3, OCTETSTRING: 4, NULL: 5, OID: 6, ODESC: 7, EXTERNAL: 8, REAL: 9, ENUMERATED: 10, EMBEDDED: 11, UTF8: 12, ROID: 13, SEQUENCE: 16, SET: 17, PRINTABLESTRING: 19, IA5STRING: 22, UTCTIME: 23, GENERALIZEDTIME: 24, BMPSTRING: 30 }; /** * Creates a new asn1 object. * * @param tagClass the tag class for the object. * @param type the data type (tag number) for the object. * @param constructed true if the asn1 object is in constructed form. * @param value the value for the object, if it is not constructed. * @param [options] the options to use: * [bitStringContents] the plain BIT STRING content including padding * byte. * * @return the asn1 object. */ asn1.create = function (tagClass, type, constructed, value, options) { /* An asn1 object has a tagClass, a type, a constructed flag, and a value. The value's type depends on the constructed flag. If constructed, it will contain a list of other asn1 objects. If not, it will contain the ASN.1 value as an array of bytes formatted according to the ASN.1 data type. */ // remove undefined values if (forge.util.isArray(value)) { var tmp = []; for (var i = 0; i < value.length; ++i) { if (value[i] !== undefined) { tmp.push(value[i]); } } value = tmp; } var obj = { tagClass: tagClass, type: type, constructed: constructed, composed: constructed || forge.util.isArray(value), value: value }; if (options && 'bitStringContents' in options) { // TODO: copy byte buffer if it's a buffer not a string obj.bitStringContents = options.bitStringContents; // TODO: add readonly flag to avoid this overhead // save copy to detect changes obj.original = asn1.copy(obj); } return obj; }; /** * Copies an asn1 object. * * @param obj the asn1 object. * @param [options] copy options: * [excludeBitStringContents] true to not copy bitStringContents * * @return the a copy of the asn1 object. */ asn1.copy = function (obj, options) { var copy; if (forge.util.isArray(obj)) { copy = []; for (var i = 0; i < obj.length; ++i) { copy.push(asn1.copy(obj[i], options)); } return copy; } if (typeof obj === 'string') { // TODO: copy byte buffer if it's a buffer not a string return obj; } copy = { tagClass: obj.tagClass, type: obj.type, constructed: obj.constructed, composed: obj.composed, value: asn1.copy(obj.value, options) }; if (options && !options.excludeBitStringContents) { // TODO: copy byte buffer if it's a buffer not a string copy.bitStringContents = obj.bitStringContents; } return copy; }; /** * Compares asn1 objects for equality. * * Note this function does not run in constant time. * * @param obj1 the first asn1 object. * @param obj2 the second asn1 object. * @param [options] compare options: * [includeBitStringContents] true to compare bitStringContents * * @return true if the asn1 objects are equal. */ asn1.equals = function (obj1, obj2, options) { if (forge.util.isArray(obj1)) { if (!forge.util.isArray(obj2)) { return false; } if (obj1.length !== obj2.length) { return false; } for (var i = 0; i < obj1.length; ++i) { if (!asn1.equals(obj1[i], obj2[i])) { return false; } } return true; } if (typeof obj1 !== typeof obj2) { return false; } if (typeof obj1 === 'string') { return obj1 === obj2; } var equal = obj1.tagClass === obj2.tagClass && obj1.type === obj2.type && obj1.constructed === obj2.constructed && obj1.composed === obj2.composed && asn1.equals(obj1.value, obj2.value); if (options && options.includeBitStringContents) { equal = equal && obj1.bitStringContents === obj2.bitStringContents; } return equal; }; /** * Gets the length of a BER-encoded ASN.1 value. * * In case the length is not specified, undefined is returned. * * @param b the BER-encoded ASN.1 byte buffer, starting with the first * length byte. * * @return the length of the BER-encoded ASN.1 value or undefined. */ asn1.getBerValueLength = function (b) { // TODO: move this function and related DER/BER functions to a der.js // file; better abstract ASN.1 away from der/ber. var b2 = b.getByte(); if (b2 === 0x80) { return undefined; } // see if the length is "short form" or "long form" (bit 8 set) var length; var longForm = b2 & 0x80; if (!longForm) { // length is just the first byte length = b2; } else { // the number of bytes the length is specified in bits 7 through 1 // and each length byte is in big-endian base-256 length = b.getInt((b2 & 0x7F) << 3); } return length; }; /** * Check if the byte buffer has enough bytes. Throws an Error if not. * * @param bytes the byte buffer to parse from. * @param remaining the bytes remaining in the current parsing state. * @param n the number of bytes the buffer must have. */ function _checkBufferLength(bytes, remaining, n) { if (n > remaining) { var error = new Error('Too few bytes to parse DER.'); error.available = bytes.length(); error.remaining = remaining; error.requested = n; throw error; } } /** * Gets the length of a BER-encoded ASN.1 value. * * In case the length is not specified, undefined is returned. * * @param bytes the byte buffer to parse from. * @param remaining the bytes remaining in the current parsing state. * * @return the length of the BER-encoded ASN.1 value or undefined. */ var _getValueLength = function _getValueLength(bytes, remaining) { // TODO: move this function and related DER/BER functions to a der.js // file; better abstract ASN.1 away from der/ber. // fromDer already checked that this byte exists var b2 = bytes.getByte(); remaining--; if (b2 === 0x80) { return undefined; } // see if the length is "short form" or "long form" (bit 8 set) var length; var longForm = b2 & 0x80; if (!longForm) { // length is just the first byte length = b2; } else { // the number of bytes the length is specified in bits 7 through 1 // and each length byte is in big-endian base-256 var longFormBytes = b2 & 0x7F; _checkBufferLength(bytes, remaining, longFormBytes); length = bytes.getInt(longFormBytes << 3); } // FIXME: this will only happen for 32 bit getInt with high bit set if (length < 0) { throw new Error('Negative length: ' + length); } return length; }; /** * Parses an asn1 object from a byte buffer in DER format. * * @param bytes the byte buffer to parse from. * @param [strict] true to be strict when checking value lengths, false to * allow truncated values (default: true). * @param [options] object with options or boolean strict flag * [strict] true to be strict when checking value lengths, false to * allow truncated values (default: true). * [decodeBitStrings] true to attempt to decode the content of * BIT STRINGs (not OCTET STRINGs) using strict mode. Note that * without schema support to understand the data context this can * erroneously decode values that happen to be valid ASN.1. This * flag will be deprecated or removed as soon as schema support is * available. (default: true) * * @return the parsed asn1 object. */ asn1.fromDer = function (bytes, options) { if (options === undefined) { options = { strict: true, decodeBitStrings: true }; } if (typeof options === 'boolean') { options = { strict: options, decodeBitStrings: true }; } if (!('strict' in options)) { options.strict = true; } if (!('decodeBitStrings' in options)) { options.decodeBitStrings = true; } // wrap in buffer if needed if (typeof bytes === 'string') { bytes = forge.util.createBuffer(bytes); } return _fromDer(bytes, bytes.length(), 0, options); }; /** * Internal function to parse an asn1 object from a byte buffer in DER format. * * @param bytes the byte buffer to parse from. * @param remaining the number of bytes remaining for this chunk. * @param depth the current parsing depth. * @param options object with same options as fromDer(). * * @return the parsed asn1 object. */ function _fromDer(bytes, remaining, depth, options) { // temporary storage for consumption calculations var start; // minimum length for ASN.1 DER structure is 2 _checkBufferLength(bytes, remaining, 2); // get the first byte var b1 = bytes.getByte(); // consumed one byte remaining--; // get the tag class var tagClass = b1 & 0xC0; // get the type (bits 1-5) var type = b1 & 0x1F; // get the variable value length and adjust remaining bytes start = bytes.length(); var length = _getValueLength(bytes, remaining); remaining -= start - bytes.length(); // ensure there are enough bytes to get the value if (length !== undefined && length > remaining) { if (options.strict) { var error = new Error('Too few bytes to read ASN.1 value.'); error.available = bytes.length(); error.remaining = remaining; error.requested = length; throw error; } // Note: be lenient with truncated values and use remaining state bytes length = remaining; } // value storage var value; // possible BIT STRING contents storage var bitStringContents; // constructed flag is bit 6 (32 = 0x20) of the first byte var constructed = (b1 & 0x20) === 0x20; if (constructed) { // parse child asn1 objects from the value value = []; if (length === undefined) { // asn1 object of indefinite length, read until end tag for (;;) { _checkBufferLength(bytes, remaining, 2); if (bytes.bytes(2) === String.fromCharCode(0, 0)) { bytes.getBytes(2); remaining -= 2; break; } start = bytes.length(); value.push(_fromDer(bytes, remaining, depth + 1, options)); remaining -= start - bytes.length(); } } else { // parsing asn1 object of definite length while (length > 0) { start = bytes.length(); value.push(_fromDer(bytes, length, depth + 1, options)); remaining -= start - bytes.length(); length -= start - bytes.length(); } } } // if a BIT STRING, save the contents including padding if (value === undefined && tagClass === asn1.Class.UNIVERSAL && type === asn1.Type.BITSTRING) { bitStringContents = bytes.bytes(length); } // determine if a non-constructed value should be decoded as a composed // value that contains other ASN.1 objects. BIT STRINGs (and OCTET STRINGs) // can be used this way. if (value === undefined && options.decodeBitStrings && tagClass === asn1.Class.UNIVERSAL && // FIXME: OCTET STRINGs not yet supported here // .. other parts of forge expect to decode OCTET STRINGs manually type === asn1.Type.BITSTRING /*|| type === asn1.Type.OCTETSTRING*/ && length > 1) { // save read position var savedRead = bytes.read; var savedRemaining = remaining; var unused = 0; if (type === asn1.Type.BITSTRING) { /* The first octet gives the number of bits by which the length of the bit string is less than the next multiple of eight (this is called the "number of unused bits"). The second and following octets give the value of the bit string converted to an octet string. */ _checkBufferLength(bytes, remaining, 1); unused = bytes.getByte(); remaining--; } // if all bits are used, maybe the BIT/OCTET STRING holds ASN.1 objs if (unused === 0) { try { // attempt to parse child asn1 object from the value // (stored in array to signal composed value) start = bytes.length(); var subOptions = { // enforce strict mode to avoid parsing ASN.1 from plain data verbose: options.verbose, strict: true, decodeBitStrings: true }; var composed = _fromDer(bytes, remaining, depth + 1, subOptions); var used = start - bytes.length(); remaining -= used; if (type == asn1.Type.BITSTRING) { used++; } // if the data all decoded and the class indicates UNIVERSAL or // CONTEXT_SPECIFIC then assume we've got an encapsulated ASN.1 object var tc = composed.tagClass; if (used === length && (tc === asn1.Class.UNIVERSAL || tc === asn1.Class.CONTEXT_SPECIFIC)) { value = [composed]; } } catch (ex) {} } if (value === undefined) { // restore read position bytes.read = savedRead; remaining = savedRemaining; } } if (value === undefined) { // asn1 not constructed or composed, get raw value // TODO: do DER to OID conversion and vice-versa in .toDer? if (length === undefined) { if (options.strict) { throw new Error('Non-constructed ASN.1 object of indefinite length.'); } // be lenient and use remaining state bytes length = remaining; } if (type === asn1.Type.BMPSTRING) { value = ''; for (; length > 0; length -= 2) { _checkBufferLength(bytes, remaining, 2); value += String.fromCharCode(bytes.getInt16()); remaining -= 2; } } else { value = bytes.getBytes(length); } } // add BIT STRING contents if available var asn1Options = bitStringContents === undefined ? null : { bitStringContents: bitStringContents }; // create and return asn1 object return asn1.create(tagClass, type, constructed, value, asn1Options); } /** * Converts the given asn1 object to a buffer of bytes in DER format. * * @param asn1 the asn1 object to convert to bytes. * * @return the buffer of bytes. */ asn1.toDer = function (obj) { var bytes = forge.util.createBuffer(); // build the first byte var b1 = obj.tagClass | obj.type; // for storing the ASN.1 value var value = forge.util.createBuffer(); // use BIT STRING contents if available and data not changed var useBitStringContents = false; if ('bitStringContents' in obj) { useBitStringContents = true; if (obj.original) { useBitStringContents = asn1.equals(obj, obj.original); } } if (useBitStringContents) { value.putBytes(obj.bitStringContents); } else if (obj.composed) { // if composed, use each child asn1 object's DER bytes as value // turn on 6th bit (0x20 = 32) to indicate asn1 is constructed // from other asn1 objects if (obj.constructed) { b1 |= 0x20; } else { // type is a bit string, add unused bits of 0x00 value.putByte(0x00); } // add all of the child DER bytes together for (var i = 0; i < obj.value.length; ++i) { if (obj.value[i] !== undefined) { value.putBuffer(asn1.toDer(obj.value[i])); } } } else { // use asn1.value directly if (obj.type === asn1.Type.BMPSTRING) { for (var i = 0; i < obj.value.length; ++i) { value.putInt16(obj.value.charCodeAt(i)); } } else { // ensure integer is minimally-encoded // TODO: should all leading bytes be stripped vs just one? // .. ex '00 00 01' => '01'? if (obj.type === asn1.Type.INTEGER && obj.value.length > 1 && ( // leading 0x00 for positive integer obj.value.charCodeAt(0) === 0 && (obj.value.charCodeAt(1) & 0x80) === 0 || // leading 0xFF for negative integer obj.value.charCodeAt(0) === 0xFF && (obj.value.charCodeAt(1) & 0x80) === 0x80)) { value.putBytes(obj.value.substr(1)); } else { value.putBytes(obj.value); } } } // add tag byte bytes.putByte(b1); // use "short form" encoding if (value.length() <= 127) { // one byte describes the length // bit 8 = 0 and bits 7-1 = length bytes.putByte(value.length() & 0x7F); } else { // use "long form" encoding // 2 to 127 bytes describe the length // first byte: bit 8 = 1 and bits 7-1 = # of additional bytes // other bytes: length in base 256, big-endian var len = value.length(); var lenBytes = ''; do { lenBytes += String.fromCharCode(len & 0xFF); len = len >>> 8; } while (len > 0); // set first byte to # bytes used to store the length and turn on // bit 8 to indicate long-form length is used bytes.putByte(lenBytes.length | 0x80); // concatenate length bytes in reverse since they were generated // little endian and we need big endian for (var i = lenBytes.length - 1; i >= 0; --i) { bytes.putByte(lenBytes.charCodeAt(i)); } } // concatenate value bytes bytes.putBuffer(value); return bytes; }; /** * Converts an OID dot-separated string to a byte buffer. The byte buffer * contains only the DER-encoded value, not any tag or length bytes. * * @param oid the OID dot-separated string. * * @return the byte buffer. */ asn1.oidToDer = function (oid) { // split OID into individual values var values = oid.split('.'); var bytes = forge.util.createBuffer(); // first byte is 40 * value1 + value2 bytes.putByte(40 * parseInt(values[0], 10) + parseInt(values[1], 10)); // other bytes are each value in base 128 with 8th bit set except for // the last byte for each value var last, valueBytes, value, b; for (var i = 2; i < values.length; ++i) { // produce value bytes in reverse because we don't know how many // bytes it will take to store the value last = true; valueBytes = []; value = parseInt(values[i], 10); do { b = value & 0x7F; value = value >>> 7; // if value is not last, then turn on 8th bit if (!last) { b |= 0x80; } valueBytes.push(b); last = false; } while (value > 0); // add value bytes in reverse (needs to be in big endian) for (var n = valueBytes.length - 1; n >= 0; --n) { bytes.putByte(valueBytes[n]); } } return bytes; }; /** * Converts a DER-encoded byte buffer to an OID dot-separated string. The * byte buffer should contain only the DER-encoded value, not any tag or * length bytes. * * @param bytes the byte buffer. * * @return the OID dot-separated string. */ asn1.derToOid = function (bytes) { var oid; // wrap in buffer if needed if (typeof bytes === 'string') { bytes = forge.util.createBuffer(bytes); } // first byte is 40 * value1 + value2 var b = bytes.getByte(); oid = Math.floor(b / 40) + '.' + b % 40; // other bytes are each value in base 128 with 8th bit set except for // the last byte for each value var value = 0; while (bytes.length() > 0) { b = bytes.getByte(); value = value << 7; // not the last byte for the value if (b & 0x80) { value += b & 0x7F; } else { // last byte oid += '.' + (value + b); value = 0; } } return oid; }; /** * Converts a UTCTime value to a date. * * Note: GeneralizedTime has 4 digits for the year and is used for X.509 * dates past 2049. Parsing that structure hasn't been implemented yet. * * @param utc the UTCTime value to convert. * * @return the date. */ asn1.utcTimeToDate = function (utc) { /* The following formats can be used: YYMMDDhhmmZ YYMMDDhhmm+hh'mm' YYMMDDhhmm-hh'mm' YYMMDDhhmmssZ YYMMDDhhmmss+hh'mm' YYMMDDhhmmss-hh'mm' Where: YY is the least significant two digits of the year MM is the month (01 to 12) DD is the day (01 to 31) hh is the hour (00 to 23) mm are the minutes (00 to 59) ss are the seconds (00 to 59) Z indicates that local time is GMT, + indicates that local time is later than GMT, and - indicates that local time is earlier than GMT hh' is the absolute value of the offset from GMT in hours mm' is the absolute value of the offset from GMT in minutes */ var date = new Date(); // if YY >= 50 use 19xx, if YY < 50 use 20xx var year = parseInt(utc.substr(0, 2), 10); year = year >= 50 ? 1900 + year : 2000 + year; var MM = parseInt(utc.substr(2, 2), 10) - 1; // use 0-11 for month var DD = parseInt(utc.substr(4, 2), 10); var hh = parseInt(utc.substr(6, 2), 10); var mm = parseInt(utc.substr(8, 2), 10); var ss = 0; // not just YYMMDDhhmmZ if (utc.length > 11) { // get character after minutes var c = utc.charAt(10); var end = 10; // see if seconds are present if (c !== '+' && c !== '-') { // get seconds ss = parseInt(utc.substr(10, 2), 10); end += 2; } } // update date date.setUTCFullYear(year, MM, DD); date.setUTCHours(hh, mm, ss, 0); if (end) { // get +/- after end of time c = utc.charAt(end); if (c === '+' || c === '-') { // get hours+minutes offset var hhoffset = parseInt(utc.substr(end + 1, 2), 10); var mmoffset = parseInt(utc.substr(end + 4, 2), 10); // calculate offset in milliseconds var offset = hhoffset * 60 + mmoffset; offset *= 60000; // apply offset if (c === '+') { date.setTime(+date - offset); } else { date.setTime(+date + offset); } } } return date; }; /** * Converts a GeneralizedTime value to a date. * * @param gentime the GeneralizedTime value to convert. * * @return the date. */ asn1.generalizedTimeToDate = function (gentime) { /* The following formats can be used: YYYYMMDDHHMMSS YYYYMMDDHHMMSS.fff YYYYMMDDHHMMSSZ YYYYMMDDHHMMSS.fffZ YYYYMMDDHHMMSS+hh'mm' YYYYMMDDHHMMSS.fff+hh'mm' YYYYMMDDHHMMSS-hh'mm' YYYYMMDDHHMMSS.fff-hh'mm' Where: YYYY is the year MM is the month (01 to 12) DD is the day (01 to 31) hh is the hour (00 to 23) mm are the minutes (00 to 59) ss are the seconds (00 to 59) .fff is the second fraction, accurate to three decimal places Z indicates that local time is GMT, + indicates that local time is later than GMT, and - indicates that local time is earlier than GMT hh' is the absolute value of the offset from GMT in hours mm' is the absolute value of the offset from GMT in minutes */ var date = new Date(); var YYYY = parseInt(gentime.substr(0, 4), 10); var MM = parseInt(gentime.substr(4, 2), 10) - 1; // use 0-11 for month var DD = parseInt(gentime.substr(6, 2), 10); var hh = parseInt(gentime.substr(8, 2), 10); var mm = parseInt(gentime.substr(10, 2), 10); var ss = parseInt(gentime.substr(12, 2), 10); var fff = 0; var offset = 0; var isUTC = false; if (gentime.charAt(gentime.length - 1) === 'Z') { isUTC = true; } var end = gentime.length - 5, c = gentime.charAt(end); if (c === '+' || c === '-') { // get hours+minutes offset var hhoffset = parseInt(gentime.substr(end + 1, 2), 10); var mmoffset = parseInt(gentime.substr(end + 4, 2), 10); // calculate offset in milliseconds offset = hhoffset * 60 + mmoffset; offset *= 60000; // apply offset if (c === '+') { offset *= -1; } isUTC = true; } // check for second fraction if (gentime.charAt(14) === '.') { fff = parseFloat(gentime.substr(14), 10) * 1000; } if (isUTC) { date.setUTCFullYear(YYYY, MM, DD); date.setUTCHours(hh, mm, ss, fff); // apply offset date.setTime(+date + offset); } else { date.setFullYear(YYYY, MM, DD); date.setHours(hh, mm, ss, fff); } return date; }; /** * Converts a date to a UTCTime value. * * Note: GeneralizedTime has 4 digits for the year and is used for X.509 * dates past 2049. Converting to a GeneralizedTime hasn't been * implemented yet. * * @param date the date to convert. * * @return the UTCTime value. */ asn1.dateToUtcTime = function (date) { // TODO: validate; currently assumes proper format if (typeof date === 'string') { return date; } var rval = ''; // create format YYMMDDhhmmssZ var format = []; format.push(('' + date.getUTCFullYear()).substr(2)); format.push('' + (date.getUTCMonth() + 1)); format.push('' + date.getUTCDate()); format.push('' + date.getUTCHours()); format.push('' + date.getUTCMinutes()); format.push('' + date.getUTCSeconds()); // ensure 2 digits are used for each format entry for (var i = 0; i < format.length; ++i) { if (format[i].length < 2) { rval += '0'; } rval += format[i]; } rval += 'Z'; return rval; }; /** * Converts a date to a GeneralizedTime value. * * @param date the date to convert. * * @return the GeneralizedTime value as a string. */ asn1.dateToGeneralizedTime = function (date) { // TODO: validate; currently assumes proper format if (typeof date === 'string') { return date; } var rval = ''; // create format YYYYMMDDHHMMSSZ var format = []; format.push('' + date.getUTCFullYear()); format.push('' + (date.getUTCMonth() + 1)); format.push('' + date.getUTCDate()); format.push('' + date.getUTCHours()); format.push('' + date.getUTCMinutes()); format.push('' + date.getUTCSeconds()); // ensure 2 digits are used for each format entry for (var i = 0; i < format.length; ++i) { if (format[i].length < 2) { rval += '0'; } rval += format[i]; } rval += 'Z'; return rval; }; /** * Converts a javascript integer to a DER-encoded byte buffer to be used * as the value for an INTEGER type. * * @param x the integer. * * @return the byte buffer. */ asn1.integerToDer = function (x) { var rval = forge.util.createBuffer(); if (x >= -0x80 && x < 0x80) { return rval.putSignedInt(x, 8); } if (x >= -0x8000 && x < 0x8000) { return rval.putSignedInt(x, 16); } if (x >= -0x800000 && x < 0x800000) { return rval.putSignedInt(x, 24); } if (x >= -0x80000000 && x < 0x80000000) { return rval.putSignedInt(x, 32); } var error = new Error('Integer too large; max is 32-bits.'); error.integer = x; throw error; }; /** * Converts a DER-encoded byte buffer to a javascript integer. This is * typically used to decode the value of an INTEGER type. * * @param bytes the byte buffer. * * @return the integer. */ asn1.derToInteger = function (bytes) { // wrap in buffer if needed if (typeof bytes === 'string') { bytes = forge.util.createBuffer(bytes); } var n = bytes.length() * 8; if (n > 32) { throw new Error('Integer too large; max is 32-bits.'); } return bytes.getSignedInt(n); }; /** * Validates that the given ASN.1 object is at least a super set of the * given ASN.1 structure. Only tag classes and types are checked. An * optional map may also be provided to capture ASN.1 values while the * structure is checked. * * To capture an ASN.1 value, set an object in the validator's 'capture' * parameter to the key to use in the capture map. To capture the full * ASN.1 object, specify 'captureAsn1'. To capture BIT STRING bytes, including * the leading unused bits counter byte, specify 'captureBitStringContents'. * To capture BIT STRING bytes, without the leading unused bits counter byte, * specify 'captureBitStringValue'. * * Objects in the validator may set a field 'optional' to true to indicate * that it isn't necessary to pass validation. * * @param obj the ASN.1 object to validate. * @param v the ASN.1 structure validator. * @param capture an optional map to capture values in. * @param errors an optional array for storing validation errors. * * @return true on success, false on failure. */ asn1.validate = function (obj, v, capture, errors) { var rval = false; // ensure tag class and type are the same if specified if ((obj.tagClass === v.tagClass || typeof v.tagClass === 'undefined') && (obj.type === v.type || typeof v.type === 'undefined')) { // ensure constructed flag is the same if specified if (obj.constructed === v.constructed || typeof v.constructed === 'undefined') { rval = true; // handle sub values if (v.value && forge.util.isArray(v.value)) { var j = 0; for (var i = 0; rval && i < v.value.length; ++i) { rval = v.value[i].optional || false; if (obj.value[j]) { rval = asn1.validate(obj.value[j], v.value[i], capture, errors); if (rval) { ++j; } else if (v.value[i].optional) { rval = true; } } if (!rval && errors) { errors.push('[' + v.name + '] ' + 'Tag class "' + v.tagClass + '", type "' + v.type + '" expected value length "' + v.value.length + '", got "' + obj.value.length + '"'); } } } if (rval && capture) { if (v.capture) { capture[v.capture] = obj.value; } if (v.captureAsn1) { capture[v.captureAsn1] = obj; } if (v.captureBitStringContents && 'bitStringContents' in obj) { capture[v.captureBitStringContents] = obj.bitStringContents; } if (v.captureBitStringValue && 'bitStringContents' in obj) { var value; if (obj.bitStringContents.length < 2) { capture[v.captureBitStringValue] = ''; } else { // FIXME: support unused bits with data shifting var unused = obj.bitStringContents.charCodeAt(0); if (unused !== 0) { throw new Error('captureBitStringValue only supported for zero unused bits'); } capture[v.captureBitStringValue] = obj.bitStringContents.slice(1); } } } } else if (errors) { errors.push('[' + v.name + '] ' + 'Expected constructed "' + v.constructed + '", got "' + obj.constructed + '"'); } } else if (errors) { if (obj.tagClass !== v.tagClass) { errors.push('[' + v.name + '] ' + 'Expected tag class "' + v.tagClass + '", got "' + obj.tagClass + '"'); } if (obj.type !== v.type) { errors.push('[' + v.name + '] ' + 'Expected type "' + v.type + '", got "' + obj.type + '"'); } } return rval; }; // regex for testing for non-latin characters var _nonLatinRegex = /[^\\u0000-\\u00ff]/; /** * Pretty prints an ASN.1 object to a string. * * @param obj the object to write out. * @param level the level in the tree. * @param indentation the indentation to use. * * @return the string. */ asn1.prettyPrint = function (obj, level, indentation) { var rval = ''; // set default level and indentation level = level || 0; indentation = indentation || 2; // start new line for deep levels if (level > 0) { rval += '\n'; } // create indent var indent = ''; for (var i = 0; i < level * indentation; ++i) { indent += ' '; } // print class:type rval += indent + 'Tag: '; switch (obj.tagClass) { case asn1.Class.UNIVERSAL: rval += 'Universal:'; break; case asn1.Class.APPLICATION: rval += 'Application:'; break; case asn1.Class.CONTEXT_SPECIFIC: rval += 'Context-Specific:'; break; case asn1.Class.PRIVATE: rval += 'Private:'; break; } if (obj.tagClass === asn1.Class.UNIVERSAL) { rval += obj.type; // known types switch (obj.type) { case asn1.Type.NONE: rval += ' (None)'; break; case asn1.Type.BOOLEAN: rval += ' (Boolean)'; break; case asn1.Type.INTEGER: rval += ' (Integer)'; break; case asn1.Type.BITSTRING: rval += ' (Bit string)'; break; case asn1.Type.OCTETSTRING: rval += ' (Octet string)'; break; case asn1.Type.NULL: rval += ' (Null)'; break; case asn1.Type.OID: rval += ' (Object Identifier)'; break; case asn1.Type.ODESC: rval += ' (Object Descriptor)'; break; case asn1.Type.EXTERNAL: rval += ' (External or Instance of)'; break; case asn1.Type.REAL: rval += ' (Real)'; break; case asn1.Type.ENUMERATED: rval += ' (Enumerated)'; break; case asn1.Type.EMBEDDED: rval += ' (Embedded PDV)'; break; case asn1.Type.UTF8: rval += ' (UTF8)'; break; case asn1.Type.ROID: rval += ' (Relative Object Identifier)'; break; case asn1.Type.SEQUENCE: rval += ' (Sequence)'; break; case asn1.Type.SET: rval += ' (Set)'; break; case asn1.Type.PRINTABLESTRING: rval += ' (Printable String)'; break; case asn1.Type.IA5String: rval += ' (IA5String (ASCII))'; break; case asn1.Type.UTCTIME: rval += ' (UTC time)'; break; case asn1.Type.GENERALIZEDTIME: rval += ' (Generalized time)'; break; case asn1.Type.BMPSTRING: rval += ' (BMP String)'; break; } } else { rval += obj.type; } rval += '\n'; rval += indent + 'Constructed: ' + obj.constructed + '\n'; if (obj.composed) { var subvalues = 0; var sub = ''; for (var i = 0; i < obj.value.length; ++i) { if (obj.value[i] !== undefined) { subvalues += 1; sub += asn1.prettyPrint(obj.value[i], level + 1, indentation); if (i + 1 < obj.value.length) { sub += ','; } } } rval += indent + 'Sub values: ' + subvalues + sub; } else { rval += indent + 'Value: '; if (obj.type === asn1.Type.OID) { var oid = asn1.derToOid(obj.value); rval += oid; if (forge.pki && forge.pki.oids) { if (oid in forge.pki.oids) { rval += ' (' + forge.pki.oids[oid] + ') '; } } } if (obj.type === asn1.Type.INTEGER) { try { rval += asn1.derToInteger(obj.value); } catch (ex) { rval += '0x' + forge.util.bytesToHex(obj.value); } } else if (obj.type === asn1.Type.BITSTRING) { // TODO: shift bits as needed to display without padding if (obj.value.length > 1) { // remove unused bits field rval += '0x' + forge.util.bytesToHex(obj.value.slice(1)); } else { rval += '(none)'; } // show unused bit count if (obj.value.length > 0) { var unused = obj.value.charCodeAt(0); if (unused == 1) { rval += ' (1 unused bit shown)'; } else if (unused > 1) { rval += ' (' + unused + ' unused bits shown)'; } } } else if (obj.type === asn1.Type.OCTETSTRING) { if (!_nonLatinRegex.test(obj.value)) { rval += '(' + obj.value + ') '; } rval += '0x' + forge.util.bytesToHex(obj.value); } else if (obj.type === asn1.Type.UTF8) { rval += forge.util.decodeUtf8(obj.value); } else if (obj.type === asn1.Type.PRINTABLESTRING || obj.type === asn1.Type.IA5String) { rval += obj.value; } else if (_nonLatinRegex.test(obj.value)) { rval += '0x' + forge.util.bytesToHex(obj.value); } else if (obj.value.length === 0) { rval += '[null]'; } else { rval += obj.value; } } return rval; }; /***/ }), /* 71 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Object IDs for ASN.1. * * @author Dave Longley * * Copyright (c) 2010-2013 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); forge.pki = forge.pki || {}; var oids = module.exports = forge.pki.oids = forge.oids = forge.oids || {}; // set id to name mapping and name to id mapping function _IN(id, name) { oids[id] = name; oids[name] = id; } // set id to name mapping only function _I_(id, name) { oids[id] = name; } // algorithm OIDs _IN('1.2.840.113549.1.1.1', 'rsaEncryption'); // Note: md2 & md4 not implemented //_IN('1.2.840.113549.1.1.2', 'md2WithRSAEncryption'); //_IN('1.2.840.113549.1.1.3', 'md4WithRSAEncryption'); _IN('1.2.840.113549.1.1.4', 'md5WithRSAEncryption'); _IN('1.2.840.113549.1.1.5', 'sha1WithRSAEncryption'); _IN('1.2.840.113549.1.1.7', 'RSAES-OAEP'); _IN('1.2.840.113549.1.1.8', 'mgf1'); _IN('1.2.840.113549.1.1.9', 'pSpecified'); _IN('1.2.840.113549.1.1.10', 'RSASSA-PSS'); _IN('1.2.840.113549.1.1.11', 'sha256WithRSAEncryption'); _IN('1.2.840.113549.1.1.12', 'sha384WithRSAEncryption'); _IN('1.2.840.113549.1.1.13', 'sha512WithRSAEncryption'); _IN('1.2.840.10040.4.3', 'dsa-with-sha1'); _IN('1.3.14.3.2.7', 'desCBC'); _IN('1.3.14.3.2.26', 'sha1'); _IN('2.16.840.1.101.3.4.2.1', 'sha256'); _IN('2.16.840.1.101.3.4.2.2', 'sha384'); _IN('2.16.840.1.101.3.4.2.3', 'sha512'); _IN('1.2.840.113549.2.5', 'md5'); // pkcs#7 content types _IN('1.2.840.113549.1.7.1', 'data'); _IN('1.2.840.113549.1.7.2', 'signedData'); _IN('1.2.840.113549.1.7.3', 'envelopedData'); _IN('1.2.840.113549.1.7.4', 'signedAndEnvelopedData'); _IN('1.2.840.113549.1.7.5', 'digestedData'); _IN('1.2.840.113549.1.7.6', 'encryptedData'); // pkcs#9 oids _IN('1.2.840.113549.1.9.1', 'emailAddress'); _IN('1.2.840.113549.1.9.2', 'unstructuredName'); _IN('1.2.840.113549.1.9.3', 'contentType'); _IN('1.2.840.113549.1.9.4', 'messageDigest'); _IN('1.2.840.113549.1.9.5', 'signingTime'); _IN('1.2.840.113549.1.9.6', 'counterSignature'); _IN('1.2.840.113549.1.9.7', 'challengePassword'); _IN('1.2.840.113549.1.9.8', 'unstructuredAddress'); _IN('1.2.840.113549.1.9.14', 'extensionRequest'); _IN('1.2.840.113549.1.9.20', 'friendlyName'); _IN('1.2.840.113549.1.9.21', 'localKeyId'); _IN('1.2.840.113549.1.9.22.1', 'x509Certificate'); // pkcs#12 safe bags _IN('1.2.840.113549.1.12.10.1.1', 'keyBag'); _IN('1.2.840.113549.1.12.10.1.2', 'pkcs8ShroudedKeyBag'); _IN('1.2.840.113549.1.12.10.1.3', 'certBag'); _IN('1.2.840.113549.1.12.10.1.4', 'crlBag'); _IN('1.2.840.113549.1.12.10.1.5', 'secretBag'); _IN('1.2.840.113549.1.12.10.1.6', 'safeContentsBag'); // password-based-encryption for pkcs#12 _IN('1.2.840.113549.1.5.13', 'pkcs5PBES2'); _IN('1.2.840.113549.1.5.12', 'pkcs5PBKDF2'); _IN('1.2.840.113549.1.12.1.1', 'pbeWithSHAAnd128BitRC4'); _IN('1.2.840.113549.1.12.1.2', 'pbeWithSHAAnd40BitRC4'); _IN('1.2.840.113549.1.12.1.3', 'pbeWithSHAAnd3-KeyTripleDES-CBC'); _IN('1.2.840.113549.1.12.1.4', 'pbeWithSHAAnd2-KeyTripleDES-CBC'); _IN('1.2.840.113549.1.12.1.5', 'pbeWithSHAAnd128BitRC2-CBC'); _IN('1.2.840.113549.1.12.1.6', 'pbewithSHAAnd40BitRC2-CBC'); // hmac OIDs _IN('1.2.840.113549.2.7', 'hmacWithSHA1'); _IN('1.2.840.113549.2.8', 'hmacWithSHA224'); _IN('1.2.840.113549.2.9', 'hmacWithSHA256'); _IN('1.2.840.113549.2.10', 'hmacWithSHA384'); _IN('1.2.840.113549.2.11', 'hmacWithSHA512'); // symmetric key algorithm oids _IN('1.2.840.113549.3.7', 'des-EDE3-CBC'); _IN('2.16.840.1.101.3.4.1.2', 'aes128-CBC'); _IN('2.16.840.1.101.3.4.1.22', 'aes192-CBC'); _IN('2.16.840.1.101.3.4.1.42', 'aes256-CBC'); // certificate issuer/subject OIDs _IN('2.5.4.3', 'commonName'); _IN('2.5.4.5', 'serialName'); _IN('2.5.4.6', 'countryName'); _IN('2.5.4.7', 'localityName'); _IN('2.5.4.8', 'stateOrProvinceName'); _IN('2.5.4.10', 'organizationName'); _IN('2.5.4.11', 'organizationalUnitName'); // X.509 extension OIDs _IN('2.16.840.1.113730.1.1', 'nsCertType'); _I_('2.5.29.1', 'authorityKeyIdentifier'); // deprecated, use .35 _I_('2.5.29.2', 'keyAttributes'); // obsolete use .37 or .15 _I_('2.5.29.3', 'certificatePolicies'); // deprecated, use .32 _I_('2.5.29.4', 'keyUsageRestriction'); // obsolete use .37 or .15 _I_('2.5.29.5', 'policyMapping'); // deprecated use .33 _I_('2.5.29.6', 'subtreesConstraint'); // obsolete use .30 _I_('2.5.29.7', 'subjectAltName'); // deprecated use .17 _I_('2.5.29.8', 'issuerAltName'); // deprecated use .18 _I_('2.5.29.9', 'subjectDirectoryAttributes'); _I_('2.5.29.10', 'basicConstraints'); // deprecated use .19 _I_('2.5.29.11', 'nameConstraints'); // deprecated use .30 _I_('2.5.29.12', 'policyConstraints'); // deprecated use .36 _I_('2.5.29.13', 'basicConstraints'); // deprecated use .19 _IN('2.5.29.14', 'subjectKeyIdentifier'); _IN('2.5.29.15', 'keyUsage'); _I_('2.5.29.16', 'privateKeyUsagePeriod'); _IN('2.5.29.17', 'subjectAltName'); _IN('2.5.29.18', 'issuerAltName'); _IN('2.5.29.19', 'basicConstraints'); _I_('2.5.29.20', 'cRLNumber'); _I_('2.5.29.21', 'cRLReason'); _I_('2.5.29.22', 'expirationDate'); _I_('2.5.29.23', 'instructionCode'); _I_('2.5.29.24', 'invalidityDate'); _I_('2.5.29.25', 'cRLDistributionPoints'); // deprecated use .31 _I_('2.5.29.26', 'issuingDistributionPoint'); // deprecated use .28 _I_('2.5.29.27', 'deltaCRLIndicator'); _I_('2.5.29.28', 'issuingDistributionPoint'); _I_('2.5.29.29', 'certificateIssuer'); _I_('2.5.29.30', 'nameConstraints'); _IN('2.5.29.31', 'cRLDistributionPoints'); _IN('2.5.29.32', 'certificatePolicies'); _I_('2.5.29.33', 'policyMappings'); _I_('2.5.29.34', 'policyConstraints'); // deprecated use .36 _IN('2.5.29.35', 'authorityKeyIdentifier'); _I_('2.5.29.36', 'policyConstraints'); _IN('2.5.29.37', 'extKeyUsage'); _I_('2.5.29.46', 'freshestCRL'); _I_('2.5.29.54', 'inhibitAnyPolicy'); // extKeyUsage purposes _IN('1.3.6.1.4.1.11129.2.4.2', 'timestampList'); _IN('1.3.6.1.5.5.7.1.1', 'authorityInfoAccess'); _IN('1.3.6.1.5.5.7.3.1', 'serverAuth'); _IN('1.3.6.1.5.5.7.3.2', 'clientAuth'); _IN('1.3.6.1.5.5.7.3.3', 'codeSigning'); _IN('1.3.6.1.5.5.7.3.4', 'emailProtection'); _IN('1.3.6.1.5.5.7.3.8', 'timeStamping'); /***/ }), /* 72 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, global) {var __WEBPACK_AMD_DEFINE_RESULT__; /** * [js-sha3]{@link https://github.com/emn178/js-sha3} * * @version 0.8.0 * @author Chen, Yi-Cyuan [emn178@gmail.com] * @copyright Chen, Yi-Cyuan 2015-2018 * @license MIT */ /*jslint bitwise: true */ (function () { 'use strict'; var INPUT_ERROR = 'input is invalid type'; var FINALIZE_ERROR = 'finalize already called'; var WINDOW = typeof window === 'object'; var root = WINDOW ? window : {}; if (root.JS_SHA3_NO_WINDOW) { WINDOW = false; } var WEB_WORKER = !WINDOW && typeof self === 'object'; var NODE_JS = !root.JS_SHA3_NO_NODE_JS && typeof process === 'object' && process.versions && process.versions.node; if (NODE_JS) { root = global; } else if (WEB_WORKER) { root = self; } var COMMON_JS = !root.JS_SHA3_NO_COMMON_JS && typeof module === 'object' && module.exports; var AMD = true && __webpack_require__(110); var ARRAY_BUFFER = !root.JS_SHA3_NO_ARRAY_BUFFER && typeof ArrayBuffer !== 'undefined'; var HEX_CHARS = '0123456789abcdef'.split(''); var SHAKE_PADDING = [31, 7936, 2031616, 520093696]; var CSHAKE_PADDING = [4, 1024, 262144, 67108864]; var KECCAK_PADDING = [1, 256, 65536, 16777216]; var PADDING = [6, 1536, 393216, 100663296]; var SHIFT = [0, 8, 16, 24]; var RC = [1, 0, 32898, 0, 32906, 2147483648, 2147516416, 2147483648, 32907, 0, 2147483649, 0, 2147516545, 2147483648, 32777, 2147483648, 138, 0, 136, 0, 2147516425, 0, 2147483658, 0, 2147516555, 0, 139, 2147483648, 32905, 2147483648, 32771, 2147483648, 32770, 2147483648, 128, 2147483648, 32778, 0, 2147483658, 2147483648, 2147516545, 2147483648, 32896, 2147483648, 2147483649, 0, 2147516424, 2147483648]; var BITS = [224, 256, 384, 512]; var SHAKE_BITS = [128, 256]; var OUTPUT_TYPES = ['hex', 'buffer', 'arrayBuffer', 'array', 'digest']; var CSHAKE_BYTEPAD = { '128': 168, '256': 136 }; if (root.JS_SHA3_NO_NODE_JS || !Array.isArray) { Array.isArray = function (obj) { return Object.prototype.toString.call(obj) === '[object Array]'; }; } if (ARRAY_BUFFER && (root.JS_SHA3_NO_ARRAY_BUFFER_IS_VIEW || !ArrayBuffer.isView)) { ArrayBuffer.isView = function (obj) { return typeof obj === 'object' && obj.buffer && obj.buffer.constructor === ArrayBuffer; }; } var createOutputMethod = function createOutputMethod(bits, padding, outputType) { return function (message) { return new Keccak(bits, padding, bits).update(message)[outputType](); }; }; var createShakeOutputMethod = function createShakeOutputMethod(bits, padding, outputType) { return function (message, outputBits) { return new Keccak(bits, padding, outputBits).update(message)[outputType](); }; }; var createCshakeOutputMethod = function createCshakeOutputMethod(bits, padding, outputType) { return function (message, outputBits, n, s) { return methods['cshake' + bits].update(message, outputBits, n, s)[outputType](); }; }; var createKmacOutputMethod = function createKmacOutputMethod(bits, padding, outputType) { return function (key, message, outputBits, s) { return methods['kmac' + bits].update(key, message, outputBits, s)[outputType](); }; }; var createOutputMethods = function createOutputMethods(method, createMethod, bits, padding) { for (var i = 0; i < OUTPUT_TYPES.length; ++i) { var type = OUTPUT_TYPES[i]; method[type] = createMethod(bits, padding, type); } return method; }; var createMethod = function createMethod(bits, padding) { var method = createOutputMethod(bits, padding, 'hex'); method.create = function () { return new Keccak(bits, padding, bits); }; method.update = function (message) { return method.create().update(message); }; return createOutputMethods(method, createOutputMethod, bits, padding); }; var createShakeMethod = function createShakeMethod(bits, padding) { var method = createShakeOutputMethod(bits, padding, 'hex'); method.create = function (outputBits) { return new Keccak(bits, padding, outputBits); }; method.update = function (message, outputBits) { return method.create(outputBits).update(message); }; return createOutputMethods(method, createShakeOutputMethod, bits, padding); }; var createCshakeMethod = function createCshakeMethod(bits, padding) { var w = CSHAKE_BYTEPAD[bits]; var method = createCshakeOutputMethod(bits, padding, 'hex'); method.create = function (outputBits, n, s) { if (!n && !s) { return methods['shake' + bits].create(outputBits); } else { return new Keccak(bits, padding, outputBits).bytepad([n, s], w); } }; method.update = function (message, outputBits, n, s) { return method.create(outputBits, n, s).update(message); }; return createOutputMethods(method, createCshakeOutputMethod, bits, padding); }; var createKmacMethod = function createKmacMethod(bits, padding) { var w = CSHAKE_BYTEPAD[bits]; var method = createKmacOutputMethod(bits, padding, 'hex'); method.create = function (key, outputBits, s) { return new Kmac(bits, padding, outputBits).bytepad(['KMAC', s], w).bytepad([key], w); }; method.update = function (key, message, outputBits, s) { return method.create(key, outputBits, s).update(message); }; return createOutputMethods(method, createKmacOutputMethod, bits, padding); }; var algorithms = [{ name: 'keccak', padding: KECCAK_PADDING, bits: BITS, createMethod: createMethod }, { name: 'sha3', padding: PADDING, bits: BITS, createMethod: createMethod }, { name: 'shake', padding: SHAKE_PADDING, bits: SHAKE_BITS, createMethod: createShakeMethod }, { name: 'cshake', padding: CSHAKE_PADDING, bits: SHAKE_BITS, createMethod: createCshakeMethod }, { name: 'kmac', padding: CSHAKE_PADDING, bits: SHAKE_BITS, createMethod: createKmacMethod }]; var methods = {}, methodNames = []; for (var i = 0; i < algorithms.length; ++i) { var algorithm = algorithms[i]; var bits = algorithm.bits; for (var j = 0; j < bits.length; ++j) { var methodName = algorithm.name + '_' + bits[j]; methodNames.push(methodName); methods[methodName] = algorithm.createMethod(bits[j], algorithm.padding); if (algorithm.name !== 'sha3') { var newMethodName = algorithm.name + bits[j]; methodNames.push(newMethodName); methods[newMethodName] = methods[methodName]; } } } function Keccak(bits, padding, outputBits) { this.blocks = []; this.s = []; this.padding = padding; this.outputBits = outputBits; this.reset = true; this.finalized = false; this.block = 0; this.start = 0; this.blockCount = 1600 - (bits << 1) >> 5; this.byteCount = this.blockCount << 2; this.outputBlocks = outputBits >> 5; this.extraBytes = (outputBits & 31) >> 3; for (var i = 0; i < 50; ++i) { this.s[i] = 0; } } Keccak.prototype.update = function (message) { if (this.finalized) { throw new Error(FINALIZE_ERROR); } var notString, type = typeof message; if (type !== 'string') { if (type === 'object') { if (message === null) { throw new Error(INPUT_ERROR); } else if (ARRAY_BUFFER && message.constructor === ArrayBuffer) { message = new Uint8Array(message); } else if (!Array.isArray(message)) { if (!ARRAY_BUFFER || !ArrayBuffer.isView(message)) { throw new Error(INPUT_ERROR); } } } else { throw new Error(INPUT_ERROR); } notString = true; } var blocks = this.blocks, byteCount = this.byteCount, length = message.length, blockCount = this.blockCount, index = 0, s = this.s, i, code; while (index < length) { if (this.reset) { this.reset = false; blocks[0] = this.block; for (i = 1; i < blockCount + 1; ++i) { blocks[i] = 0; } } if (notString) { for (i = this.start; index < length && i < byteCount; ++index) { blocks[i >> 2] |= message[index] << SHIFT[i++ & 3]; } } else { for (i = this.start; index < length && i < byteCount; ++index) { code = message.charCodeAt(index); if (code < 0x80) { blocks[i >> 2] |= code << SHIFT[i++ & 3]; } else if (code < 0x800) { blocks[i >> 2] |= (0xc0 | code >> 6) << SHIFT[i++ & 3]; blocks[i >> 2] |= (0x80 | code & 0x3f) << SHIFT[i++ & 3]; } else if (code < 0xd800 || code >= 0xe000) { blocks[i >> 2] |= (0xe0 | code >> 12) << SHIFT[i++ & 3]; blocks[i >> 2] |= (0x80 | code >> 6 & 0x3f) << SHIFT[i++ & 3]; blocks[i >> 2] |= (0x80 | code & 0x3f) << SHIFT[i++ & 3]; } else { code = 0x10000 + ((code & 0x3ff) << 10 | message.charCodeAt(++index) & 0x3ff); blocks[i >> 2] |= (0xf0 | code >> 18) << SHIFT[i++ & 3]; blocks[i >> 2] |= (0x80 | code >> 12 & 0x3f) << SHIFT[i++ & 3]; blocks[i >> 2] |= (0x80 | code >> 6 & 0x3f) << SHIFT[i++ & 3]; blocks[i >> 2] |= (0x80 | code & 0x3f) << SHIFT[i++ & 3]; } } } this.lastByteIndex = i; if (i >= byteCount) { this.start = i - byteCount; this.block = blocks[blockCount]; for (i = 0; i < blockCount; ++i) { s[i] ^= blocks[i]; } f(s); this.reset = true; } else { this.start = i; } } return this; }; Keccak.prototype.encode = function (x, right) { var o = x & 255, n = 1; var bytes = [o]; x = x >> 8; o = x & 255; while (o > 0) { bytes.unshift(o); x = x >> 8; o = x & 255; ++n; } if (right) { bytes.push(n); } else { bytes.unshift(n); } this.update(bytes); return bytes.length; }; Keccak.prototype.encodeString = function (str) { var notString, type = typeof str; if (type !== 'string') { if (type === 'object') { if (str === null) { throw new Error(INPUT_ERROR); } else if (ARRAY_BUFFER && str.constructor === ArrayBuffer) { str = new Uint8Array(str); } else if (!Array.isArray(str)) { if (!ARRAY_BUFFER || !ArrayBuffer.isView(str)) { throw new Error(INPUT_ERROR); } } } else { throw new Error(INPUT_ERROR); } notString = true; } var bytes = 0, length = str.length; if (notString) { bytes = length; } else { for (var i = 0; i < str.length; ++i) { var code = str.charCodeAt(i); if (code < 0x80) { bytes += 1; } else if (code < 0x800) { bytes += 2; } else if (code < 0xd800 || code >= 0xe000) { bytes += 3; } else { code = 0x10000 + ((code & 0x3ff) << 10 | str.charCodeAt(++i) & 0x3ff); bytes += 4; } } } bytes += this.encode(bytes * 8); this.update(str); return bytes; }; Keccak.prototype.bytepad = function (strs, w) { var bytes = this.encode(w); for (var i = 0; i < strs.length; ++i) { bytes += this.encodeString(strs[i]); } var paddingBytes = w - bytes % w; var zeros = []; zeros.length = paddingBytes; this.update(zeros); return this; }; Keccak.prototype.finalize = function () { if (this.finalized) { return; } this.finalized = true; var blocks = this.blocks, i = this.lastByteIndex, blockCount = this.blockCount, s = this.s; blocks[i >> 2] |= this.padding[i & 3]; if (this.lastByteIndex === this.byteCount) { blocks[0] = blocks[blockCount]; for (i = 1; i < blockCount + 1; ++i) { blocks[i] = 0; } } blocks[blockCount - 1] |= 0x80000000; for (i = 0; i < blockCount; ++i) { s[i] ^= blocks[i]; } f(s); }; Keccak.prototype.toString = Keccak.prototype.hex = function () { this.finalize(); var blockCount = this.blockCount, s = this.s, outputBlocks = this.outputBlocks, extraBytes = this.extraBytes, i = 0, j = 0; var hex = '', block; while (j < outputBlocks) { for (i = 0; i < blockCount && j < outputBlocks; ++i, ++j) { block = s[i]; hex += HEX_CHARS[block >> 4 & 0x0F] + HEX_CHARS[block & 0x0F] + HEX_CHARS[block >> 12 & 0x0F] + HEX_CHARS[block >> 8 & 0x0F] + HEX_CHARS[block >> 20 & 0x0F] + HEX_CHARS[block >> 16 & 0x0F] + HEX_CHARS[block >> 28 & 0x0F] + HEX_CHARS[block >> 24 & 0x0F]; } if (j % blockCount === 0) { f(s); i = 0; } } if (extraBytes) { block = s[i]; hex += HEX_CHARS[block >> 4 & 0x0F] + HEX_CHARS[block & 0x0F]; if (extraBytes > 1) { hex += HEX_CHARS[block >> 12 & 0x0F] + HEX_CHARS[block >> 8 & 0x0F]; } if (extraBytes > 2) { hex += HEX_CHARS[block >> 20 & 0x0F] + HEX_CHARS[block >> 16 & 0x0F]; } } return hex; }; Keccak.prototype.arrayBuffer = function () { this.finalize(); var blockCount = this.blockCount, s = this.s, outputBlocks = this.outputBlocks, extraBytes = this.extraBytes, i = 0, j = 0; var bytes = this.outputBits >> 3; var buffer; if (extraBytes) { buffer = new ArrayBuffer(outputBlocks + 1 << 2); } else { buffer = new ArrayBuffer(bytes); } var array = new Uint32Array(buffer); while (j < outputBlocks) { for (i = 0; i < blockCount && j < outputBlocks; ++i, ++j) { array[j] = s[i]; } if (j % blockCount === 0) { f(s); } } if (extraBytes) { array[i] = s[i]; buffer = buffer.slice(0, bytes); } return buffer; }; Keccak.prototype.buffer = Keccak.prototype.arrayBuffer; Keccak.prototype.digest = Keccak.prototype.array = function () { this.finalize(); var blockCount = this.blockCount, s = this.s, outputBlocks = this.outputBlocks, extraBytes = this.extraBytes, i = 0, j = 0; var array = [], offset, block; while (j < outputBlocks) { for (i = 0; i < blockCount && j < outputBlocks; ++i, ++j) { offset = j << 2; block = s[i]; array[offset] = block & 0xFF; array[offset + 1] = block >> 8 & 0xFF; array[offset + 2] = block >> 16 & 0xFF; array[offset + 3] = block >> 24 & 0xFF; } if (j % blockCount === 0) { f(s); } } if (extraBytes) { offset = j << 2; block = s[i]; array[offset] = block & 0xFF; if (extraBytes > 1) { array[offset + 1] = block >> 8 & 0xFF; } if (extraBytes > 2) { array[offset + 2] = block >> 16 & 0xFF; } } return array; }; function Kmac(bits, padding, outputBits) { Keccak.call(this, bits, padding, outputBits); } Kmac.prototype = new Keccak(); Kmac.prototype.finalize = function () { this.encode(this.outputBits, true); return Keccak.prototype.finalize.call(this); }; var f = function f(s) { var h, l, n, c0, c1, c2, c3, c4, c5, c6, c7, c8, c9, b0, b1, b2, b3, b4, b5, b6, b7, b8, b9, b10, b11, b12, b13, b14, b15, b16, b17, b18, b19, b20, b21, b22, b23, b24, b25, b26, b27, b28, b29, b30, b31, b32, b33, b34, b35, b36, b37, b38, b39, b40, b41, b42, b43, b44, b45, b46, b47, b48, b49; for (n = 0; n < 48; n += 2) { c0 = s[0] ^ s[10] ^ s[20] ^ s[30] ^ s[40]; c1 = s[1] ^ s[11] ^ s[21] ^ s[31] ^ s[41]; c2 = s[2] ^ s[12] ^ s[22] ^ s[32] ^ s[42]; c3 = s[3] ^ s[13] ^ s[23] ^ s[33] ^ s[43]; c4 = s[4] ^ s[14] ^ s[24] ^ s[34] ^ s[44]; c5 = s[5] ^ s[15] ^ s[25] ^ s[35] ^ s[45]; c6 = s[6] ^ s[16] ^ s[26] ^ s[36] ^ s[46]; c7 = s[7] ^ s[17] ^ s[27] ^ s[37] ^ s[47]; c8 = s[8] ^ s[18] ^ s[28] ^ s[38] ^ s[48]; c9 = s[9] ^ s[19] ^ s[29] ^ s[39] ^ s[49]; h = c8 ^ (c2 << 1 | c3 >>> 31); l = c9 ^ (c3 << 1 | c2 >>> 31); s[0] ^= h; s[1] ^= l; s[10] ^= h; s[11] ^= l; s[20] ^= h; s[21] ^= l; s[30] ^= h; s[31] ^= l; s[40] ^= h; s[41] ^= l; h = c0 ^ (c4 << 1 | c5 >>> 31); l = c1 ^ (c5 << 1 | c4 >>> 31); s[2] ^= h; s[3] ^= l; s[12] ^= h; s[13] ^= l; s[22] ^= h; s[23] ^= l; s[32] ^= h; s[33] ^= l; s[42] ^= h; s[43] ^= l; h = c2 ^ (c6 << 1 | c7 >>> 31); l = c3 ^ (c7 << 1 | c6 >>> 31); s[4] ^= h; s[5] ^= l; s[14] ^= h; s[15] ^= l; s[24] ^= h; s[25] ^= l; s[34] ^= h; s[35] ^= l; s[44] ^= h; s[45] ^= l; h = c4 ^ (c8 << 1 | c9 >>> 31); l = c5 ^ (c9 << 1 | c8 >>> 31); s[6] ^= h; s[7] ^= l; s[16] ^= h; s[17] ^= l; s[26] ^= h; s[27] ^= l; s[36] ^= h; s[37] ^= l; s[46] ^= h; s[47] ^= l; h = c6 ^ (c0 << 1 | c1 >>> 31); l = c7 ^ (c1 << 1 | c0 >>> 31); s[8] ^= h; s[9] ^= l; s[18] ^= h; s[19] ^= l; s[28] ^= h; s[29] ^= l; s[38] ^= h; s[39] ^= l; s[48] ^= h; s[49] ^= l; b0 = s[0]; b1 = s[1]; b32 = s[11] << 4 | s[10] >>> 28; b33 = s[10] << 4 | s[11] >>> 28; b14 = s[20] << 3 | s[21] >>> 29; b15 = s[21] << 3 | s[20] >>> 29; b46 = s[31] << 9 | s[30] >>> 23; b47 = s[30] << 9 | s[31] >>> 23; b28 = s[40] << 18 | s[41] >>> 14; b29 = s[41] << 18 | s[40] >>> 14; b20 = s[2] << 1 | s[3] >>> 31; b21 = s[3] << 1 | s[2] >>> 31; b2 = s[13] << 12 | s[12] >>> 20; b3 = s[12] << 12 | s[13] >>> 20; b34 = s[22] << 10 | s[23] >>> 22; b35 = s[23] << 10 | s[22] >>> 22; b16 = s[33] << 13 | s[32] >>> 19; b17 = s[32] << 13 | s[33] >>> 19; b48 = s[42] << 2 | s[43] >>> 30; b49 = s[43] << 2 | s[42] >>> 30; b40 = s[5] << 30 | s[4] >>> 2; b41 = s[4] << 30 | s[5] >>> 2; b22 = s[14] << 6 | s[15] >>> 26; b23 = s[15] << 6 | s[14] >>> 26; b4 = s[25] << 11 | s[24] >>> 21; b5 = s[24] << 11 | s[25] >>> 21; b36 = s[34] << 15 | s[35] >>> 17; b37 = s[35] << 15 | s[34] >>> 17; b18 = s[45] << 29 | s[44] >>> 3; b19 = s[44] << 29 | s[45] >>> 3; b10 = s[6] << 28 | s[7] >>> 4; b11 = s[7] << 28 | s[6] >>> 4; b42 = s[17] << 23 | s[16] >>> 9; b43 = s[16] << 23 | s[17] >>> 9; b24 = s[26] << 25 | s[27] >>> 7; b25 = s[27] << 25 | s[26] >>> 7; b6 = s[36] << 21 | s[37] >>> 11; b7 = s[37] << 21 | s[36] >>> 11; b38 = s[47] << 24 | s[46] >>> 8; b39 = s[46] << 24 | s[47] >>> 8; b30 = s[8] << 27 | s[9] >>> 5; b31 = s[9] << 27 | s[8] >>> 5; b12 = s[18] << 20 | s[19] >>> 12; b13 = s[19] << 20 | s[18] >>> 12; b44 = s[29] << 7 | s[28] >>> 25; b45 = s[28] << 7 | s[29] >>> 25; b26 = s[38] << 8 | s[39] >>> 24; b27 = s[39] << 8 | s[38] >>> 24; b8 = s[48] << 14 | s[49] >>> 18; b9 = s[49] << 14 | s[48] >>> 18; s[0] = b0 ^ ~b2 & b4; s[1] = b1 ^ ~b3 & b5; s[10] = b10 ^ ~b12 & b14; s[11] = b11 ^ ~b13 & b15; s[20] = b20 ^ ~b22 & b24; s[21] = b21 ^ ~b23 & b25; s[30] = b30 ^ ~b32 & b34; s[31] = b31 ^ ~b33 & b35; s[40] = b40 ^ ~b42 & b44; s[41] = b41 ^ ~b43 & b45; s[2] = b2 ^ ~b4 & b6; s[3] = b3 ^ ~b5 & b7; s[12] = b12 ^ ~b14 & b16; s[13] = b13 ^ ~b15 & b17; s[22] = b22 ^ ~b24 & b26; s[23] = b23 ^ ~b25 & b27; s[32] = b32 ^ ~b34 & b36; s[33] = b33 ^ ~b35 & b37; s[42] = b42 ^ ~b44 & b46; s[43] = b43 ^ ~b45 & b47; s[4] = b4 ^ ~b6 & b8; s[5] = b5 ^ ~b7 & b9; s[14] = b14 ^ ~b16 & b18; s[15] = b15 ^ ~b17 & b19; s[24] = b24 ^ ~b26 & b28; s[25] = b25 ^ ~b27 & b29; s[34] = b34 ^ ~b36 & b38; s[35] = b35 ^ ~b37 & b39; s[44] = b44 ^ ~b46 & b48; s[45] = b45 ^ ~b47 & b49; s[6] = b6 ^ ~b8 & b0; s[7] = b7 ^ ~b9 & b1; s[16] = b16 ^ ~b18 & b10; s[17] = b17 ^ ~b19 & b11; s[26] = b26 ^ ~b28 & b20; s[27] = b27 ^ ~b29 & b21; s[36] = b36 ^ ~b38 & b30; s[37] = b37 ^ ~b39 & b31; s[46] = b46 ^ ~b48 & b40; s[47] = b47 ^ ~b49 & b41; s[8] = b8 ^ ~b0 & b2; s[9] = b9 ^ ~b1 & b3; s[18] = b18 ^ ~b10 & b12; s[19] = b19 ^ ~b11 & b13; s[28] = b28 ^ ~b20 & b22; s[29] = b29 ^ ~b21 & b23; s[38] = b38 ^ ~b30 & b32; s[39] = b39 ^ ~b31 & b33; s[48] = b48 ^ ~b40 & b42; s[49] = b49 ^ ~b41 & b43; s[0] ^= RC[n]; s[1] ^= RC[n + 1]; } }; if (COMMON_JS) { module.exports = methods; } else { for (i = 0; i < methodNames.length; ++i) { root[methodNames[i]] = methods[methodNames[i]]; } if (AMD) { !(__WEBPACK_AMD_DEFINE_RESULT__ = (function () { return methods; }).call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); } } })(); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(10))) /***/ }), /* 73 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var b2b = __webpack_require__(256); var b2s = __webpack_require__(257); module.exports = { blake2b: b2b.blake2b, blake2bHex: b2b.blake2bHex, blake2bInit: b2b.blake2bInit, blake2bUpdate: b2b.blake2bUpdate, blake2bFinal: b2b.blake2bFinal, blake2s: b2s.blake2s, blake2sHex: b2s.blake2sHex, blake2sInit: b2s.blake2sInit, blake2sUpdate: b2s.blake2sUpdate, blake2sFinal: b2s.blake2sFinal }; /***/ }), /* 74 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(setImmediate, process) { Object.defineProperty(exports, "__esModule", { value: true }); exports.hasNextTick = exports.hasSetImmediate = undefined; exports.fallback = fallback; exports.wrap = wrap; var _slice = __webpack_require__(50); var _slice2 = _interopRequireDefault(_slice); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } var hasSetImmediate = exports.hasSetImmediate = typeof setImmediate === 'function' && setImmediate; var hasNextTick = exports.hasNextTick = typeof process === 'object' && typeof process.nextTick === 'function'; function fallback(fn) { setTimeout(fn, 0); } function wrap(defer) { return function (fn /*, ...args*/ ) { var args = (0, _slice2.default)(arguments, 1); defer(function () { fn.apply(null, args); }); }; } var _defer; if (hasSetImmediate) { _defer = setImmediate; } else if (hasNextTick) { _defer = process.nextTick; } else { _defer = fallback; } exports.default = wrap(_defer); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(28).setImmediate, __webpack_require__(4))) /***/ }), /* 75 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Based on npmjs.com/nodeify but without additional `nextTick` calls // to keep the overhead low module.exports = function nodeify(promise, cb) { return promise.then(res => { cb(null, res); }, err => { cb(err); }); }; /***/ }), /* 76 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* global self */ module.exports = self.crypto || self.msCrypto; /***/ }), /* 77 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const asn1 = exports; asn1.bignum = __webpack_require__(127); asn1.define = __webpack_require__(262).define; asn1.base = __webpack_require__(266); asn1.constants = __webpack_require__(267); asn1.decoders = __webpack_require__(130); asn1.encoders = __webpack_require__(128); /***/ }), /* 78 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function (module) { if (!module.webpackPolyfill) { module.deprecate = function () {}; module.paths = []; // module.parent = undefined by default if (!module.children) module.children = []; Object.defineProperty(module, "loaded", { enumerable: true, get: function get() { return module.l; } }); Object.defineProperty(module, "id", { enumerable: true, get: function get() { return module.i; } }); module.webpackPolyfill = 1; } return module; }; /***/ }), /* 79 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const Reporter = __webpack_require__(80).Reporter; const EncoderBuffer = __webpack_require__(38).EncoderBuffer; const DecoderBuffer = __webpack_require__(38).DecoderBuffer; const assert = __webpack_require__(263); // Supported tags const tags = ['seq', 'seqof', 'set', 'setof', 'objid', 'bool', 'gentime', 'utctime', 'null_', 'enum', 'int', 'objDesc', 'bitstr', 'bmpstr', 'charstr', 'genstr', 'graphstr', 'ia5str', 'iso646str', 'numstr', 'octstr', 'printstr', 't61str', 'unistr', 'utf8str', 'videostr']; // Public methods list const methods = ['key', 'obj', 'use', 'optional', 'explicit', 'implicit', 'def', 'choice', 'any', 'contains'].concat(tags); // Overrided methods list const overrided = ['_peekTag', '_decodeTag', '_use', '_decodeStr', '_decodeObjid', '_decodeTime', '_decodeNull', '_decodeInt', '_decodeBool', '_decodeList', '_encodeComposite', '_encodeStr', '_encodeObjid', '_encodeTime', '_encodeNull', '_encodeInt', '_encodeBool']; function Node(enc, parent, name) { const state = {}; this._baseState = state; state.name = name; state.enc = enc; state.parent = parent || null; state.children = null; // State state.tag = null; state.args = null; state.reverseArgs = null; state.choice = null; state.optional = false; state.any = false; state.obj = false; state.use = null; state.useDecoder = null; state.key = null; state['default'] = null; state.explicit = null; state.implicit = null; state.contains = null; // Should create new instance on each method if (!state.parent) { state.children = []; this._wrap(); } } module.exports = Node; const stateProps = ['enc', 'parent', 'children', 'tag', 'args', 'reverseArgs', 'choice', 'optional', 'any', 'obj', 'use', 'alteredUse', 'key', 'default', 'explicit', 'implicit', 'contains']; Node.prototype.clone = function clone() { const state = this._baseState; const cstate = {}; stateProps.forEach(function (prop) { cstate[prop] = state[prop]; }); const res = new this.constructor(cstate.parent); res._baseState = cstate; return res; }; Node.prototype._wrap = function wrap() { const state = this._baseState; methods.forEach(function (method) { this[method] = function _wrappedMethod() { const clone = new this.constructor(this); state.children.push(clone); return clone[method].apply(clone, arguments); }; }, this); }; Node.prototype._init = function init(body) { const state = this._baseState; assert(state.parent === null); body.call(this); // Filter children state.children = state.children.filter(function (child) { return child._baseState.parent === this; }, this); assert.equal(state.children.length, 1, 'Root node can have only one child'); }; Node.prototype._useArgs = function useArgs(args) { const state = this._baseState; // Filter children and args const children = args.filter(function (arg) { return arg instanceof this.constructor; }, this); args = args.filter(function (arg) { return !(arg instanceof this.constructor); }, this); if (children.length !== 0) { assert(state.children === null); state.children = children; // Replace parent to maintain backward link children.forEach(function (child) { child._baseState.parent = this; }, this); } if (args.length !== 0) { assert(state.args === null); state.args = args; state.reverseArgs = args.map(function (arg) { if (typeof arg !== 'object' || arg.constructor !== Object) return arg; const res = {}; Object.keys(arg).forEach(function (key) { if (key == (key | 0)) key |= 0; const value = arg[key]; res[value] = key; }); return res; }); } }; // // Overrided methods // overrided.forEach(function (method) { Node.prototype[method] = function _overrided() { const state = this._baseState; throw new Error(method + ' not implemented for encoding: ' + state.enc); }; }); // // Public methods // tags.forEach(function (tag) { Node.prototype[tag] = function _tagMethod() { const state = this._baseState; const args = Array.prototype.slice.call(arguments); assert(state.tag === null); state.tag = tag; this._useArgs(args); return this; }; }); Node.prototype.use = function use(item) { assert(item); const state = this._baseState; assert(state.use === null); state.use = item; return this; }; Node.prototype.optional = function optional() { const state = this._baseState; state.optional = true; return this; }; Node.prototype.def = function def(val) { const state = this._baseState; assert(state['default'] === null); state['default'] = val; state.optional = true; return this; }; Node.prototype.explicit = function explicit(num) { const state = this._baseState; assert(state.explicit === null && state.implicit === null); state.explicit = num; return this; }; Node.prototype.implicit = function implicit(num) { const state = this._baseState; assert(state.explicit === null && state.implicit === null); state.implicit = num; return this; }; Node.prototype.obj = function obj() { const state = this._baseState; const args = Array.prototype.slice.call(arguments); state.obj = true; if (args.length !== 0) this._useArgs(args); return this; }; Node.prototype.key = function key(newKey) { const state = this._baseState; assert(state.key === null); state.key = newKey; return this; }; Node.prototype.any = function any() { const state = this._baseState; state.any = true; return this; }; Node.prototype.choice = function choice(obj) { const state = this._baseState; assert(state.choice === null); state.choice = obj; this._useArgs(Object.keys(obj).map(function (key) { return obj[key]; })); return this; }; Node.prototype.contains = function contains(item) { const state = this._baseState; assert(state.use === null); state.contains = item; return this; }; // // Decoding // Node.prototype._decode = function decode(input, options) { const state = this._baseState; // Decode root node if (state.parent === null) return input.wrapResult(state.children[0]._decode(input, options)); let result = state['default']; let present = true; let prevKey = null; if (state.key !== null) prevKey = input.enterKey(state.key); // Check if tag is there if (state.optional) { let tag = null; if (state.explicit !== null) tag = state.explicit;else if (state.implicit !== null) tag = state.implicit;else if (state.tag !== null) tag = state.tag; if (tag === null && !state.any) { // Trial and Error const save = input.save(); try { if (state.choice === null) this._decodeGeneric(state.tag, input, options);else this._decodeChoice(input, options); present = true; } catch (e) { present = false; } input.restore(save); } else { present = this._peekTag(input, tag, state.any); if (input.isError(present)) return present; } } // Push object on stack let prevObj; if (state.obj && present) prevObj = input.enterObject(); if (present) { // Unwrap explicit values if (state.explicit !== null) { const explicit = this._decodeTag(input, state.explicit); if (input.isError(explicit)) return explicit; input = explicit; } const start = input.offset; // Unwrap implicit and normal values if (state.use === null && state.choice === null) { let save; if (state.any) save = input.save(); const body = this._decodeTag(input, state.implicit !== null ? state.implicit : state.tag, state.any); if (input.isError(body)) return body; if (state.any) result = input.raw(save);else input = body; } if (options && options.track && state.tag !== null) options.track(input.path(), start, input.length, 'tagged'); if (options && options.track && state.tag !== null) options.track(input.path(), input.offset, input.length, 'content'); // Select proper method for tag if (state.any) {// no-op } else if (state.choice === null) { result = this._decodeGeneric(state.tag, input, options); } else { result = this._decodeChoice(input, options); } if (input.isError(result)) return result; // Decode children if (!state.any && state.choice === null && state.children !== null) { state.children.forEach(function decodeChildren(child) { // NOTE: We are ignoring errors here, to let parser continue with other // parts of encoded data child._decode(input, options); }); } // Decode contained/encoded by schema, only in bit or octet strings if (state.contains && (state.tag === 'octstr' || state.tag === 'bitstr')) { const data = new DecoderBuffer(result); result = this._getUse(state.contains, input._reporterState.obj)._decode(data, options); } } // Pop object if (state.obj && present) result = input.leaveObject(prevObj); // Set key if (state.key !== null && (result !== null || present === true)) input.leaveKey(prevKey, state.key, result);else if (prevKey !== null) input.exitKey(prevKey); return result; }; Node.prototype._decodeGeneric = function decodeGeneric(tag, input, options) { const state = this._baseState; if (tag === 'seq' || tag === 'set') return null; if (tag === 'seqof' || tag === 'setof') return this._decodeList(input, tag, state.args[0], options);else if (/str$/.test(tag)) return this._decodeStr(input, tag, options);else if (tag === 'objid' && state.args) return this._decodeObjid(input, state.args[0], state.args[1], options);else if (tag === 'objid') return this._decodeObjid(input, null, null, options);else if (tag === 'gentime' || tag === 'utctime') return this._decodeTime(input, tag, options);else if (tag === 'null_') return this._decodeNull(input, options);else if (tag === 'bool') return this._decodeBool(input, options);else if (tag === 'objDesc') return this._decodeStr(input, tag, options);else if (tag === 'int' || tag === 'enum') return this._decodeInt(input, state.args && state.args[0], options); if (state.use !== null) { return this._getUse(state.use, input._reporterState.obj)._decode(input, options); } else { return input.error('unknown tag: ' + tag); } }; Node.prototype._getUse = function _getUse(entity, obj) { const state = this._baseState; // Create altered use decoder if implicit is set state.useDecoder = this._use(entity, obj); assert(state.useDecoder._baseState.parent === null); state.useDecoder = state.useDecoder._baseState.children[0]; if (state.implicit !== state.useDecoder._baseState.implicit) { state.useDecoder = state.useDecoder.clone(); state.useDecoder._baseState.implicit = state.implicit; } return state.useDecoder; }; Node.prototype._decodeChoice = function decodeChoice(input, options) { const state = this._baseState; let result = null; let match = false; Object.keys(state.choice).some(function (key) { const save = input.save(); const node = state.choice[key]; try { const value = node._decode(input, options); if (input.isError(value)) return false; result = { type: key, value: value }; match = true; } catch (e) { input.restore(save); return false; } return true; }, this); if (!match) return input.error('Choice not matched'); return result; }; // // Encoding // Node.prototype._createEncoderBuffer = function createEncoderBuffer(data) { return new EncoderBuffer(data, this.reporter); }; Node.prototype._encode = function encode(data, reporter, parent) { const state = this._baseState; if (state['default'] !== null && state['default'] === data) return; const result = this._encodeValue(data, reporter, parent); if (result === undefined) return; if (this._skipDefault(result, reporter, parent)) return; return result; }; Node.prototype._encodeValue = function encode(data, reporter, parent) { const state = this._baseState; // Decode root node if (state.parent === null) return state.children[0]._encode(data, reporter || new Reporter()); let result = null; // Set reporter to share it with a child class this.reporter = reporter; // Check if data is there if (state.optional && data === undefined) { if (state['default'] !== null) data = state['default'];else return; } // Encode children first let content = null; let primitive = false; if (state.any) { // Anything that was given is translated to buffer result = this._createEncoderBuffer(data); } else if (state.choice) { result = this._encodeChoice(data, reporter); } else if (state.contains) { content = this._getUse(state.contains, parent)._encode(data, reporter); primitive = true; } else if (state.children) { content = state.children.map(function (child) { if (child._baseState.tag === 'null_') return child._encode(null, reporter, data); if (child._baseState.key === null) return reporter.error('Child should have a key'); const prevKey = reporter.enterKey(child._baseState.key); if (typeof data !== 'object') return reporter.error('Child expected, but input is not object'); const res = child._encode(data[child._baseState.key], reporter, data); reporter.leaveKey(prevKey); return res; }, this).filter(function (child) { return child; }); content = this._createEncoderBuffer(content); } else { if (state.tag === 'seqof' || state.tag === 'setof') { // TODO(indutny): this should be thrown on DSL level if (!(state.args && state.args.length === 1)) return reporter.error('Too many args for : ' + state.tag); if (!Array.isArray(data)) return reporter.error('seqof/setof, but data is not Array'); const child = this.clone(); child._baseState.implicit = null; content = this._createEncoderBuffer(data.map(function (item) { const state = this._baseState; return this._getUse(state.args[0], data)._encode(item, reporter); }, child)); } else if (state.use !== null) { result = this._getUse(state.use, parent)._encode(data, reporter); } else { content = this._encodePrimitive(state.tag, data); primitive = true; } } // Encode data itself if (!state.any && state.choice === null) { const tag = state.implicit !== null ? state.implicit : state.tag; const cls = state.implicit === null ? 'universal' : 'context'; if (tag === null) { if (state.use === null) reporter.error('Tag could be omitted only for .use()'); } else { if (state.use === null) result = this._encodeComposite(tag, primitive, cls, content); } } // Wrap in explicit if (state.explicit !== null) result = this._encodeComposite(state.explicit, false, 'context', result); return result; }; Node.prototype._encodeChoice = function encodeChoice(data, reporter) { const state = this._baseState; const node = state.choice[data.type]; if (!node) { assert(false, data.type + ' not found in ' + JSON.stringify(Object.keys(state.choice))); } return node._encode(data.value, reporter); }; Node.prototype._encodePrimitive = function encodePrimitive(tag, data) { const state = this._baseState; if (/str$/.test(tag)) return this._encodeStr(data, tag);else if (tag === 'objid' && state.args) return this._encodeObjid(data, state.reverseArgs[0], state.args[1]);else if (tag === 'objid') return this._encodeObjid(data, null, null);else if (tag === 'gentime' || tag === 'utctime') return this._encodeTime(data, tag);else if (tag === 'null_') return this._encodeNull();else if (tag === 'int' || tag === 'enum') return this._encodeInt(data, state.args && state.reverseArgs[0]);else if (tag === 'bool') return this._encodeBool(data);else if (tag === 'objDesc') return this._encodeStr(data, tag);else throw new Error('Unsupported tag: ' + tag); }; Node.prototype._isNumstr = function isNumstr(str) { return /^[0-9 ]*$/.test(str); }; Node.prototype._isPrintstr = function isPrintstr(str) { return /^[A-Za-z0-9 '()+,-./:=?]*$/.test(str); }; /***/ }), /* 80 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const inherits = __webpack_require__(2); function Reporter(options) { this._reporterState = { obj: null, path: [], options: options || {}, errors: [] }; } exports.Reporter = Reporter; Reporter.prototype.isError = function isError(obj) { return obj instanceof ReporterError; }; Reporter.prototype.save = function save() { const state = this._reporterState; return { obj: state.obj, pathLen: state.path.length }; }; Reporter.prototype.restore = function restore(data) { const state = this._reporterState; state.obj = data.obj; state.path = state.path.slice(0, data.pathLen); }; Reporter.prototype.enterKey = function enterKey(key) { return this._reporterState.path.push(key); }; Reporter.prototype.exitKey = function exitKey(index) { const state = this._reporterState; state.path = state.path.slice(0, index - 1); }; Reporter.prototype.leaveKey = function leaveKey(index, key, value) { const state = this._reporterState; this.exitKey(index); if (state.obj !== null) state.obj[key] = value; }; Reporter.prototype.path = function path() { return this._reporterState.path.join('/'); }; Reporter.prototype.enterObject = function enterObject() { const state = this._reporterState; const prev = state.obj; state.obj = {}; return prev; }; Reporter.prototype.leaveObject = function leaveObject(prev) { const state = this._reporterState; const now = state.obj; state.obj = prev; return now; }; Reporter.prototype.error = function error(msg) { let err; const state = this._reporterState; const inherited = msg instanceof ReporterError; if (inherited) { err = msg; } else { err = new ReporterError(state.path.map(function (elem) { return '[' + JSON.stringify(elem) + ']'; }).join(''), msg.message || msg, msg.stack); } if (!state.options.partial) throw err; if (!inherited) state.errors.push(err); return err; }; Reporter.prototype.wrapResult = function wrapResult(result) { const state = this._reporterState; if (!state.options.partial) return result; return { result: this.isError(result) ? null : result, errors: state.errors }; }; function ReporterError(path, msg) { this.path = path; this.rethrow(msg); } inherits(ReporterError, Error); ReporterError.prototype.rethrow = function rethrow(msg) { this.message = msg + ' at: ' + (this.path || '(shallow)'); if (Error.captureStackTrace) Error.captureStackTrace(this, ReporterError); if (!this.stack) { try { // IE only adds stack when thrown throw new Error(this.message); } catch (e) { this.stack = e.stack; } } return this; }; /***/ }), /* 81 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Helper function reverse(map) { const res = {}; Object.keys(map).forEach(function (key) { // Convert key to integer if it is stringified if ((key | 0) == key) key = key | 0; const value = map[key]; res[value] = key; }); return res; } exports.tagClass = { 0: 'universal', 1: 'application', 2: 'context', 3: 'private' }; exports.tagClassByName = reverse(exports.tagClass); exports.tag = { 0x00: 'end', 0x01: 'bool', 0x02: 'int', 0x03: 'bitstr', 0x04: 'octstr', 0x05: 'null_', 0x06: 'objid', 0x07: 'objDesc', 0x08: 'external', 0x09: 'real', 0x0a: 'enum', 0x0b: 'embed', 0x0c: 'utf8str', 0x0d: 'relativeOid', 0x10: 'seq', 0x11: 'set', 0x12: 'numstr', 0x13: 'printstr', 0x14: 't61str', 0x15: 'videostr', 0x16: 'ia5str', 0x17: 'utctime', 0x18: 'gentime', 0x19: 'graphstr', 0x1a: 'iso646str', 0x1b: 'genstr', 0x1c: 'unistr', 0x1d: 'charstr', 0x1e: 'bmpstr' }; exports.tagByName = reverse(exports.tag); /***/ }), /* 82 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports = module.exports = __webpack_require__(139); exports.Stream = exports; exports.Readable = exports; exports.Writable = __webpack_require__(84); exports.Duplex = __webpack_require__(23); exports.Transform = __webpack_require__(143); exports.PassThrough = __webpack_require__(288); /***/ }), /* 83 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* eslint-disable node/no-deprecated-api */ var buffer = __webpack_require__(0); var Buffer = buffer.Buffer; // alternative to using Object.keys for old browsers function copyProps(src, dst) { for (var key in src) { dst[key] = src[key]; } } if (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) { module.exports = buffer; } else { // Copy properties from require('buffer') copyProps(buffer, exports); exports.Buffer = SafeBuffer; } function SafeBuffer(arg, encodingOrOffset, length) { return Buffer(arg, encodingOrOffset, length); } // Copy static methods from Buffer copyProps(Buffer, SafeBuffer); SafeBuffer.from = function (arg, encodingOrOffset, length) { if (typeof arg === 'number') { throw new TypeError('Argument must not be a number'); } return Buffer(arg, encodingOrOffset, length); }; SafeBuffer.alloc = function (size, fill, encoding) { if (typeof size !== 'number') { throw new TypeError('Argument must be a number'); } var buf = Buffer(size); if (fill !== undefined) { if (typeof encoding === 'string') { buf.fill(fill, encoding); } else { buf.fill(fill); } } else { buf.fill(0); } return buf; }; SafeBuffer.allocUnsafe = function (size) { if (typeof size !== 'number') { throw new TypeError('Argument must be a number'); } return Buffer(size); }; SafeBuffer.allocUnsafeSlow = function (size) { if (typeof size !== 'number') { throw new TypeError('Argument must be a number'); } return buffer.SlowBuffer(size); }; /***/ }), /* 84 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, setImmediate, global) {// Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // A bit simpler than readable streams. // Implement an async ._write(chunk, encoding, cb), and it'll handle all // the drain event emission and buffering. /**/ var pna = __webpack_require__(51); /**/ module.exports = Writable; /* */ function WriteReq(chunk, encoding, cb) { this.chunk = chunk; this.encoding = encoding; this.callback = cb; this.next = null; } // It seems a linked list but it is not // there will be only 2 of these for each stream function CorkedRequest(state) { var _this = this; this.next = null; this.entry = null; this.finish = function () { onCorkedFinish(_this, state); }; } /* */ /**/ var asyncWrite = !process.browser && ['v0.10', 'v0.9.'].indexOf(process.version.slice(0, 5)) > -1 ? setImmediate : pna.nextTick; /**/ /**/ var Duplex; /**/ Writable.WritableState = WritableState; /**/ var util = __webpack_require__(40); util.inherits = __webpack_require__(2); /**/ /**/ var internalUtil = { deprecate: __webpack_require__(142) }; /**/ /**/ var Stream = __webpack_require__(140); /**/ /**/ var Buffer = __webpack_require__(83).Buffer; var OurUint8Array = global.Uint8Array || function () {}; function _uint8ArrayToBuffer(chunk) { return Buffer.from(chunk); } function _isUint8Array(obj) { return Buffer.isBuffer(obj) || obj instanceof OurUint8Array; } /**/ var destroyImpl = __webpack_require__(141); util.inherits(Writable, Stream); function nop() {} function WritableState(options, stream) { Duplex = Duplex || __webpack_require__(23); options = options || {}; // Duplex streams are both readable and writable, but share // the same options object. // However, some cases require setting options to different // values for the readable and the writable sides of the duplex stream. // These options can be provided separately as readableXXX and writableXXX. var isDuplex = stream instanceof Duplex; // object stream flag to indicate whether or not this stream // contains buffers or objects. this.objectMode = !!options.objectMode; if (isDuplex) this.objectMode = this.objectMode || !!options.writableObjectMode; // the point at which write() starts returning false // Note: 0 is a valid value, means that we always return false if // the entire buffer is not flushed immediately on write() var hwm = options.highWaterMark; var writableHwm = options.writableHighWaterMark; var defaultHwm = this.objectMode ? 16 : 16 * 1024; if (hwm || hwm === 0) this.highWaterMark = hwm;else if (isDuplex && (writableHwm || writableHwm === 0)) this.highWaterMark = writableHwm;else this.highWaterMark = defaultHwm; // cast to ints. this.highWaterMark = Math.floor(this.highWaterMark); // if _final has been called this.finalCalled = false; // drain event flag. this.needDrain = false; // at the start of calling end() this.ending = false; // when end() has been called, and returned this.ended = false; // when 'finish' is emitted this.finished = false; // has it been destroyed this.destroyed = false; // should we decode strings into buffers before passing to _write? // this is here so that some node-core streams can optimize string // handling at a lower level. var noDecode = options.decodeStrings === false; this.decodeStrings = !noDecode; // Crypto is kind of old and crusty. Historically, its default string // encoding is 'binary' so we have to make this configurable. // Everything else in the universe uses 'utf8', though. this.defaultEncoding = options.defaultEncoding || 'utf8'; // not an actual buffer we keep track of, but a measurement // of how much we're waiting to get pushed to some underlying // socket or file. this.length = 0; // a flag to see when we're in the middle of a write. this.writing = false; // when true all writes will be buffered until .uncork() call this.corked = 0; // a flag to be able to tell if the onwrite cb is called immediately, // or on a later tick. We set this to true at first, because any // actions that shouldn't happen until "later" should generally also // not happen before the first write call. this.sync = true; // a flag to know if we're processing previously buffered items, which // may call the _write() callback in the same tick, so that we don't // end up in an overlapped onwrite situation. this.bufferProcessing = false; // the callback that's passed to _write(chunk,cb) this.onwrite = function (er) { onwrite(stream, er); }; // the callback that the user supplies to write(chunk,encoding,cb) this.writecb = null; // the amount that is being written when _write is called. this.writelen = 0; this.bufferedRequest = null; this.lastBufferedRequest = null; // number of pending user-supplied write callbacks // this must be 0 before 'finish' can be emitted this.pendingcb = 0; // emit prefinish if the only thing we're waiting for is _write cbs // This is relevant for synchronous Transform streams this.prefinished = false; // True if the error was already emitted and should not be thrown again this.errorEmitted = false; // count buffered requests this.bufferedRequestCount = 0; // allocate the first CorkedRequest, there is always // one allocated and free to use, and we maintain at most two this.corkedRequestsFree = new CorkedRequest(this); } WritableState.prototype.getBuffer = function getBuffer() { var current = this.bufferedRequest; var out = []; while (current) { out.push(current); current = current.next; } return out; }; (function () { try { Object.defineProperty(WritableState.prototype, 'buffer', { get: internalUtil.deprecate(function () { return this.getBuffer(); }, '_writableState.buffer is deprecated. Use _writableState.getBuffer ' + 'instead.', 'DEP0003') }); } catch (_) {} })(); // Test _writableState for inheritance to account for Duplex streams, // whose prototype chain only points to Readable. var realHasInstance; if (typeof Symbol === 'function' && Symbol.hasInstance && typeof Function.prototype[Symbol.hasInstance] === 'function') { realHasInstance = Function.prototype[Symbol.hasInstance]; Object.defineProperty(Writable, Symbol.hasInstance, { value: function value(object) { if (realHasInstance.call(this, object)) return true; if (this !== Writable) return false; return object && object._writableState instanceof WritableState; } }); } else { realHasInstance = function realHasInstance(object) { return object instanceof this; }; } function Writable(options) { Duplex = Duplex || __webpack_require__(23); // Writable ctor is applied to Duplexes, too. // `realHasInstance` is necessary because using plain `instanceof` // would return false, as no `_writableState` property is attached. // Trying to use the custom `instanceof` for Writable here will also break the // Node.js LazyTransform implementation, which has a non-trivial getter for // `_writableState` that would lead to infinite recursion. if (!realHasInstance.call(Writable, this) && !(this instanceof Duplex)) { return new Writable(options); } this._writableState = new WritableState(options, this); // legacy. this.writable = true; if (options) { if (typeof options.write === 'function') this._write = options.write; if (typeof options.writev === 'function') this._writev = options.writev; if (typeof options.destroy === 'function') this._destroy = options.destroy; if (typeof options.final === 'function') this._final = options.final; } Stream.call(this); } // Otherwise people can pipe Writable streams, which is just wrong. Writable.prototype.pipe = function () { this.emit('error', new Error('Cannot pipe, not readable')); }; function writeAfterEnd(stream, cb) { var er = new Error('write after end'); // TODO: defer error events consistently everywhere, not just the cb stream.emit('error', er); pna.nextTick(cb, er); } // Checks that a user-supplied chunk is valid, especially for the particular // mode the stream is in. Currently this means that `null` is never accepted // and undefined/non-string values are only allowed in object mode. function validChunk(stream, state, chunk, cb) { var valid = true; var er = false; if (chunk === null) { er = new TypeError('May not write null values to stream'); } else if (typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) { er = new TypeError('Invalid non-string/buffer chunk'); } if (er) { stream.emit('error', er); pna.nextTick(cb, er); valid = false; } return valid; } Writable.prototype.write = function (chunk, encoding, cb) { var state = this._writableState; var ret = false; var isBuf = !state.objectMode && _isUint8Array(chunk); if (isBuf && !Buffer.isBuffer(chunk)) { chunk = _uint8ArrayToBuffer(chunk); } if (typeof encoding === 'function') { cb = encoding; encoding = null; } if (isBuf) encoding = 'buffer';else if (!encoding) encoding = state.defaultEncoding; if (typeof cb !== 'function') cb = nop; if (state.ended) writeAfterEnd(this, cb);else if (isBuf || validChunk(this, state, chunk, cb)) { state.pendingcb++; ret = writeOrBuffer(this, state, isBuf, chunk, encoding, cb); } return ret; }; Writable.prototype.cork = function () { var state = this._writableState; state.corked++; }; Writable.prototype.uncork = function () { var state = this._writableState; if (state.corked) { state.corked--; if (!state.writing && !state.corked && !state.finished && !state.bufferProcessing && state.bufferedRequest) clearBuffer(this, state); } }; Writable.prototype.setDefaultEncoding = function setDefaultEncoding(encoding) { // node::ParseEncoding() requires lower case. if (typeof encoding === 'string') encoding = encoding.toLowerCase(); if (!(['hex', 'utf8', 'utf-8', 'ascii', 'binary', 'base64', 'ucs2', 'ucs-2', 'utf16le', 'utf-16le', 'raw'].indexOf((encoding + '').toLowerCase()) > -1)) throw new TypeError('Unknown encoding: ' + encoding); this._writableState.defaultEncoding = encoding; return this; }; function decodeChunk(state, chunk, encoding) { if (!state.objectMode && state.decodeStrings !== false && typeof chunk === 'string') { chunk = Buffer.from(chunk, encoding); } return chunk; } Object.defineProperty(Writable.prototype, 'writableHighWaterMark', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState.highWaterMark; } }); // if we're already writing something, then just put this // in the queue, and wait our turn. Otherwise, call _write // If we return false, then we need a drain event, so set that flag. function writeOrBuffer(stream, state, isBuf, chunk, encoding, cb) { if (!isBuf) { var newChunk = decodeChunk(state, chunk, encoding); if (chunk !== newChunk) { isBuf = true; encoding = 'buffer'; chunk = newChunk; } } var len = state.objectMode ? 1 : chunk.length; state.length += len; var ret = state.length < state.highWaterMark; // we must ensure that previous needDrain will not be reset to false. if (!ret) state.needDrain = true; if (state.writing || state.corked) { var last = state.lastBufferedRequest; state.lastBufferedRequest = { chunk: chunk, encoding: encoding, isBuf: isBuf, callback: cb, next: null }; if (last) { last.next = state.lastBufferedRequest; } else { state.bufferedRequest = state.lastBufferedRequest; } state.bufferedRequestCount += 1; } else { doWrite(stream, state, false, len, chunk, encoding, cb); } return ret; } function doWrite(stream, state, writev, len, chunk, encoding, cb) { state.writelen = len; state.writecb = cb; state.writing = true; state.sync = true; if (writev) stream._writev(chunk, state.onwrite);else stream._write(chunk, encoding, state.onwrite); state.sync = false; } function onwriteError(stream, state, sync, er, cb) { --state.pendingcb; if (sync) { // defer the callback if we are being called synchronously // to avoid piling up things on the stack pna.nextTick(cb, er); // this can emit finish, and it will always happen // after error pna.nextTick(finishMaybe, stream, state); stream._writableState.errorEmitted = true; stream.emit('error', er); } else { // the caller expect this to happen before if // it is async cb(er); stream._writableState.errorEmitted = true; stream.emit('error', er); // this can emit finish, but finish must // always follow error finishMaybe(stream, state); } } function onwriteStateUpdate(state) { state.writing = false; state.writecb = null; state.length -= state.writelen; state.writelen = 0; } function onwrite(stream, er) { var state = stream._writableState; var sync = state.sync; var cb = state.writecb; onwriteStateUpdate(state); if (er) onwriteError(stream, state, sync, er, cb);else { // Check if we're actually ready to finish, but don't emit yet var finished = needFinish(state); if (!finished && !state.corked && !state.bufferProcessing && state.bufferedRequest) { clearBuffer(stream, state); } if (sync) { /**/ asyncWrite(afterWrite, stream, state, finished, cb); /**/ } else { afterWrite(stream, state, finished, cb); } } } function afterWrite(stream, state, finished, cb) { if (!finished) onwriteDrain(stream, state); state.pendingcb--; cb(); finishMaybe(stream, state); } // Must force callback to be called on nextTick, so that we don't // emit 'drain' before the write() consumer gets the 'false' return // value, and has a chance to attach a 'drain' listener. function onwriteDrain(stream, state) { if (state.length === 0 && state.needDrain) { state.needDrain = false; stream.emit('drain'); } } // if there's something in the buffer waiting, then process it function clearBuffer(stream, state) { state.bufferProcessing = true; var entry = state.bufferedRequest; if (stream._writev && entry && entry.next) { // Fast case, write everything using _writev() var l = state.bufferedRequestCount; var buffer = new Array(l); var holder = state.corkedRequestsFree; holder.entry = entry; var count = 0; var allBuffers = true; while (entry) { buffer[count] = entry; if (!entry.isBuf) allBuffers = false; entry = entry.next; count += 1; } buffer.allBuffers = allBuffers; doWrite(stream, state, true, state.length, buffer, '', holder.finish); // doWrite is almost always async, defer these to save a bit of time // as the hot path ends with doWrite state.pendingcb++; state.lastBufferedRequest = null; if (holder.next) { state.corkedRequestsFree = holder.next; holder.next = null; } else { state.corkedRequestsFree = new CorkedRequest(state); } state.bufferedRequestCount = 0; } else { // Slow case, write chunks one-by-one while (entry) { var chunk = entry.chunk; var encoding = entry.encoding; var cb = entry.callback; var len = state.objectMode ? 1 : chunk.length; doWrite(stream, state, false, len, chunk, encoding, cb); entry = entry.next; state.bufferedRequestCount--; // if we didn't call the onwrite immediately, then // it means that we need to wait until it does. // also, that means that the chunk and cb are currently // being processed, so move the buffer counter past them. if (state.writing) { break; } } if (entry === null) state.lastBufferedRequest = null; } state.bufferedRequest = entry; state.bufferProcessing = false; } Writable.prototype._write = function (chunk, encoding, cb) { cb(new Error('_write() is not implemented')); }; Writable.prototype._writev = null; Writable.prototype.end = function (chunk, encoding, cb) { var state = this._writableState; if (typeof chunk === 'function') { cb = chunk; chunk = null; encoding = null; } else if (typeof encoding === 'function') { cb = encoding; encoding = null; } if (chunk !== null && chunk !== undefined) this.write(chunk, encoding); // .end() fully uncorks if (state.corked) { state.corked = 1; this.uncork(); } // ignore unnecessary end() calls. if (!state.ending && !state.finished) endWritable(this, state, cb); }; function needFinish(state) { return state.ending && state.length === 0 && state.bufferedRequest === null && !state.finished && !state.writing; } function callFinal(stream, state) { stream._final(function (err) { state.pendingcb--; if (err) { stream.emit('error', err); } state.prefinished = true; stream.emit('prefinish'); finishMaybe(stream, state); }); } function prefinish(stream, state) { if (!state.prefinished && !state.finalCalled) { if (typeof stream._final === 'function') { state.pendingcb++; state.finalCalled = true; pna.nextTick(callFinal, stream, state); } else { state.prefinished = true; stream.emit('prefinish'); } } } function finishMaybe(stream, state) { var need = needFinish(state); if (need) { prefinish(stream, state); if (state.pendingcb === 0) { state.finished = true; stream.emit('finish'); } } return need; } function endWritable(stream, state, cb) { state.ending = true; finishMaybe(stream, state); if (cb) { if (state.finished) pna.nextTick(cb);else stream.once('finish', cb); } state.ended = true; stream.writable = false; } function onCorkedFinish(corkReq, state, err) { var entry = corkReq.entry; corkReq.entry = null; while (entry) { var cb = entry.callback; state.pendingcb--; cb(err); entry = entry.next; } if (state.corkedRequestsFree) { state.corkedRequestsFree.next = corkReq; } else { state.corkedRequestsFree = corkReq; } } Object.defineProperty(Writable.prototype, 'destroyed', { get: function get() { if (this._writableState === undefined) { return false; } return this._writableState.destroyed; }, set: function set(value) { // we ignore the value if the stream // has not been initialized yet if (!this._writableState) { return; } // backward compatibility, the user is explicitly // managing destroyed this._writableState.destroyed = value; } }); Writable.prototype.destroy = destroyImpl.destroy; Writable.prototype._undestroy = destroyImpl.undestroy; Writable.prototype._destroy = function (err, cb) { this.end(); cb(err); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(28).setImmediate, __webpack_require__(10))) /***/ }), /* 85 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Buffer = __webpack_require__(8).Buffer; var Transform = __webpack_require__(138).Transform; var StringDecoder = __webpack_require__(24).StringDecoder; var inherits = __webpack_require__(2); function CipherBase(hashMode) { Transform.call(this); this.hashMode = typeof hashMode === 'string'; if (this.hashMode) { this[hashMode] = this._finalOrDigest; } else { this.final = this._finalOrDigest; } if (this._final) { this.__final = this._final; this._final = null; } this._decoder = null; this._encoding = null; } inherits(CipherBase, Transform); CipherBase.prototype.update = function (data, inputEnc, outputEnc) { if (typeof data === 'string') { data = Buffer.from(data, inputEnc); } var outData = this._update(data); if (this.hashMode) return this; if (outputEnc) { outData = this._toString(outData, outputEnc); } return outData; }; CipherBase.prototype.setAutoPadding = function () {}; CipherBase.prototype.getAuthTag = function () { throw new Error('trying to get auth tag in unsupported state'); }; CipherBase.prototype.setAuthTag = function () { throw new Error('trying to set auth tag in unsupported state'); }; CipherBase.prototype.setAAD = function () { throw new Error('trying to set aad in unsupported state'); }; CipherBase.prototype._transform = function (data, _, next) { var err; try { if (this.hashMode) { this._update(data); } else { this.push(this._update(data)); } } catch (e) { err = e; } finally { next(err); } }; CipherBase.prototype._flush = function (done) { var err; try { this.push(this.__final()); } catch (e) { err = e; } done(err); }; CipherBase.prototype._finalOrDigest = function (outputEnc) { var outData = this.__final() || Buffer.alloc(0); if (outputEnc) { outData = this._toString(outData, outputEnc, true); } return outData; }; CipherBase.prototype._toString = function (value, enc, fin) { if (!this._decoder) { this._decoder = new StringDecoder(enc); this._encoding = enc; } if (this._encoding !== enc) throw new Error('can\'t switch encodings'); var out = this._decoder.write(value); if (fin) { out += this._decoder.end(); } return out; }; module.exports = CipherBase; /***/ }), /* 86 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * This method returns `undefined`. * * @static * @memberOf _ * @since 2.3.0 * @category Util * @example * * _.times(2, _.noop); * // => [undefined, undefined] */ function noop() {// No operation performed. } module.exports = noop; /***/ }), /* 87 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = onlyOnce; function onlyOnce(fn) { return function () { if (fn === null) throw new Error("Callback was already called."); var callFn = fn; fn = null; callFn.apply(this, arguments); }; } module.exports = exports["default"]; /***/ }), /* 88 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.isAsync = undefined; var _asyncify = __webpack_require__(307); var _asyncify2 = _interopRequireDefault(_asyncify); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } var supportsSymbol = typeof Symbol === 'function'; function isAsync(fn) { return supportsSymbol && fn[Symbol.toStringTag] === 'AsyncFunction'; } function wrapAsync(asyncFn) { return isAsync(asyncFn) ? (0, _asyncify2.default)(asyncFn) : asyncFn; } exports.default = wrapAsync; exports.isAsync = isAsync; /***/ }), /* 89 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Ported from https://github.com/mafintosh/end-of-stream with // permission from the author, Mathias Buus (@mafintosh). var ERR_STREAM_PREMATURE_CLOSE = __webpack_require__(31).codes.ERR_STREAM_PREMATURE_CLOSE; function once(callback) { var called = false; return function () { if (called) return; called = true; for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } callback.apply(this, args); }; } function noop() {} function isRequest(stream) { return stream.setHeader && typeof stream.abort === 'function'; } function eos(stream, opts, callback) { if (typeof opts === 'function') return eos(stream, null, opts); if (!opts) opts = {}; callback = once(callback || noop); var readable = opts.readable || opts.readable !== false && stream.readable; var writable = opts.writable || opts.writable !== false && stream.writable; var onlegacyfinish = function onlegacyfinish() { if (!stream.writable) onfinish(); }; var writableEnded = stream._writableState && stream._writableState.finished; var onfinish = function onfinish() { writable = false; writableEnded = true; if (!readable) callback.call(stream); }; var readableEnded = stream._readableState && stream._readableState.endEmitted; var onend = function onend() { readable = false; readableEnded = true; if (!writable) callback.call(stream); }; var onerror = function onerror(err) { callback.call(stream, err); }; var onclose = function onclose() { var err; if (readable && !readableEnded) { if (!stream._readableState || !stream._readableState.ended) err = new ERR_STREAM_PREMATURE_CLOSE(); return callback.call(stream, err); } if (writable && !writableEnded) { if (!stream._writableState || !stream._writableState.ended) err = new ERR_STREAM_PREMATURE_CLOSE(); return callback.call(stream, err); } }; var onrequest = function onrequest() { stream.req.on('finish', onfinish); }; if (isRequest(stream)) { stream.on('complete', onfinish); stream.on('abort', onclose); if (stream.req) onrequest();else stream.on('request', onrequest); } else if (writable && !stream._writableState) { // legacy streams stream.on('end', onlegacyfinish); stream.on('close', onlegacyfinish); } stream.on('end', onend); stream.on('finish', onfinish); if (opts.error !== false) stream.on('error', onerror); stream.on('close', onclose); return function () { stream.removeListener('complete', onfinish); stream.removeListener('abort', onclose); stream.removeListener('request', onrequest); if (stream.req) stream.req.removeListener('finish', onfinish); stream.removeListener('end', onlegacyfinish); stream.removeListener('close', onlegacyfinish); stream.removeListener('finish', onfinish); stream.removeListener('end', onend); stream.removeListener('error', onerror); stream.removeListener('close', onclose); }; } module.exports = eos; /***/ }), /* 90 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function isFunction(f) { return 'function' === typeof f; } function isDuplex(d) { return 'object' === typeof d && isSource(d.source) && isSink(d.sink); } function isSource(s) { return isFunction(s) && s.length === 2; } function isSink(s) { return isFunction(s) && s.length === 1; } exports.isDuplex = isDuplex; exports.isSource = isSource; exports.isSink = isSink; //can't do is through, it will appear as a sink til you git it a source. /***/ }), /* 91 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Symbol = __webpack_require__(163), getRawTag = __webpack_require__(332), objectToString = __webpack_require__(333); /** `Object#toString` result references. */ var nullTag = '[object Null]', undefinedTag = '[object Undefined]'; /** Built-in value references. */ var symToStringTag = Symbol ? Symbol.toStringTag : undefined; /** * The base implementation of `getTag` without fallbacks for buggy environments. * * @private * @param {*} value The value to query. * @returns {string} Returns the `toStringTag`. */ function baseGetTag(value) { if (value == null) { return value === undefined ? undefinedTag : nullTag; } return symToStringTag && symToStringTag in Object(value) ? getRawTag(value) : objectToString(value); } module.exports = baseGetTag; /***/ }), /* 92 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Checks if `value` is object-like. A value is object-like if it's not `null` * and has a `typeof` result of "object". * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is object-like, else `false`. * @example * * _.isObjectLike({}); * // => true * * _.isObjectLike([1, 2, 3]); * // => true * * _.isObjectLike(_.noop); * // => false * * _.isObjectLike(null); * // => false */ function isObjectLike(value) { return value != null && typeof value == 'object'; } module.exports = isObjectLike; /***/ }), /* 93 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const once = __webpack_require__(16); const ConcatStream = __webpack_require__(42); const SendFilesStream = __webpack_require__(33); module.exports = (send, path) => { const sendFilesStream = SendFilesStream(send, path); return (file, options, _callback) => { const callback = once(_callback); const stream = sendFilesStream(options); const concat = ConcatStream(results => callback(null, results)); stream.once('error', callback); stream.pipe(concat); stream.write(file); stream.end(); }; }; /***/ }), /* 94 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const { URLWithLegacySupport, format, URLSearchParams, defaultBase } = __webpack_require__(169); const relative = __webpack_require__(369); module.exports = { URL: URLWithLegacySupport, URLSearchParams, format, relative, defaultBase }; /***/ }), /* 95 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const pump = __webpack_require__(11); const tar = __webpack_require__(381); const ReadableStream = __webpack_require__(6).Readable; class ObjectsStreams extends ReadableStream { constructor(options) { const opts = Object.assign(options || {}, { objectMode: true }); super(opts); } _read() {} } /* Transform a tar stream into a stream of objects: Output format: { path: 'string', content: Stream } */ const TarStreamToObjects = (inputStream, callback) => { const outputStream = new ObjectsStreams(); const extractStream = tar.extract(); extractStream.on('entry', (header, stream, next) => { stream.on('end', next); if (header.type !== 'directory') { outputStream.push({ path: header.name, content: stream }); } else { outputStream.push({ path: header.name }); stream.resume(); } }).on('finish', () => outputStream.push(null)); pump(inputStream, extractStream); callback(null, outputStream); }; module.exports = TarStreamToObjects; /***/ }), /* 96 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function id(e) { return e; } var prop = __webpack_require__(43); module.exports = function map(mapper) { if (!mapper) return id; mapper = prop(mapper); return function (read) { return function (abort, cb) { read(abort, function (end, data) { try { data = !end ? mapper(data) : null; } catch (err) { return read(err, function () { return cb(err); }); } cb(end, data); }); }; }; }; /***/ }), /* 97 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var through = __webpack_require__(58); var split = __webpack_require__(393); var EOL = __webpack_require__(109).EOL; var stringify = __webpack_require__(394); module.exports = parse; module.exports.serialize = module.exports.stringify = serialize; module.exports.parse = parse; function parse(opts) { opts = opts || {}; opts.strict = opts.strict !== false; function parseRow(row) { try { if (row) return JSON.parse(row); } catch (e) { if (opts.strict) { this.emit('error', new Error('Could not parse row ' + row.slice(0, 50) + '...')); } } } return split(parseRow, opts); } function serialize(opts) { return through.obj(opts, function (obj, enc, cb) { cb(null, stringify(obj) + EOL); }); } /***/ }), /* 98 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { /* eslint-env browser */ /** * This is the web browser implementation of `debug()`. */ exports.log = log; exports.formatArgs = formatArgs; exports.save = save; exports.load = load; exports.useColors = useColors; exports.storage = localstorage(); /** * Colors. */ exports.colors = ['#0000CC', '#0000FF', '#0033CC', '#0033FF', '#0066CC', '#0066FF', '#0099CC', '#0099FF', '#00CC00', '#00CC33', '#00CC66', '#00CC99', '#00CCCC', '#00CCFF', '#3300CC', '#3300FF', '#3333CC', '#3333FF', '#3366CC', '#3366FF', '#3399CC', '#3399FF', '#33CC00', '#33CC33', '#33CC66', '#33CC99', '#33CCCC', '#33CCFF', '#6600CC', '#6600FF', '#6633CC', '#6633FF', '#66CC00', '#66CC33', '#9900CC', '#9900FF', '#9933CC', '#9933FF', '#99CC00', '#99CC33', '#CC0000', '#CC0033', '#CC0066', '#CC0099', '#CC00CC', '#CC00FF', '#CC3300', '#CC3333', '#CC3366', '#CC3399', '#CC33CC', '#CC33FF', '#CC6600', '#CC6633', '#CC9900', '#CC9933', '#CCCC00', '#CCCC33', '#FF0000', '#FF0033', '#FF0066', '#FF0099', '#FF00CC', '#FF00FF', '#FF3300', '#FF3333', '#FF3366', '#FF3399', '#FF33CC', '#FF33FF', '#FF6600', '#FF6633', '#FF9900', '#FF9933', '#FFCC00', '#FFCC33']; /** * Currently only WebKit-based Web Inspectors, Firefox >= v31, * and the Firebug extension (any Firefox version) are known * to support "%c" CSS customizations. * * TODO: add a `localStorage` variable to explicitly enable/disable colors */ // eslint-disable-next-line complexity function useColors() { // NB: In an Electron preload script, document will be defined but not fully // initialized. Since we know we're in Chrome, we'll just detect this case // explicitly if (typeof window !== 'undefined' && window.process && (window.process.type === 'renderer' || window.process.__nwjs)) { return true; } // Internet Explorer and Edge do not support colors. if (typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/)) { return false; } // Is webkit? http://stackoverflow.com/a/16459606/376773 // document is undefined in react-native: https://github.com/facebook/react-native/pull/1632 return typeof document !== 'undefined' && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance || // Is firebug? http://stackoverflow.com/a/398120/376773 typeof window !== 'undefined' && window.console && (window.console.firebug || window.console.exception && window.console.table) || // Is firefox >= v31? // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31 || // Double check webkit in userAgent just in case we are in a worker typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/); } /** * Colorize log arguments if enabled. * * @api public */ function formatArgs(args) { args[0] = (this.useColors ? '%c' : '') + this.namespace + (this.useColors ? ' %c' : ' ') + args[0] + (this.useColors ? '%c ' : ' ') + '+' + module.exports.humanize(this.diff); if (!this.useColors) { return; } const c = 'color: ' + this.color; args.splice(1, 0, c, 'color: inherit'); // The final "%c" is somewhat tricky, because there could be other // arguments passed either before or after the %c, so we need to // figure out the correct index to insert the CSS into let index = 0; let lastC = 0; args[0].replace(/%[a-zA-Z%]/g, match => { if (match === '%%') { return; } index++; if (match === '%c') { // We only are interested in the *last* %c // (the user may have provided their own) lastC = index; } }); args.splice(lastC, 0, c); } /** * Invokes `console.log()` when available. * No-op when `console.log` is not a "function". * * @api public */ function log() { // This hackery is required for IE8/9, where // the `console.log` function doesn't have 'apply' return typeof console === 'object' && console.log && console.log(...arguments); } /** * Save `namespaces`. * * @param {String} namespaces * @api private */ function save(namespaces) { try { if (namespaces) { exports.storage.setItem('debug', namespaces); } else { exports.storage.removeItem('debug'); } } catch (error) {// Swallow // XXX (@Qix-) should we be logging these? } } /** * Load `namespaces`. * * @return {String} returns the previously persisted debug modes * @api private */ function load() { let r; try { r = exports.storage.getItem('debug'); } catch (error) {} // Swallow // XXX (@Qix-) should we be logging these? // If debug isn't set in LS, and we're in Electron, try to load $DEBUG if (!r && typeof process !== 'undefined' && 'env' in process) { r = process.env.DEBUG; } return r; } /** * Localstorage attempts to return the localstorage. * * This is necessary because safari throws * when a user disables cookies/localstorage * and you attempt to access it. * * @return {LocalStorage} * @api private */ function localstorage() { try { // TVMLKit (Apple TV JS Runtime) does not have a window object, just localStorage in the global context // The Browser also has localStorage in the global context. return localStorage; } catch (error) {// Swallow // XXX (@Qix-) should we be logging these? } } module.exports = __webpack_require__(396)(exports); const { formatters } = module.exports; /** * Map %j to `JSON.stringify()`, since no Web Inspectors do that by default. */ formatters.j = function (v) { try { return JSON.stringify(v); } catch (error) { return '[UnexpectedJSONParseError]: ' + error.message; } }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 99 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const IsIpfs = __webpack_require__(13); const promisify = __webpack_require__(1); const streamToValueWithTransformer = __webpack_require__(34); const moduleConfig = __webpack_require__(3); const cleanCID = __webpack_require__(17); module.exports = arg => { const send = moduleConfig(arg); const refs = promisify((args, opts, callback) => { if (typeof opts === 'function') { callback = opts; opts = {}; } opts = module.exports.normalizeOpts(opts); try { args = module.exports.checkArgs(args); } catch (err) { return callback(err); } const transform = (res, cb) => { cb(null, res.map(r => ({ ref: r.Ref, err: r.Err }))); }; const request = { args, path: 'refs', qs: opts }; send(request, (err, result) => { if (err) { return callback(err); } streamToValueWithTransformer(result, transform, callback); }); }); refs.local = __webpack_require__(400)(arg); refs.localReadableStream = __webpack_require__(401)(arg); refs.localPullStream = __webpack_require__(402)(arg); return refs; }; module.exports.checkArgs = args => { const isArray = Array.isArray(args); args = isArray ? args : [args]; const res = []; for (let arg of args) { try { arg = cleanCID(arg); } catch (err) { if (!IsIpfs.ipfsPath(arg)) { throw err; } } res.push(arg); } return isArray ? res : res[0]; }; module.exports.normalizeOpts = opts => { opts = opts || {}; if (typeof opts.maxDepth === 'number') { opts['max-depth'] = opts.maxDepth; } return opts; }; /***/ }), /* 100 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var drain = __webpack_require__(44); module.exports = function reduce(reducer, acc, cb) { if (!cb) cb = acc, acc = null; var sink = drain(function (data) { acc = reducer(acc, data); }, function (err) { cb(err, acc); }); if (arguments.length === 2) return function (source) { source(null, function (end, data) { //if ended immediately, and no initial... if (end) return cb(end === true ? null : end); acc = data; sink(source); }); };else return sink; }; /***/ }), /* 101 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var tester = __webpack_require__(184); module.exports = function filter(test) { //regexp test = tester(test); return function (read) { return function next(end, cb) { var sync, loop = true; while (loop) { loop = false; sync = true; read(end, function (end, data) { if (!end && !test(data)) return sync ? loop = true : next(end, cb); cb(end, data); }); sync = false; } }; }; }; /***/ }), /* 102 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const { Buffer } = __webpack_require__(0); const errcode = __webpack_require__(452); const multihash = __webpack_require__(14); const crypto = __webpack_require__(453); /** * Hash the given `buf` using the algorithm specified by `alg`. * @param {Buffer} buf - The value to hash. * @param {number|string} alg - The algorithm to use eg 'sha1' * @param {number} [length] - Optionally trim the result to this length. * @returns {Promise} */ async function Multihashing(buf, alg, length) { const digest = await Multihashing.digest(buf, alg, length); return multihash.encode(digest, alg, length); } /** * The `buffer` module for easy use in the browser. * * @type {Buffer} */ Multihashing.Buffer = Buffer; // for browser things /** * Expose multihash itself, to avoid silly double requires. */ Multihashing.multihash = multihash; /** * @param {Buffer} buf - The value to hash. * @param {number|string} alg - The algorithm to use eg 'sha1' * @param {number} [length] - Optionally trim the result to this length. * @returns {Promise} */ Multihashing.digest = async (buf, alg, length) => { const hash = Multihashing.createHash(alg); const digest = await hash(buf); return length ? digest.slice(0, length) : digest; }; /** * Creates a function that hashes with the given algorithm * * @param {string|number} alg - The algorithm to use eg 'sha1' * * @returns {function} - The hash function corresponding to `alg` */ Multihashing.createHash = function (alg) { if (!alg) { throw errcode('hash algorithm must be specified', 'ERR_HASH_ALGORITHM_NOT_SPECIFIED'); } alg = multihash.coerceCode(alg); if (!Multihashing.functions[alg]) { throw errcode("multihash function '".concat(alg, "' not yet supported"), 'ERR_HASH_ALGORITHM_NOT_SUPPORTED'); } return Multihashing.functions[alg]; }; /** * Mapping of multihash codes to their hashing functions. * @type {Object} */ Multihashing.functions = { // sha1 0x11: crypto.sha1, // sha2-256 0x12: crypto.sha2256, // sha2-512 0x13: crypto.sha2512, // sha3-512 0x14: crypto.sha3512, // sha3-384 0x15: crypto.sha3384, // sha3-256 0x16: crypto.sha3256, // sha3-224 0x17: crypto.sha3224, // shake-128 0x18: crypto.shake128, // shake-256 0x19: crypto.shake256, // keccak-224 0x1A: crypto.keccak224, // keccak-256 0x1B: crypto.keccak256, // keccak-384 0x1C: crypto.keccak384, // keccak-512 0x1D: crypto.keccak512, // murmur3-128 0x22: crypto.murmur3128, // murmur3-32 0x23: crypto.murmur332, // dbl-sha2-256 0x56: crypto.dblSha2256 // add blake functions }; crypto.addBlake(Multihashing.functions); Multihashing.validate = async (buf, hash) => { const newHash = await Multihashing(buf, multihash.decode(hash).name); return Buffer.compare(hash, newHash) === 0; }; module.exports = Multihashing; /***/ }), /* 103 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const Bignumber = __webpack_require__(19).BigNumber; const constants = __webpack_require__(65); const SHIFT32 = constants.SHIFT32; const SHIFT16 = constants.SHIFT16; const MAX_SAFE_HIGH = 0x1fffff; exports.parseHalf = function parseHalf(buf) { var exp, mant, sign; sign = buf[0] & 0x80 ? -1 : 1; exp = (buf[0] & 0x7C) >> 2; mant = (buf[0] & 0x03) << 8 | buf[1]; if (!exp) { return sign * 5.9604644775390625e-8 * mant; } else if (exp === 0x1f) { return sign * (mant ? 0 / 0 : 2e308); } else { return sign * Math.pow(2, exp - 25) * (1024 + mant); } }; function toHex(n) { if (n < 16) { return '0' + n.toString(16); } return n.toString(16); } exports.arrayBufferToBignumber = function (buf) { const len = buf.byteLength; let res = ''; for (let i = 0; i < len; i++) { res += toHex(buf[i]); } return new Bignumber(res, 16); }; // convert an Object into a Map exports.buildMap = obj => { const res = new Map(); const keys = Object.keys(obj); const length = keys.length; for (let i = 0; i < length; i++) { res.set(keys[i], obj[keys[i]]); } return res; }; exports.buildInt32 = (f, g) => { return f * SHIFT16 + g; }; exports.buildInt64 = (f1, f2, g1, g2) => { const f = exports.buildInt32(f1, f2); const g = exports.buildInt32(g1, g2); if (f > MAX_SAFE_HIGH) { return new Bignumber(f).times(SHIFT32).plus(g); } else { return f * SHIFT32 + g; } }; exports.writeHalf = function writeHalf(buf, half) { // assume 0, -0, NaN, Infinity, and -Infinity have already been caught // HACK: everyone settle in. This isn't going to be pretty. // Translate cn-cbor's C code (from Carsten Borman): // uint32_t be32; // uint16_t be16, u16; // union { // float f; // uint32_t u; // } u32; // u32.f = float_val; const u32 = Buffer.allocUnsafe(4); u32.writeFloatBE(half, 0); const u = u32.readUInt32BE(0); // if ((u32.u & 0x1FFF) == 0) { /* worth trying half */ // hildjj: If the lower 13 bits are 0, we won't lose anything in the conversion if ((u & 0x1FFF) !== 0) { return false; } // int s16 = (u32.u >> 16) & 0x8000; // int exp = (u32.u >> 23) & 0xff; // int mant = u32.u & 0x7fffff; var s16 = u >> 16 & 0x8000; // top bit is sign const exp = u >> 23 & 0xff; // then 5 bits of exponent const mant = u & 0x7fffff; // if (exp == 0 && mant == 0) // ; /* 0.0, -0.0 */ // hildjj: zeros already handled. Assert if you don't believe me. // else if (exp >= 113 && exp <= 142) /* normalized */ // s16 += ((exp - 112) << 10) + (mant >> 13); if (exp >= 113 && exp <= 142) { s16 += (exp - 112 << 10) + (mant >> 13); // else if (exp >= 103 && exp < 113) { /* denorm, exp16 = 0 */ // if (mant & ((1 << (126 - exp)) - 1)) // goto float32; /* loss of precision */ // s16 += ((mant + 0x800000) >> (126 - exp)); } else if (exp >= 103 && exp < 113) { if (mant & (1 << 126 - exp) - 1) { return false; } s16 += mant + 0x800000 >> 126 - exp; // } else if (exp == 255 && mant == 0) { /* Inf */ // s16 += 0x7c00; // hildjj: Infinity already handled // } else // goto float32; /* loss of range */ } else { return false; } // ensure_writable(3); // u16 = s16; // be16 = hton16p((const uint8_t*)&u16); buf.writeUInt16BE(s16, 0); return true; }; exports.keySorter = function (a, b) { var lenA = a[0].byteLength; var lenB = b[0].byteLength; if (lenA > lenB) { return 1; } if (lenB > lenA) { return -1; } return a[0].compare(b[0]); }; // Adapted from http://www.2ality.com/2012/03/signedzero.html exports.isNegativeZero = x => { return x === 0 && 1 / x < 0; }; exports.nextPowerOf2 = n => { let count = 0; // First n in the below condition is for // the case where n is 0 if (n && !(n & n - 1)) { return n; } while (n !== 0) { n >>= 1; count += 1; } return 1 << count; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 104 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // A linked list to keep track of recently-used-ness const Yallist = __webpack_require__(474); const MAX = Symbol('max'); const LENGTH = Symbol('length'); const LENGTH_CALCULATOR = Symbol('lengthCalculator'); const ALLOW_STALE = Symbol('allowStale'); const MAX_AGE = Symbol('maxAge'); const DISPOSE = Symbol('dispose'); const NO_DISPOSE_ON_SET = Symbol('noDisposeOnSet'); const LRU_LIST = Symbol('lruList'); const CACHE = Symbol('cache'); const UPDATE_AGE_ON_GET = Symbol('updateAgeOnGet'); const naiveLength = () => 1; // lruList is a yallist where the head is the youngest // item, and the tail is the oldest. the list contains the Hit // objects as the entries. // Each Hit object has a reference to its Yallist.Node. This // never changes. // // cache is a Map (or PseudoMap) that matches the keys to // the Yallist.Node object. class LRUCache { constructor(options) { if (typeof options === 'number') options = { max: options }; if (!options) options = {}; if (options.max && (typeof options.max !== 'number' || options.max < 0)) throw new TypeError('max must be a non-negative number'); // Kind of weird to have a default max of Infinity, but oh well. const max = this[MAX] = options.max || Infinity; const lc = options.length || naiveLength; this[LENGTH_CALCULATOR] = typeof lc !== 'function' ? naiveLength : lc; this[ALLOW_STALE] = options.stale || false; if (options.maxAge && typeof options.maxAge !== 'number') throw new TypeError('maxAge must be a number'); this[MAX_AGE] = options.maxAge || 0; this[DISPOSE] = options.dispose; this[NO_DISPOSE_ON_SET] = options.noDisposeOnSet || false; this[UPDATE_AGE_ON_GET] = options.updateAgeOnGet || false; this.reset(); } // resize the cache when the max changes. set max(mL) { if (typeof mL !== 'number' || mL < 0) throw new TypeError('max must be a non-negative number'); this[MAX] = mL || Infinity; trim(this); } get max() { return this[MAX]; } set allowStale(allowStale) { this[ALLOW_STALE] = !!allowStale; } get allowStale() { return this[ALLOW_STALE]; } set maxAge(mA) { if (typeof mA !== 'number') throw new TypeError('maxAge must be a non-negative number'); this[MAX_AGE] = mA; trim(this); } get maxAge() { return this[MAX_AGE]; } // resize the cache when the lengthCalculator changes. set lengthCalculator(lC) { if (typeof lC !== 'function') lC = naiveLength; if (lC !== this[LENGTH_CALCULATOR]) { this[LENGTH_CALCULATOR] = lC; this[LENGTH] = 0; this[LRU_LIST].forEach(hit => { hit.length = this[LENGTH_CALCULATOR](hit.value, hit.key); this[LENGTH] += hit.length; }); } trim(this); } get lengthCalculator() { return this[LENGTH_CALCULATOR]; } get length() { return this[LENGTH]; } get itemCount() { return this[LRU_LIST].length; } rforEach(fn, thisp) { thisp = thisp || this; for (let walker = this[LRU_LIST].tail; walker !== null;) { const prev = walker.prev; forEachStep(this, fn, walker, thisp); walker = prev; } } forEach(fn, thisp) { thisp = thisp || this; for (let walker = this[LRU_LIST].head; walker !== null;) { const next = walker.next; forEachStep(this, fn, walker, thisp); walker = next; } } keys() { return this[LRU_LIST].toArray().map(k => k.key); } values() { return this[LRU_LIST].toArray().map(k => k.value); } reset() { if (this[DISPOSE] && this[LRU_LIST] && this[LRU_LIST].length) { this[LRU_LIST].forEach(hit => this[DISPOSE](hit.key, hit.value)); } this[CACHE] = new Map(); // hash of items by key this[LRU_LIST] = new Yallist(); // list of items in order of use recency this[LENGTH] = 0; // length of items in the list } dump() { return this[LRU_LIST].map(hit => isStale(this, hit) ? false : { k: hit.key, v: hit.value, e: hit.now + (hit.maxAge || 0) }).toArray().filter(h => h); } dumpLru() { return this[LRU_LIST]; } set(key, value, maxAge) { maxAge = maxAge || this[MAX_AGE]; if (maxAge && typeof maxAge !== 'number') throw new TypeError('maxAge must be a number'); const now = maxAge ? Date.now() : 0; const len = this[LENGTH_CALCULATOR](value, key); if (this[CACHE].has(key)) { if (len > this[MAX]) { del(this, this[CACHE].get(key)); return false; } const node = this[CACHE].get(key); const item = node.value; // dispose of the old one before overwriting // split out into 2 ifs for better coverage tracking if (this[DISPOSE]) { if (!this[NO_DISPOSE_ON_SET]) this[DISPOSE](key, item.value); } item.now = now; item.maxAge = maxAge; item.value = value; this[LENGTH] += len - item.length; item.length = len; this.get(key); trim(this); return true; } const hit = new Entry(key, value, len, now, maxAge); // oversized objects fall out of cache automatically. if (hit.length > this[MAX]) { if (this[DISPOSE]) this[DISPOSE](key, value); return false; } this[LENGTH] += hit.length; this[LRU_LIST].unshift(hit); this[CACHE].set(key, this[LRU_LIST].head); trim(this); return true; } has(key) { if (!this[CACHE].has(key)) return false; const hit = this[CACHE].get(key).value; return !isStale(this, hit); } get(key) { return get(this, key, true); } peek(key) { return get(this, key, false); } pop() { const node = this[LRU_LIST].tail; if (!node) return null; del(this, node); return node.value; } del(key) { del(this, this[CACHE].get(key)); } load(arr) { // reset the cache this.reset(); const now = Date.now(); // A previous serialized cache has the most recent items first for (let l = arr.length - 1; l >= 0; l--) { const hit = arr[l]; const expiresAt = hit.e || 0; if (expiresAt === 0) // the item was created without expiration in a non aged cache this.set(hit.k, hit.v);else { const maxAge = expiresAt - now; // dont add already expired items if (maxAge > 0) { this.set(hit.k, hit.v, maxAge); } } } } prune() { this[CACHE].forEach((value, key) => get(this, key, false)); } } const get = (self, key, doUse) => { const node = self[CACHE].get(key); if (node) { const hit = node.value; if (isStale(self, hit)) { del(self, node); if (!self[ALLOW_STALE]) return undefined; } else { if (doUse) { if (self[UPDATE_AGE_ON_GET]) node.value.now = Date.now(); self[LRU_LIST].unshiftNode(node); } } return hit.value; } }; const isStale = (self, hit) => { if (!hit || !hit.maxAge && !self[MAX_AGE]) return false; const diff = Date.now() - hit.now; return hit.maxAge ? diff > hit.maxAge : self[MAX_AGE] && diff > self[MAX_AGE]; }; const trim = self => { if (self[LENGTH] > self[MAX]) { for (let walker = self[LRU_LIST].tail; self[LENGTH] > self[MAX] && walker !== null;) { // We know that we're about to delete this one, and also // what the next least recently used key will be, so just // go ahead and set it now. const prev = walker.prev; del(self, walker); walker = prev; } } }; const del = (self, node) => { if (node) { const hit = node.value; if (self[DISPOSE]) self[DISPOSE](hit.key, hit.value); self[LENGTH] -= hit.length; self[CACHE].delete(hit.key); self[LRU_LIST].removeNode(node); } }; class Entry { constructor(key, value, length, now, maxAge) { this.key = key; this.value = value; this.length = length; this.now = now; this.maxAge = maxAge || 0; } } const forEachStep = (self, fn, node, thisp) => { let hit = node.value; if (isStale(self, hit)) { del(self, node); if (!self[ALLOW_STALE]) hit = undefined; } if (hit) fn.call(thisp, hit.value, hit.key, self); }; module.exports = LRUCache; /***/ }), /* 105 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const TransformStream = __webpack_require__(6).Transform; const pingMessageConverter = __webpack_require__(509); class PingMessageStream extends TransformStream { constructor(options) { const opts = Object.assign(options || {}, { objectMode: true }); super(opts); } _transform(obj, enc, callback) { try { const msg = pingMessageConverter(obj); this.push(msg); if (!msg.success) { throw new Error(msg.text); } } catch (err) { return callback(err); } callback(); } } module.exports = PingMessageStream; /***/ }), /* 106 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const Big = __webpack_require__(19); module.exports = chunk => { return { totalIn: new Big(chunk.TotalIn), totalOut: new Big(chunk.TotalOut), rateIn: new Big(chunk.RateIn), rateOut: new Big(chunk.RateOut) }; }; /***/ }), /* 107 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.read = function (buffer, offset, isLE, mLen, nBytes) { var e, m; var eLen = nBytes * 8 - mLen - 1; var eMax = (1 << eLen) - 1; var eBias = eMax >> 1; var nBits = -7; var i = isLE ? nBytes - 1 : 0; var d = isLE ? -1 : 1; var s = buffer[offset + i]; i += d; e = s & (1 << -nBits) - 1; s >>= -nBits; nBits += eLen; for (; nBits > 0; e = e * 256 + buffer[offset + i], i += d, nBits -= 8) {} m = e & (1 << -nBits) - 1; e >>= -nBits; nBits += mLen; for (; nBits > 0; m = m * 256 + buffer[offset + i], i += d, nBits -= 8) {} if (e === 0) { e = 1 - eBias; } else if (e === eMax) { return m ? NaN : (s ? -1 : 1) * Infinity; } else { m = m + Math.pow(2, mLen); e = e - eBias; } return (s ? -1 : 1) * m * Math.pow(2, e - mLen); }; exports.write = function (buffer, value, offset, isLE, mLen, nBytes) { var e, m, c; var eLen = nBytes * 8 - mLen - 1; var eMax = (1 << eLen) - 1; var eBias = eMax >> 1; var rt = mLen === 23 ? Math.pow(2, -24) - Math.pow(2, -77) : 0; var i = isLE ? 0 : nBytes - 1; var d = isLE ? 1 : -1; var s = value < 0 || value === 0 && 1 / value < 0 ? 1 : 0; value = Math.abs(value); if (isNaN(value) || value === Infinity) { m = isNaN(value) ? 1 : 0; e = eMax; } else { e = Math.floor(Math.log(value) / Math.LN2); if (value * (c = Math.pow(2, -e)) < 1) { e--; c *= 2; } if (e + eBias >= 1) { value += rt / c; } else { value += rt * Math.pow(2, 1 - eBias); } if (value * c >= 2) { e++; c /= 2; } if (e + eBias >= eMax) { m = 0; e = eMax; } else if (e + eBias >= 1) { m = (value * c - 1) * Math.pow(2, mLen); e = e + eBias; } else { m = value * Math.pow(2, eBias - 1) * Math.pow(2, mLen); e = 0; } } for (; mLen >= 8; buffer[offset + i] = m & 0xff, i += d, m /= 256, mLen -= 8) {} e = e << mLen | m; eLen += mLen; for (; eLen > 0; buffer[offset + i] = e & 0xff, i += d, e /= 256, eLen -= 8) {} buffer[offset + i - d] |= s * 128; }; /***/ }), /* 108 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var toString = {}.toString; module.exports = Array.isArray || function (arr) { return toString.call(arr) == '[object Array]'; }; /***/ }), /* 109 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.endianness = function () { return 'LE'; }; exports.hostname = function () { if (typeof location !== 'undefined') { return location.hostname; } else return ''; }; exports.loadavg = function () { return []; }; exports.uptime = function () { return 0; }; exports.freemem = function () { return Number.MAX_VALUE; }; exports.totalmem = function () { return Number.MAX_VALUE; }; exports.cpus = function () { return []; }; exports.type = function () { return 'Browser'; }; exports.release = function () { if (typeof navigator !== 'undefined') { return navigator.appVersion; } return ''; }; exports.networkInterfaces = exports.getNetworkInterfaces = function () { return {}; }; exports.arch = function () { return 'javascript'; }; exports.platform = function () { return 'browser'; }; exports.tmpdir = exports.tmpDir = function () { return '/tmp'; }; exports.EOL = '\n'; exports.homedir = function () { return '/'; }; /***/ }), /* 110 */ /***/ (function(module, exports) { /* WEBPACK VAR INJECTION */(function(__webpack_amd_options__) {/* globals __webpack_amd_options__ */ module.exports = __webpack_amd_options__; /* WEBPACK VAR INJECTION */}.call(this, {})) /***/ }), /* 111 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const varint = __webpack_require__(12); module.exports = { numberToBuffer, bufferToNumber, varintBufferEncode, varintBufferDecode }; function bufferToNumber(buf) { return parseInt(buf.toString('hex'), 16); } function numberToBuffer(num) { let hexString = num.toString(16); if (hexString.length % 2 === 1) { hexString = '0' + hexString; } return Buffer.from(hexString, 'hex'); } function varintBufferEncode(input) { return Buffer.from(varint.encode(bufferToNumber(input))); } function varintBufferDecode(input) { return numberToBuffer(varint.decode(input)); } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 112 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Javascript implementation of basic RSA algorithms. * * @author Dave Longley * * Copyright (c) 2010-2014 Digital Bazaar, Inc. * * The only algorithm currently supported for PKI is RSA. * * An RSA key is often stored in ASN.1 DER format. The SubjectPublicKeyInfo * ASN.1 structure is composed of an algorithm of type AlgorithmIdentifier * and a subjectPublicKey of type bit string. * * The AlgorithmIdentifier contains an Object Identifier (OID) and parameters * for the algorithm, if any. In the case of RSA, there aren't any. * * SubjectPublicKeyInfo ::= SEQUENCE { * algorithm AlgorithmIdentifier, * subjectPublicKey BIT STRING * } * * AlgorithmIdentifer ::= SEQUENCE { * algorithm OBJECT IDENTIFIER, * parameters ANY DEFINED BY algorithm OPTIONAL * } * * For an RSA public key, the subjectPublicKey is: * * RSAPublicKey ::= SEQUENCE { * modulus INTEGER, -- n * publicExponent INTEGER -- e * } * * PrivateKeyInfo ::= SEQUENCE { * version Version, * privateKeyAlgorithm PrivateKeyAlgorithmIdentifier, * privateKey PrivateKey, * attributes [0] IMPLICIT Attributes OPTIONAL * } * * Version ::= INTEGER * PrivateKeyAlgorithmIdentifier ::= AlgorithmIdentifier * PrivateKey ::= OCTET STRING * Attributes ::= SET OF Attribute * * An RSA private key as the following structure: * * RSAPrivateKey ::= SEQUENCE { * version Version, * modulus INTEGER, -- n * publicExponent INTEGER, -- e * privateExponent INTEGER, -- d * prime1 INTEGER, -- p * prime2 INTEGER, -- q * exponent1 INTEGER, -- d mod (p-1) * exponent2 INTEGER, -- d mod (q-1) * coefficient INTEGER -- (inverse of q) mod p * } * * Version ::= INTEGER * * The OID for the RSA key algorithm is: 1.2.840.113549.1.1.1 */ var forge = __webpack_require__(7); __webpack_require__(70); __webpack_require__(113); __webpack_require__(71); __webpack_require__(240); __webpack_require__(244); __webpack_require__(49); __webpack_require__(9); if (typeof BigInteger === 'undefined') { var BigInteger = forge.jsbn.BigInteger; } // shortcut for asn.1 API var asn1 = forge.asn1; /* * RSA encryption and decryption, see RFC 2313. */ forge.pki = forge.pki || {}; module.exports = forge.pki.rsa = forge.rsa = forge.rsa || {}; var pki = forge.pki; // for finding primes, which are 30k+i for i = 1, 7, 11, 13, 17, 19, 23, 29 var GCD_30_DELTA = [6, 4, 2, 4, 2, 4, 6, 2]; // validator for a PrivateKeyInfo structure var privateKeyValidator = { // PrivateKeyInfo name: 'PrivateKeyInfo', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ // Version (INTEGER) name: 'PrivateKeyInfo.version', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyVersion' }, { // privateKeyAlgorithm name: 'PrivateKeyInfo.privateKeyAlgorithm', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'AlgorithmIdentifier.algorithm', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OID, constructed: false, capture: 'privateKeyOid' }] }, { // PrivateKey name: 'PrivateKeyInfo', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OCTETSTRING, constructed: false, capture: 'privateKey' }] }; // validator for an RSA private key var rsaPrivateKeyValidator = { // RSAPrivateKey name: 'RSAPrivateKey', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ // Version (INTEGER) name: 'RSAPrivateKey.version', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyVersion' }, { // modulus (n) name: 'RSAPrivateKey.modulus', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyModulus' }, { // publicExponent (e) name: 'RSAPrivateKey.publicExponent', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyPublicExponent' }, { // privateExponent (d) name: 'RSAPrivateKey.privateExponent', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyPrivateExponent' }, { // prime1 (p) name: 'RSAPrivateKey.prime1', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyPrime1' }, { // prime2 (q) name: 'RSAPrivateKey.prime2', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyPrime2' }, { // exponent1 (d mod (p-1)) name: 'RSAPrivateKey.exponent1', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyExponent1' }, { // exponent2 (d mod (q-1)) name: 'RSAPrivateKey.exponent2', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyExponent2' }, { // coefficient ((inverse of q) mod p) name: 'RSAPrivateKey.coefficient', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'privateKeyCoefficient' }] }; // validator for an RSA public key var rsaPublicKeyValidator = { // RSAPublicKey name: 'RSAPublicKey', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ // modulus (n) name: 'RSAPublicKey.modulus', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'publicKeyModulus' }, { // publicExponent (e) name: 'RSAPublicKey.exponent', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'publicKeyExponent' }] }; // validator for an SubjectPublicKeyInfo structure // Note: Currently only works with an RSA public key var publicKeyValidator = forge.pki.rsa.publicKeyValidator = { name: 'SubjectPublicKeyInfo', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, captureAsn1: 'subjectPublicKeyInfo', value: [{ name: 'SubjectPublicKeyInfo.AlgorithmIdentifier', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'AlgorithmIdentifier.algorithm', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OID, constructed: false, capture: 'publicKeyOid' }] }, { // subjectPublicKey name: 'SubjectPublicKeyInfo.subjectPublicKey', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.BITSTRING, constructed: false, value: [{ // RSAPublicKey name: 'SubjectPublicKeyInfo.subjectPublicKey.RSAPublicKey', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, optional: true, captureAsn1: 'rsaPublicKey' }] }] }; /** * Wrap digest in DigestInfo object. * * This function implements EMSA-PKCS1-v1_5-ENCODE as per RFC 3447. * * DigestInfo ::= SEQUENCE { * digestAlgorithm DigestAlgorithmIdentifier, * digest Digest * } * * DigestAlgorithmIdentifier ::= AlgorithmIdentifier * Digest ::= OCTET STRING * * @param md the message digest object with the hash to sign. * * @return the encoded message (ready for RSA encrytion) */ var emsaPkcs1v15encode = function emsaPkcs1v15encode(md) { // get the oid for the algorithm var oid; if (md.algorithm in pki.oids) { oid = pki.oids[md.algorithm]; } else { var error = new Error('Unknown message digest algorithm.'); error.algorithm = md.algorithm; throw error; } var oidBytes = asn1.oidToDer(oid).getBytes(); // create the digest info var digestInfo = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, []); var digestAlgorithm = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, []); digestAlgorithm.value.push(asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, oidBytes)); digestAlgorithm.value.push(asn1.create(asn1.Class.UNIVERSAL, asn1.Type.NULL, false, '')); var digest = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OCTETSTRING, false, md.digest().getBytes()); digestInfo.value.push(digestAlgorithm); digestInfo.value.push(digest); // encode digest info return asn1.toDer(digestInfo).getBytes(); }; /** * Performs x^c mod n (RSA encryption or decryption operation). * * @param x the number to raise and mod. * @param key the key to use. * @param pub true if the key is public, false if private. * * @return the result of x^c mod n. */ var _modPow = function _modPow(x, key, pub) { if (pub) { return x.modPow(key.e, key.n); } if (!key.p || !key.q) { // allow calculation without CRT params (slow) return x.modPow(key.d, key.n); } // pre-compute dP, dQ, and qInv if necessary if (!key.dP) { key.dP = key.d.mod(key.p.subtract(BigInteger.ONE)); } if (!key.dQ) { key.dQ = key.d.mod(key.q.subtract(BigInteger.ONE)); } if (!key.qInv) { key.qInv = key.q.modInverse(key.p); } /* Chinese remainder theorem (CRT) states: Suppose n1, n2, ..., nk are positive integers which are pairwise coprime (n1 and n2 have no common factors other than 1). For any integers x1, x2, ..., xk there exists an integer x solving the system of simultaneous congruences (where ~= means modularly congruent so a ~= b mod n means a mod n = b mod n): x ~= x1 mod n1 x ~= x2 mod n2 ... x ~= xk mod nk This system of congruences has a single simultaneous solution x between 0 and n - 1. Furthermore, each xk solution and x itself is congruent modulo the product n = n1*n2*...*nk. So x1 mod n = x2 mod n = xk mod n = x mod n. The single simultaneous solution x can be solved with the following equation: x = sum(xi*ri*si) mod n where ri = n/ni and si = ri^-1 mod ni. Where x is less than n, xi = x mod ni. For RSA we are only concerned with k = 2. The modulus n = pq, where p and q are coprime. The RSA decryption algorithm is: y = x^d mod n Given the above: x1 = x^d mod p r1 = n/p = q s1 = q^-1 mod p x2 = x^d mod q r2 = n/q = p s2 = p^-1 mod q So y = (x1r1s1 + x2r2s2) mod n = ((x^d mod p)q(q^-1 mod p) + (x^d mod q)p(p^-1 mod q)) mod n According to Fermat's Little Theorem, if the modulus P is prime, for any integer A not evenly divisible by P, A^(P-1) ~= 1 mod P. Since A is not divisible by P it follows that if: N ~= M mod (P - 1), then A^N mod P = A^M mod P. Therefore: A^N mod P = A^(M mod (P - 1)) mod P. (The latter takes less effort to calculate). In order to calculate x^d mod p more quickly the exponent d mod (p - 1) is stored in the RSA private key (the same is done for x^d mod q). These values are referred to as dP and dQ respectively. Therefore we now have: y = ((x^dP mod p)q(q^-1 mod p) + (x^dQ mod q)p(p^-1 mod q)) mod n Since we'll be reducing x^dP by modulo p (same for q) we can also reduce x by p (and q respectively) before hand. Therefore, let xp = ((x mod p)^dP mod p), and xq = ((x mod q)^dQ mod q), yielding: y = (xp*q*(q^-1 mod p) + xq*p*(p^-1 mod q)) mod n This can be further reduced to a simple algorithm that only requires 1 inverse (the q inverse is used) to be used and stored. The algorithm is called Garner's algorithm. If qInv is the inverse of q, we simply calculate: y = (qInv*(xp - xq) mod p) * q + xq However, there are two further complications. First, we need to ensure that xp > xq to prevent signed BigIntegers from being used so we add p until this is true (since we will be mod'ing with p anyway). Then, there is a known timing attack on algorithms using the CRT. To mitigate this risk, "cryptographic blinding" should be used. This requires simply generating a random number r between 0 and n-1 and its inverse and multiplying x by r^e before calculating y and then multiplying y by r^-1 afterwards. Note that r must be coprime with n (gcd(r, n) === 1) in order to have an inverse. */ // cryptographic blinding var r; do { r = new BigInteger(forge.util.bytesToHex(forge.random.getBytes(key.n.bitLength() / 8)), 16); } while (r.compareTo(key.n) >= 0 || !r.gcd(key.n).equals(BigInteger.ONE)); x = x.multiply(r.modPow(key.e, key.n)).mod(key.n); // calculate xp and xq var xp = x.mod(key.p).modPow(key.dP, key.p); var xq = x.mod(key.q).modPow(key.dQ, key.q); // xp must be larger than xq to avoid signed bit usage while (xp.compareTo(xq) < 0) { xp = xp.add(key.p); } // do last step var y = xp.subtract(xq).multiply(key.qInv).mod(key.p).multiply(key.q).add(xq); // remove effect of random for cryptographic blinding y = y.multiply(r.modInverse(key.n)).mod(key.n); return y; }; /** * NOTE: THIS METHOD IS DEPRECATED, use 'sign' on a private key object or * 'encrypt' on a public key object instead. * * Performs RSA encryption. * * The parameter bt controls whether to put padding bytes before the * message passed in. Set bt to either true or false to disable padding * completely (in order to handle e.g. EMSA-PSS encoding seperately before), * signaling whether the encryption operation is a public key operation * (i.e. encrypting data) or not, i.e. private key operation (data signing). * * For PKCS#1 v1.5 padding pass in the block type to use, i.e. either 0x01 * (for signing) or 0x02 (for encryption). The key operation mode (private * or public) is derived from this flag in that case). * * @param m the message to encrypt as a byte string. * @param key the RSA key to use. * @param bt for PKCS#1 v1.5 padding, the block type to use * (0x01 for private key, 0x02 for public), * to disable padding: true = public key, false = private key. * * @return the encrypted bytes as a string. */ pki.rsa.encrypt = function (m, key, bt) { var pub = bt; var eb; // get the length of the modulus in bytes var k = Math.ceil(key.n.bitLength() / 8); if (bt !== false && bt !== true) { // legacy, default to PKCS#1 v1.5 padding pub = bt === 0x02; eb = _encodePkcs1_v1_5(m, key, bt); } else { eb = forge.util.createBuffer(); eb.putBytes(m); } // load encryption block as big integer 'x' // FIXME: hex conversion inefficient, get BigInteger w/byte strings var x = new BigInteger(eb.toHex(), 16); // do RSA encryption var y = _modPow(x, key, pub); // convert y into the encrypted data byte string, if y is shorter in // bytes than k, then prepend zero bytes to fill up ed // FIXME: hex conversion inefficient, get BigInteger w/byte strings var yhex = y.toString(16); var ed = forge.util.createBuffer(); var zeros = k - Math.ceil(yhex.length / 2); while (zeros > 0) { ed.putByte(0x00); --zeros; } ed.putBytes(forge.util.hexToBytes(yhex)); return ed.getBytes(); }; /** * NOTE: THIS METHOD IS DEPRECATED, use 'decrypt' on a private key object or * 'verify' on a public key object instead. * * Performs RSA decryption. * * The parameter ml controls whether to apply PKCS#1 v1.5 padding * or not. Set ml = false to disable padding removal completely * (in order to handle e.g. EMSA-PSS later on) and simply pass back * the RSA encryption block. * * @param ed the encrypted data to decrypt in as a byte string. * @param key the RSA key to use. * @param pub true for a public key operation, false for private. * @param ml the message length, if known, false to disable padding. * * @return the decrypted message as a byte string. */ pki.rsa.decrypt = function (ed, key, pub, ml) { // get the length of the modulus in bytes var k = Math.ceil(key.n.bitLength() / 8); // error if the length of the encrypted data ED is not k if (ed.length !== k) { var error = new Error('Encrypted message length is invalid.'); error.length = ed.length; error.expected = k; throw error; } // convert encrypted data into a big integer // FIXME: hex conversion inefficient, get BigInteger w/byte strings var y = new BigInteger(forge.util.createBuffer(ed).toHex(), 16); // y must be less than the modulus or it wasn't the result of // a previous mod operation (encryption) using that modulus if (y.compareTo(key.n) >= 0) { throw new Error('Encrypted message is invalid.'); } // do RSA decryption var x = _modPow(y, key, pub); // create the encryption block, if x is shorter in bytes than k, then // prepend zero bytes to fill up eb // FIXME: hex conversion inefficient, get BigInteger w/byte strings var xhex = x.toString(16); var eb = forge.util.createBuffer(); var zeros = k - Math.ceil(xhex.length / 2); while (zeros > 0) { eb.putByte(0x00); --zeros; } eb.putBytes(forge.util.hexToBytes(xhex)); if (ml !== false) { // legacy, default to PKCS#1 v1.5 padding return _decodePkcs1_v1_5(eb.getBytes(), key, pub); } // return message return eb.getBytes(); }; /** * Creates an RSA key-pair generation state object. It is used to allow * key-generation to be performed in steps. It also allows for a UI to * display progress updates. * * @param bits the size for the private key in bits, defaults to 2048. * @param e the public exponent to use, defaults to 65537 (0x10001). * @param [options] the options to use. * prng a custom crypto-secure pseudo-random number generator to use, * that must define "getBytesSync". * algorithm the algorithm to use (default: 'PRIMEINC'). * * @return the state object to use to generate the key-pair. */ pki.rsa.createKeyPairGenerationState = function (bits, e, options) { // TODO: migrate step-based prime generation code to forge.prime // set default bits if (typeof bits === 'string') { bits = parseInt(bits, 10); } bits = bits || 2048; // create prng with api that matches BigInteger secure random options = options || {}; var prng = options.prng || forge.random; var rng = { // x is an array to fill with bytes nextBytes: function nextBytes(x) { var b = prng.getBytesSync(x.length); for (var i = 0; i < x.length; ++i) { x[i] = b.charCodeAt(i); } } }; var algorithm = options.algorithm || 'PRIMEINC'; // create PRIMEINC algorithm state var rval; if (algorithm === 'PRIMEINC') { rval = { algorithm: algorithm, state: 0, bits: bits, rng: rng, eInt: e || 65537, e: new BigInteger(null), p: null, q: null, qBits: bits >> 1, pBits: bits - (bits >> 1), pqState: 0, num: null, keys: null }; rval.e.fromInt(rval.eInt); } else { throw new Error('Invalid key generation algorithm: ' + algorithm); } return rval; }; /** * Attempts to runs the key-generation algorithm for at most n seconds * (approximately) using the given state. When key-generation has completed, * the keys will be stored in state.keys. * * To use this function to update a UI while generating a key or to prevent * causing browser lockups/warnings, set "n" to a value other than 0. A * simple pattern for generating a key and showing a progress indicator is: * * var state = pki.rsa.createKeyPairGenerationState(2048); * var step = function() { * // step key-generation, run algorithm for 100 ms, repeat * if(!forge.pki.rsa.stepKeyPairGenerationState(state, 100)) { * setTimeout(step, 1); * } else { * // key-generation complete * // TODO: turn off progress indicator here * // TODO: use the generated key-pair in "state.keys" * } * }; * // TODO: turn on progress indicator here * setTimeout(step, 0); * * @param state the state to use. * @param n the maximum number of milliseconds to run the algorithm for, 0 * to run the algorithm to completion. * * @return true if the key-generation completed, false if not. */ pki.rsa.stepKeyPairGenerationState = function (state, n) { // set default algorithm if not set if (!('algorithm' in state)) { state.algorithm = 'PRIMEINC'; } // TODO: migrate step-based prime generation code to forge.prime // TODO: abstract as PRIMEINC algorithm // do key generation (based on Tom Wu's rsa.js, see jsbn.js license) // with some minor optimizations and designed to run in steps // local state vars var THIRTY = new BigInteger(null); THIRTY.fromInt(30); var deltaIdx = 0; var op_or = function op_or(x, y) { return x | y; }; // keep stepping until time limit is reached or done var t1 = +new Date(); var t2; var total = 0; while (state.keys === null && (n <= 0 || total < n)) { // generate p or q if (state.state === 0) { /* Note: All primes are of the form: 30k+i, for i < 30 and gcd(30, i)=1, where there are 8 values for i When we generate a random number, we always align it at 30k + 1. Each time the number is determined not to be prime we add to get to the next 'i', eg: if the number was at 30k + 1 we add 6. */ var bits = state.p === null ? state.pBits : state.qBits; var bits1 = bits - 1; // get a random number if (state.pqState === 0) { state.num = new BigInteger(bits, state.rng); // force MSB set if (!state.num.testBit(bits1)) { state.num.bitwiseTo(BigInteger.ONE.shiftLeft(bits1), op_or, state.num); } // align number on 30k+1 boundary state.num.dAddOffset(31 - state.num.mod(THIRTY).byteValue(), 0); deltaIdx = 0; ++state.pqState; } else if (state.pqState === 1) { // try to make the number a prime if (state.num.bitLength() > bits) { // overflow, try again state.pqState = 0; // do primality test } else if (state.num.isProbablePrime(_getMillerRabinTests(state.num.bitLength()))) { ++state.pqState; } else { // get next potential prime state.num.dAddOffset(GCD_30_DELTA[deltaIdx++ % 8], 0); } } else if (state.pqState === 2) { // ensure number is coprime with e state.pqState = state.num.subtract(BigInteger.ONE).gcd(state.e).compareTo(BigInteger.ONE) === 0 ? 3 : 0; } else if (state.pqState === 3) { // store p or q state.pqState = 0; if (state.p === null) { state.p = state.num; } else { state.q = state.num; } // advance state if both p and q are ready if (state.p !== null && state.q !== null) { ++state.state; } state.num = null; } } else if (state.state === 1) { // ensure p is larger than q (swap them if not) if (state.p.compareTo(state.q) < 0) { state.num = state.p; state.p = state.q; state.q = state.num; } ++state.state; } else if (state.state === 2) { // compute phi: (p - 1)(q - 1) (Euler's totient function) state.p1 = state.p.subtract(BigInteger.ONE); state.q1 = state.q.subtract(BigInteger.ONE); state.phi = state.p1.multiply(state.q1); ++state.state; } else if (state.state === 3) { // ensure e and phi are coprime if (state.phi.gcd(state.e).compareTo(BigInteger.ONE) === 0) { // phi and e are coprime, advance ++state.state; } else { // phi and e aren't coprime, so generate a new p and q state.p = null; state.q = null; state.state = 0; } } else if (state.state === 4) { // create n, ensure n is has the right number of bits state.n = state.p.multiply(state.q); // ensure n is right number of bits if (state.n.bitLength() === state.bits) { // success, advance ++state.state; } else { // failed, get new q state.q = null; state.state = 0; } } else if (state.state === 5) { // set keys var d = state.e.modInverse(state.phi); state.keys = { privateKey: pki.rsa.setPrivateKey(state.n, state.e, d, state.p, state.q, d.mod(state.p1), d.mod(state.q1), state.q.modInverse(state.p)), publicKey: pki.rsa.setPublicKey(state.n, state.e) }; } // update timing t2 = +new Date(); total += t2 - t1; t1 = t2; } return state.keys !== null; }; /** * Generates an RSA public-private key pair in a single call. * * To generate a key-pair in steps (to allow for progress updates and to * prevent blocking or warnings in slow browsers) then use the key-pair * generation state functions. * * To generate a key-pair asynchronously (either through web-workers, if * available, or by breaking up the work on the main thread), pass a * callback function. * * @param [bits] the size for the private key in bits, defaults to 2048. * @param [e] the public exponent to use, defaults to 65537. * @param [options] options for key-pair generation, if given then 'bits' * and 'e' must *not* be given: * bits the size for the private key in bits, (default: 2048). * e the public exponent to use, (default: 65537 (0x10001)). * workerScript the worker script URL. * workers the number of web workers (if supported) to use, * (default: 2). * workLoad the size of the work load, ie: number of possible prime * numbers for each web worker to check per work assignment, * (default: 100). * prng a custom crypto-secure pseudo-random number generator to use, * that must define "getBytesSync". * algorithm the algorithm to use (default: 'PRIMEINC'). * @param [callback(err, keypair)] called once the operation completes. * * @return an object with privateKey and publicKey properties. */ pki.rsa.generateKeyPair = function (bits, e, options, callback) { // (bits), (options), (callback) if (arguments.length === 1) { if (typeof bits === 'object') { options = bits; bits = undefined; } else if (typeof bits === 'function') { callback = bits; bits = undefined; } } else if (arguments.length === 2) { // (bits, e), (bits, options), (bits, callback), (options, callback) if (typeof bits === 'number') { if (typeof e === 'function') { callback = e; e = undefined; } else if (typeof e !== 'number') { options = e; e = undefined; } } else { options = bits; callback = e; bits = undefined; e = undefined; } } else if (arguments.length === 3) { // (bits, e, options), (bits, e, callback), (bits, options, callback) if (typeof e === 'number') { if (typeof options === 'function') { callback = options; options = undefined; } } else { callback = options; options = e; e = undefined; } } options = options || {}; if (bits === undefined) { bits = options.bits || 2048; } if (e === undefined) { e = options.e || 0x10001; } // if native code is permitted and a callback is given, use native // key generation code if available and if parameters are acceptable if (!forge.options.usePureJavaScript && callback && bits >= 256 && bits <= 16384 && (e === 0x10001 || e === 3)) { if (_detectSubtleCrypto('generateKey') && _detectSubtleCrypto('exportKey')) { // use standard native generateKey return window.crypto.subtle.generateKey({ name: 'RSASSA-PKCS1-v1_5', modulusLength: bits, publicExponent: _intToUint8Array(e), hash: { name: 'SHA-256' } }, true /* key can be exported*/ , ['sign', 'verify']).then(function (pair) { return window.crypto.subtle.exportKey('pkcs8', pair.privateKey); // avoiding catch(function(err) {...}) to support IE <= 8 }).then(undefined, function (err) { callback(err); }).then(function (pkcs8) { if (pkcs8) { var privateKey = pki.privateKeyFromAsn1(asn1.fromDer(forge.util.createBuffer(pkcs8))); callback(null, { privateKey: privateKey, publicKey: pki.setRsaPublicKey(privateKey.n, privateKey.e) }); } }); } if (_detectSubtleMsCrypto('generateKey') && _detectSubtleMsCrypto('exportKey')) { var genOp = window.msCrypto.subtle.generateKey({ name: 'RSASSA-PKCS1-v1_5', modulusLength: bits, publicExponent: _intToUint8Array(e), hash: { name: 'SHA-256' } }, true /* key can be exported*/ , ['sign', 'verify']); genOp.oncomplete = function (e) { var pair = e.target.result; var exportOp = window.msCrypto.subtle.exportKey('pkcs8', pair.privateKey); exportOp.oncomplete = function (e) { var pkcs8 = e.target.result; var privateKey = pki.privateKeyFromAsn1(asn1.fromDer(forge.util.createBuffer(pkcs8))); callback(null, { privateKey: privateKey, publicKey: pki.setRsaPublicKey(privateKey.n, privateKey.e) }); }; exportOp.onerror = function (err) { callback(err); }; }; genOp.onerror = function (err) { callback(err); }; return; } } // use JavaScript implementation var state = pki.rsa.createKeyPairGenerationState(bits, e, options); if (!callback) { pki.rsa.stepKeyPairGenerationState(state, 0); return state.keys; } _generateKeyPair(state, options, callback); }; /** * Sets an RSA public key from BigIntegers modulus and exponent. * * @param n the modulus. * @param e the exponent. * * @return the public key. */ pki.setRsaPublicKey = pki.rsa.setPublicKey = function (n, e) { var key = { n: n, e: e }; /** * Encrypts the given data with this public key. Newer applications * should use the 'RSA-OAEP' decryption scheme, 'RSAES-PKCS1-V1_5' is for * legacy applications. * * @param data the byte string to encrypt. * @param scheme the encryption scheme to use: * 'RSAES-PKCS1-V1_5' (default), * 'RSA-OAEP', * 'RAW', 'NONE', or null to perform raw RSA encryption, * an object with an 'encode' property set to a function * with the signature 'function(data, key)' that returns * a binary-encoded string representing the encoded data. * @param schemeOptions any scheme-specific options. * * @return the encrypted byte string. */ key.encrypt = function (data, scheme, schemeOptions) { if (typeof scheme === 'string') { scheme = scheme.toUpperCase(); } else if (scheme === undefined) { scheme = 'RSAES-PKCS1-V1_5'; } if (scheme === 'RSAES-PKCS1-V1_5') { scheme = { encode: function encode(m, key, pub) { return _encodePkcs1_v1_5(m, key, 0x02).getBytes(); } }; } else if (scheme === 'RSA-OAEP' || scheme === 'RSAES-OAEP') { scheme = { encode: function encode(m, key) { return forge.pkcs1.encode_rsa_oaep(key, m, schemeOptions); } }; } else if (['RAW', 'NONE', 'NULL', null].indexOf(scheme) !== -1) { scheme = { encode: function encode(e) { return e; } }; } else if (typeof scheme === 'string') { throw new Error('Unsupported encryption scheme: "' + scheme + '".'); } // do scheme-based encoding then rsa encryption var e = scheme.encode(data, key, true); return pki.rsa.encrypt(e, key, true); }; /** * Verifies the given signature against the given digest. * * PKCS#1 supports multiple (currently two) signature schemes: * RSASSA-PKCS1-V1_5 and RSASSA-PSS. * * By default this implementation uses the "old scheme", i.e. * RSASSA-PKCS1-V1_5, in which case once RSA-decrypted, the * signature is an OCTET STRING that holds a DigestInfo. * * DigestInfo ::= SEQUENCE { * digestAlgorithm DigestAlgorithmIdentifier, * digest Digest * } * DigestAlgorithmIdentifier ::= AlgorithmIdentifier * Digest ::= OCTET STRING * * To perform PSS signature verification, provide an instance * of Forge PSS object as the scheme parameter. * * @param digest the message digest hash to compare against the signature, * as a binary-encoded string. * @param signature the signature to verify, as a binary-encoded string. * @param scheme signature verification scheme to use: * 'RSASSA-PKCS1-V1_5' or undefined for RSASSA PKCS#1 v1.5, * a Forge PSS object for RSASSA-PSS, * 'NONE' or null for none, DigestInfo will not be expected, but * PKCS#1 v1.5 padding will still be used. * * @return true if the signature was verified, false if not. */ key.verify = function (digest, signature, scheme) { if (typeof scheme === 'string') { scheme = scheme.toUpperCase(); } else if (scheme === undefined) { scheme = 'RSASSA-PKCS1-V1_5'; } if (scheme === 'RSASSA-PKCS1-V1_5') { scheme = { verify: function verify(digest, d) { // remove padding d = _decodePkcs1_v1_5(d, key, true); // d is ASN.1 BER-encoded DigestInfo var obj = asn1.fromDer(d); // compare the given digest to the decrypted one return digest === obj.value[1].value; } }; } else if (scheme === 'NONE' || scheme === 'NULL' || scheme === null) { scheme = { verify: function verify(digest, d) { // remove padding d = _decodePkcs1_v1_5(d, key, true); return digest === d; } }; } // do rsa decryption w/o any decoding, then verify -- which does decoding var d = pki.rsa.decrypt(signature, key, true, false); return scheme.verify(digest, d, key.n.bitLength()); }; return key; }; /** * Sets an RSA private key from BigIntegers modulus, exponent, primes, * prime exponents, and modular multiplicative inverse. * * @param n the modulus. * @param e the public exponent. * @param d the private exponent ((inverse of e) mod n). * @param p the first prime. * @param q the second prime. * @param dP exponent1 (d mod (p-1)). * @param dQ exponent2 (d mod (q-1)). * @param qInv ((inverse of q) mod p) * * @return the private key. */ pki.setRsaPrivateKey = pki.rsa.setPrivateKey = function (n, e, d, p, q, dP, dQ, qInv) { var key = { n: n, e: e, d: d, p: p, q: q, dP: dP, dQ: dQ, qInv: qInv }; /** * Decrypts the given data with this private key. The decryption scheme * must match the one used to encrypt the data. * * @param data the byte string to decrypt. * @param scheme the decryption scheme to use: * 'RSAES-PKCS1-V1_5' (default), * 'RSA-OAEP', * 'RAW', 'NONE', or null to perform raw RSA decryption. * @param schemeOptions any scheme-specific options. * * @return the decrypted byte string. */ key.decrypt = function (data, scheme, schemeOptions) { if (typeof scheme === 'string') { scheme = scheme.toUpperCase(); } else if (scheme === undefined) { scheme = 'RSAES-PKCS1-V1_5'; } // do rsa decryption w/o any decoding var d = pki.rsa.decrypt(data, key, false, false); if (scheme === 'RSAES-PKCS1-V1_5') { scheme = { decode: _decodePkcs1_v1_5 }; } else if (scheme === 'RSA-OAEP' || scheme === 'RSAES-OAEP') { scheme = { decode: function decode(d, key) { return forge.pkcs1.decode_rsa_oaep(key, d, schemeOptions); } }; } else if (['RAW', 'NONE', 'NULL', null].indexOf(scheme) !== -1) { scheme = { decode: function decode(d) { return d; } }; } else { throw new Error('Unsupported encryption scheme: "' + scheme + '".'); } // decode according to scheme return scheme.decode(d, key, false); }; /** * Signs the given digest, producing a signature. * * PKCS#1 supports multiple (currently two) signature schemes: * RSASSA-PKCS1-V1_5 and RSASSA-PSS. * * By default this implementation uses the "old scheme", i.e. * RSASSA-PKCS1-V1_5. In order to generate a PSS signature, provide * an instance of Forge PSS object as the scheme parameter. * * @param md the message digest object with the hash to sign. * @param scheme the signature scheme to use: * 'RSASSA-PKCS1-V1_5' or undefined for RSASSA PKCS#1 v1.5, * a Forge PSS object for RSASSA-PSS, * 'NONE' or null for none, DigestInfo will not be used but * PKCS#1 v1.5 padding will still be used. * * @return the signature as a byte string. */ key.sign = function (md, scheme) { /* Note: The internal implementation of RSA operations is being transitioned away from a PKCS#1 v1.5 hard-coded scheme. Some legacy code like the use of an encoding block identifier 'bt' will eventually be removed. */ // private key operation var bt = false; if (typeof scheme === 'string') { scheme = scheme.toUpperCase(); } if (scheme === undefined || scheme === 'RSASSA-PKCS1-V1_5') { scheme = { encode: emsaPkcs1v15encode }; bt = 0x01; } else if (scheme === 'NONE' || scheme === 'NULL' || scheme === null) { scheme = { encode: function encode() { return md; } }; bt = 0x01; } // encode and then encrypt var d = scheme.encode(md, key.n.bitLength()); return pki.rsa.encrypt(d, key, bt); }; return key; }; /** * Wraps an RSAPrivateKey ASN.1 object in an ASN.1 PrivateKeyInfo object. * * @param rsaKey the ASN.1 RSAPrivateKey. * * @return the ASN.1 PrivateKeyInfo. */ pki.wrapRsaPrivateKey = function (rsaKey) { // PrivateKeyInfo return asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// version (0) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, asn1.integerToDer(0).getBytes()), // privateKeyAlgorithm asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(pki.oids.rsaEncryption).getBytes()), asn1.create(asn1.Class.UNIVERSAL, asn1.Type.NULL, false, '')]), // PrivateKey asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OCTETSTRING, false, asn1.toDer(rsaKey).getBytes())]); }; /** * Converts a private key from an ASN.1 object. * * @param obj the ASN.1 representation of a PrivateKeyInfo containing an * RSAPrivateKey or an RSAPrivateKey. * * @return the private key. */ pki.privateKeyFromAsn1 = function (obj) { // get PrivateKeyInfo var capture = {}; var errors = []; if (asn1.validate(obj, privateKeyValidator, capture, errors)) { obj = asn1.fromDer(forge.util.createBuffer(capture.privateKey)); } // get RSAPrivateKey capture = {}; errors = []; if (!asn1.validate(obj, rsaPrivateKeyValidator, capture, errors)) { var error = new Error('Cannot read private key. ' + 'ASN.1 object does not contain an RSAPrivateKey.'); error.errors = errors; throw error; } // Note: Version is currently ignored. // capture.privateKeyVersion // FIXME: inefficient, get a BigInteger that uses byte strings var n, e, d, p, q, dP, dQ, qInv; n = forge.util.createBuffer(capture.privateKeyModulus).toHex(); e = forge.util.createBuffer(capture.privateKeyPublicExponent).toHex(); d = forge.util.createBuffer(capture.privateKeyPrivateExponent).toHex(); p = forge.util.createBuffer(capture.privateKeyPrime1).toHex(); q = forge.util.createBuffer(capture.privateKeyPrime2).toHex(); dP = forge.util.createBuffer(capture.privateKeyExponent1).toHex(); dQ = forge.util.createBuffer(capture.privateKeyExponent2).toHex(); qInv = forge.util.createBuffer(capture.privateKeyCoefficient).toHex(); // set private key return pki.setRsaPrivateKey(new BigInteger(n, 16), new BigInteger(e, 16), new BigInteger(d, 16), new BigInteger(p, 16), new BigInteger(q, 16), new BigInteger(dP, 16), new BigInteger(dQ, 16), new BigInteger(qInv, 16)); }; /** * Converts a private key to an ASN.1 RSAPrivateKey. * * @param key the private key. * * @return the ASN.1 representation of an RSAPrivateKey. */ pki.privateKeyToAsn1 = pki.privateKeyToRSAPrivateKey = function (key) { // RSAPrivateKey return asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// version (0 = only 2 primes, 1 multiple primes) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, asn1.integerToDer(0).getBytes()), // modulus (n) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.n)), // publicExponent (e) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.e)), // privateExponent (d) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.d)), // privateKeyPrime1 (p) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.p)), // privateKeyPrime2 (q) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.q)), // privateKeyExponent1 (dP) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.dP)), // privateKeyExponent2 (dQ) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.dQ)), // coefficient (qInv) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.qInv))]); }; /** * Converts a public key from an ASN.1 SubjectPublicKeyInfo or RSAPublicKey. * * @param obj the asn1 representation of a SubjectPublicKeyInfo or RSAPublicKey. * * @return the public key. */ pki.publicKeyFromAsn1 = function (obj) { // get SubjectPublicKeyInfo var capture = {}; var errors = []; if (asn1.validate(obj, publicKeyValidator, capture, errors)) { // get oid var oid = asn1.derToOid(capture.publicKeyOid); if (oid !== pki.oids.rsaEncryption) { var error = new Error('Cannot read public key. Unknown OID.'); error.oid = oid; throw error; } obj = capture.rsaPublicKey; } // get RSA params errors = []; if (!asn1.validate(obj, rsaPublicKeyValidator, capture, errors)) { var error = new Error('Cannot read public key. ' + 'ASN.1 object does not contain an RSAPublicKey.'); error.errors = errors; throw error; } // FIXME: inefficient, get a BigInteger that uses byte strings var n = forge.util.createBuffer(capture.publicKeyModulus).toHex(); var e = forge.util.createBuffer(capture.publicKeyExponent).toHex(); // set public key return pki.setRsaPublicKey(new BigInteger(n, 16), new BigInteger(e, 16)); }; /** * Converts a public key to an ASN.1 SubjectPublicKeyInfo. * * @param key the public key. * * @return the asn1 representation of a SubjectPublicKeyInfo. */ pki.publicKeyToAsn1 = pki.publicKeyToSubjectPublicKeyInfo = function (key) { // SubjectPublicKeyInfo return asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// AlgorithmIdentifier asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// algorithm asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(pki.oids.rsaEncryption).getBytes()), // parameters (null) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.NULL, false, '')]), // subjectPublicKey asn1.create(asn1.Class.UNIVERSAL, asn1.Type.BITSTRING, false, [pki.publicKeyToRSAPublicKey(key)])]); }; /** * Converts a public key to an ASN.1 RSAPublicKey. * * @param key the public key. * * @return the asn1 representation of a RSAPublicKey. */ pki.publicKeyToRSAPublicKey = function (key) { // RSAPublicKey return asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// modulus (n) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.n)), // publicExponent (e) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, _bnToBytes(key.e))]); }; /** * Encodes a message using PKCS#1 v1.5 padding. * * @param m the message to encode. * @param key the RSA key to use. * @param bt the block type to use, i.e. either 0x01 (for signing) or 0x02 * (for encryption). * * @return the padded byte buffer. */ function _encodePkcs1_v1_5(m, key, bt) { var eb = forge.util.createBuffer(); // get the length of the modulus in bytes var k = Math.ceil(key.n.bitLength() / 8); /* use PKCS#1 v1.5 padding */ if (m.length > k - 11) { var error = new Error('Message is too long for PKCS#1 v1.5 padding.'); error.length = m.length; error.max = k - 11; throw error; } /* A block type BT, a padding string PS, and the data D shall be formatted into an octet string EB, the encryption block: EB = 00 || BT || PS || 00 || D The block type BT shall be a single octet indicating the structure of the encryption block. For this version of the document it shall have value 00, 01, or 02. For a private-key operation, the block type shall be 00 or 01. For a public-key operation, it shall be 02. The padding string PS shall consist of k-3-||D|| octets. For block type 00, the octets shall have value 00; for block type 01, they shall have value FF; and for block type 02, they shall be pseudorandomly generated and nonzero. This makes the length of the encryption block EB equal to k. */ // build the encryption block eb.putByte(0x00); eb.putByte(bt); // create the padding var padNum = k - 3 - m.length; var padByte; // private key op if (bt === 0x00 || bt === 0x01) { padByte = bt === 0x00 ? 0x00 : 0xFF; for (var i = 0; i < padNum; ++i) { eb.putByte(padByte); } } else { // public key op // pad with random non-zero values while (padNum > 0) { var numZeros = 0; var padBytes = forge.random.getBytes(padNum); for (var i = 0; i < padNum; ++i) { padByte = padBytes.charCodeAt(i); if (padByte === 0) { ++numZeros; } else { eb.putByte(padByte); } } padNum = numZeros; } } // zero followed by message eb.putByte(0x00); eb.putBytes(m); return eb; } /** * Decodes a message using PKCS#1 v1.5 padding. * * @param em the message to decode. * @param key the RSA key to use. * @param pub true if the key is a public key, false if it is private. * @param ml the message length, if specified. * * @return the decoded bytes. */ function _decodePkcs1_v1_5(em, key, pub, ml) { // get the length of the modulus in bytes var k = Math.ceil(key.n.bitLength() / 8); /* It is an error if any of the following conditions occurs: 1. The encryption block EB cannot be parsed unambiguously. 2. The padding string PS consists of fewer than eight octets or is inconsisent with the block type BT. 3. The decryption process is a public-key operation and the block type BT is not 00 or 01, or the decryption process is a private-key operation and the block type is not 02. */ // parse the encryption block var eb = forge.util.createBuffer(em); var first = eb.getByte(); var bt = eb.getByte(); if (first !== 0x00 || pub && bt !== 0x00 && bt !== 0x01 || !pub && bt != 0x02 || pub && bt === 0x00 && typeof ml === 'undefined') { throw new Error('Encryption block is invalid.'); } var padNum = 0; if (bt === 0x00) { // check all padding bytes for 0x00 padNum = k - 3 - ml; for (var i = 0; i < padNum; ++i) { if (eb.getByte() !== 0x00) { throw new Error('Encryption block is invalid.'); } } } else if (bt === 0x01) { // find the first byte that isn't 0xFF, should be after all padding padNum = 0; while (eb.length() > 1) { if (eb.getByte() !== 0xFF) { --eb.read; break; } ++padNum; } } else if (bt === 0x02) { // look for 0x00 byte padNum = 0; while (eb.length() > 1) { if (eb.getByte() === 0x00) { --eb.read; break; } ++padNum; } } // zero must be 0x00 and padNum must be (k - 3 - message length) var zero = eb.getByte(); if (zero !== 0x00 || padNum !== k - 3 - eb.length()) { throw new Error('Encryption block is invalid.'); } return eb.getBytes(); } /** * Runs the key-generation algorithm asynchronously, either in the background * via Web Workers, or using the main thread and setImmediate. * * @param state the key-pair generation state. * @param [options] options for key-pair generation: * workerScript the worker script URL. * workers the number of web workers (if supported) to use, * (default: 2, -1 to use estimated cores minus one). * workLoad the size of the work load, ie: number of possible prime * numbers for each web worker to check per work assignment, * (default: 100). * @param callback(err, keypair) called once the operation completes. */ function _generateKeyPair(state, options, callback) { if (typeof options === 'function') { callback = options; options = {}; } options = options || {}; var opts = { algorithm: { name: options.algorithm || 'PRIMEINC', options: { workers: options.workers || 2, workLoad: options.workLoad || 100, workerScript: options.workerScript } } }; if ('prng' in options) { opts.prng = options.prng; } generate(); function generate() { // find p and then q (done in series to simplify) getPrime(state.pBits, function (err, num) { if (err) { return callback(err); } state.p = num; if (state.q !== null) { return finish(err, state.q); } getPrime(state.qBits, finish); }); } function getPrime(bits, callback) { forge.prime.generateProbablePrime(bits, opts, callback); } function finish(err, num) { if (err) { return callback(err); } // set q state.q = num; // ensure p is larger than q (swap them if not) if (state.p.compareTo(state.q) < 0) { var tmp = state.p; state.p = state.q; state.q = tmp; } // ensure p is coprime with e if (state.p.subtract(BigInteger.ONE).gcd(state.e).compareTo(BigInteger.ONE) !== 0) { state.p = null; generate(); return; } // ensure q is coprime with e if (state.q.subtract(BigInteger.ONE).gcd(state.e).compareTo(BigInteger.ONE) !== 0) { state.q = null; getPrime(state.qBits, finish); return; } // compute phi: (p - 1)(q - 1) (Euler's totient function) state.p1 = state.p.subtract(BigInteger.ONE); state.q1 = state.q.subtract(BigInteger.ONE); state.phi = state.p1.multiply(state.q1); // ensure e and phi are coprime if (state.phi.gcd(state.e).compareTo(BigInteger.ONE) !== 0) { // phi and e aren't coprime, so generate a new p and q state.p = state.q = null; generate(); return; } // create n, ensure n is has the right number of bits state.n = state.p.multiply(state.q); if (state.n.bitLength() !== state.bits) { // failed, get new q state.q = null; getPrime(state.qBits, finish); return; } // set keys var d = state.e.modInverse(state.phi); state.keys = { privateKey: pki.rsa.setPrivateKey(state.n, state.e, d, state.p, state.q, d.mod(state.p1), d.mod(state.q1), state.q.modInverse(state.p)), publicKey: pki.rsa.setPublicKey(state.n, state.e) }; callback(null, state.keys); } } /** * Converts a positive BigInteger into 2's-complement big-endian bytes. * * @param b the big integer to convert. * * @return the bytes. */ function _bnToBytes(b) { // prepend 0x00 if first byte >= 0x80 var hex = b.toString(16); if (hex[0] >= '8') { hex = '00' + hex; } var bytes = forge.util.hexToBytes(hex); // ensure integer is minimally-encoded if (bytes.length > 1 && ( // leading 0x00 for positive integer bytes.charCodeAt(0) === 0 && (bytes.charCodeAt(1) & 0x80) === 0 || // leading 0xFF for negative integer bytes.charCodeAt(0) === 0xFF && (bytes.charCodeAt(1) & 0x80) === 0x80)) { return bytes.substr(1); } return bytes; } /** * Returns the required number of Miller-Rabin tests to generate a * prime with an error probability of (1/2)^80. * * See Handbook of Applied Cryptography Chapter 4, Table 4.4. * * @param bits the bit size. * * @return the required number of iterations. */ function _getMillerRabinTests(bits) { if (bits <= 100) return 27; if (bits <= 150) return 18; if (bits <= 200) return 15; if (bits <= 250) return 12; if (bits <= 300) return 9; if (bits <= 350) return 8; if (bits <= 400) return 7; if (bits <= 500) return 6; if (bits <= 600) return 5; if (bits <= 800) return 4; if (bits <= 1250) return 3; return 2; } /** * Performs feature detection on the SubtleCrypto interface. * * @param fn the feature (function) to detect. * * @return true if detected, false if not. */ function _detectSubtleCrypto(fn) { return typeof window !== 'undefined' && typeof window.crypto === 'object' && typeof window.crypto.subtle === 'object' && typeof window.crypto.subtle[fn] === 'function'; } /** * Performs feature detection on the deprecated Microsoft Internet Explorer * outdated SubtleCrypto interface. This function should only be used after * checking for the modern, standard SubtleCrypto interface. * * @param fn the feature (function) to detect. * * @return true if detected, false if not. */ function _detectSubtleMsCrypto(fn) { return typeof window !== 'undefined' && typeof window.msCrypto === 'object' && typeof window.msCrypto.subtle === 'object' && typeof window.msCrypto.subtle[fn] === 'function'; } function _intToUint8Array(x) { var bytes = forge.util.hexToBytes(x.toString(16)); var buffer = new Uint8Array(bytes.length); for (var i = 0; i < bytes.length; ++i) { buffer[i] = bytes.charCodeAt(i); } return buffer; } function _privateKeyFromJwk(jwk) { if (jwk.kty !== 'RSA') { throw new Error('Unsupported key algorithm "' + jwk.kty + '"; algorithm must be "RSA".'); } return pki.setRsaPrivateKey(_base64ToBigInt(jwk.n), _base64ToBigInt(jwk.e), _base64ToBigInt(jwk.d), _base64ToBigInt(jwk.p), _base64ToBigInt(jwk.q), _base64ToBigInt(jwk.dp), _base64ToBigInt(jwk.dq), _base64ToBigInt(jwk.qi)); } function _publicKeyFromJwk(jwk) { if (jwk.kty !== 'RSA') { throw new Error('Key algorithm must be "RSA".'); } return pki.setRsaPublicKey(_base64ToBigInt(jwk.n), _base64ToBigInt(jwk.e)); } function _base64ToBigInt(b64) { return new BigInteger(forge.util.bytesToHex(forge.util.decode64(b64)), 16); } /***/ }), /* 113 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright (c) 2005 Tom Wu // All Rights Reserved. // See "LICENSE" for details. // Basic JavaScript BN library - subset useful for RSA encryption. /* Licensing (LICENSE) ------------------- This software is covered under the following copyright: */ /* * Copyright (c) 2003-2005 Tom Wu * All Rights Reserved. * * Permission is hereby granted, free of charge, to any person obtaining * a copy of this software and associated documentation files (the * "Software"), to deal in the Software without restriction, including * without limitation the rights to use, copy, modify, merge, publish, * distribute, sublicense, and/or sell copies of the Software, and to * permit persons to whom the Software is furnished to do so, subject to * the following conditions: * * The above copyright notice and this permission notice shall be * included in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS-IS" AND WITHOUT WARRANTY OF ANY KIND, * EXPRESS, IMPLIED OR OTHERWISE, INCLUDING WITHOUT LIMITATION, ANY * WARRANTY OF MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. * * IN NO EVENT SHALL TOM WU BE LIABLE FOR ANY SPECIAL, INCIDENTAL, * INDIRECT OR CONSEQUENTIAL DAMAGES OF ANY KIND, OR ANY DAMAGES WHATSOEVER * RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER OR NOT ADVISED OF * THE POSSIBILITY OF DAMAGE, AND ON ANY THEORY OF LIABILITY, ARISING OUT * OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. * * In addition, the following condition applies: * * All redistributions must retain an intact copy of this copyright notice * and disclaimer. */ /* Address all questions regarding this license to: Tom Wu tjw@cs.Stanford.EDU */ var forge = __webpack_require__(7); module.exports = forge.jsbn = forge.jsbn || {}; // Bits per digit var dbits; // JavaScript engine analysis var canary = 0xdeadbeefcafe; var j_lm = (canary & 0xffffff) == 0xefcafe; // (public) Constructor function BigInteger(a, b, c) { this.data = []; if (a != null) if ("number" == typeof a) this.fromNumber(a, b, c);else if (b == null && "string" != typeof a) this.fromString(a, 256);else this.fromString(a, b); } forge.jsbn.BigInteger = BigInteger; // return new, unset BigInteger function nbi() { return new BigInteger(null); } // am: Compute w_j += (x*this_i), propagate carries, // c is initial carry, returns final carry. // c < 3*dvalue, x < 2*dvalue, this_i < dvalue // We need to select the fastest one that works in this environment. // am1: use a single mult and divide to get the high bits, // max digit bits should be 26 because // max internal value = 2*dvalue^2-2*dvalue (< 2^53) function am1(i, x, w, j, c, n) { while (--n >= 0) { var v = x * this.data[i++] + w.data[j] + c; c = Math.floor(v / 0x4000000); w.data[j++] = v & 0x3ffffff; } return c; } // am2 avoids a big mult-and-extract completely. // Max digit bits should be <= 30 because we do bitwise ops // on values up to 2*hdvalue^2-hdvalue-1 (< 2^31) function am2(i, x, w, j, c, n) { var xl = x & 0x7fff, xh = x >> 15; while (--n >= 0) { var l = this.data[i] & 0x7fff; var h = this.data[i++] >> 15; var m = xh * l + h * xl; l = xl * l + ((m & 0x7fff) << 15) + w.data[j] + (c & 0x3fffffff); c = (l >>> 30) + (m >>> 15) + xh * h + (c >>> 30); w.data[j++] = l & 0x3fffffff; } return c; } // Alternately, set max digit bits to 28 since some // browsers slow down when dealing with 32-bit numbers. function am3(i, x, w, j, c, n) { var xl = x & 0x3fff, xh = x >> 14; while (--n >= 0) { var l = this.data[i] & 0x3fff; var h = this.data[i++] >> 14; var m = xh * l + h * xl; l = xl * l + ((m & 0x3fff) << 14) + w.data[j] + c; c = (l >> 28) + (m >> 14) + xh * h; w.data[j++] = l & 0xfffffff; } return c; } // node.js (no browser) if (typeof navigator === 'undefined') { BigInteger.prototype.am = am3; dbits = 28; } else if (j_lm && navigator.appName == "Microsoft Internet Explorer") { BigInteger.prototype.am = am2; dbits = 30; } else if (j_lm && navigator.appName != "Netscape") { BigInteger.prototype.am = am1; dbits = 26; } else { // Mozilla/Netscape seems to prefer am3 BigInteger.prototype.am = am3; dbits = 28; } BigInteger.prototype.DB = dbits; BigInteger.prototype.DM = (1 << dbits) - 1; BigInteger.prototype.DV = 1 << dbits; var BI_FP = 52; BigInteger.prototype.FV = Math.pow(2, BI_FP); BigInteger.prototype.F1 = BI_FP - dbits; BigInteger.prototype.F2 = 2 * dbits - BI_FP; // Digit conversions var BI_RM = "0123456789abcdefghijklmnopqrstuvwxyz"; var BI_RC = new Array(); var rr, vv; rr = "0".charCodeAt(0); for (vv = 0; vv <= 9; ++vv) BI_RC[rr++] = vv; rr = "a".charCodeAt(0); for (vv = 10; vv < 36; ++vv) BI_RC[rr++] = vv; rr = "A".charCodeAt(0); for (vv = 10; vv < 36; ++vv) BI_RC[rr++] = vv; function int2char(n) { return BI_RM.charAt(n); } function intAt(s, i) { var c = BI_RC[s.charCodeAt(i)]; return c == null ? -1 : c; } // (protected) copy this to r function bnpCopyTo(r) { for (var i = this.t - 1; i >= 0; --i) r.data[i] = this.data[i]; r.t = this.t; r.s = this.s; } // (protected) set from integer value x, -DV <= x < DV function bnpFromInt(x) { this.t = 1; this.s = x < 0 ? -1 : 0; if (x > 0) this.data[0] = x;else if (x < -1) this.data[0] = x + this.DV;else this.t = 0; } // return bigint initialized to value function nbv(i) { var r = nbi(); r.fromInt(i); return r; } // (protected) set from string and radix function bnpFromString(s, b) { var k; if (b == 16) k = 4;else if (b == 8) k = 3;else if (b == 256) k = 8; // byte array else if (b == 2) k = 1;else if (b == 32) k = 5;else if (b == 4) k = 2;else { this.fromRadix(s, b); return; } this.t = 0; this.s = 0; var i = s.length, mi = false, sh = 0; while (--i >= 0) { var x = k == 8 ? s[i] & 0xff : intAt(s, i); if (x < 0) { if (s.charAt(i) == "-") mi = true; continue; } mi = false; if (sh == 0) this.data[this.t++] = x;else if (sh + k > this.DB) { this.data[this.t - 1] |= (x & (1 << this.DB - sh) - 1) << sh; this.data[this.t++] = x >> this.DB - sh; } else this.data[this.t - 1] |= x << sh; sh += k; if (sh >= this.DB) sh -= this.DB; } if (k == 8 && (s[0] & 0x80) != 0) { this.s = -1; if (sh > 0) this.data[this.t - 1] |= (1 << this.DB - sh) - 1 << sh; } this.clamp(); if (mi) BigInteger.ZERO.subTo(this, this); } // (protected) clamp off excess high words function bnpClamp() { var c = this.s & this.DM; while (this.t > 0 && this.data[this.t - 1] == c) --this.t; } // (public) return string representation in given radix function bnToString(b) { if (this.s < 0) return "-" + this.negate().toString(b); var k; if (b == 16) k = 4;else if (b == 8) k = 3;else if (b == 2) k = 1;else if (b == 32) k = 5;else if (b == 4) k = 2;else return this.toRadix(b); var km = (1 << k) - 1, d, m = false, r = "", i = this.t; var p = this.DB - i * this.DB % k; if (i-- > 0) { if (p < this.DB && (d = this.data[i] >> p) > 0) { m = true; r = int2char(d); } while (i >= 0) { if (p < k) { d = (this.data[i] & (1 << p) - 1) << k - p; d |= this.data[--i] >> (p += this.DB - k); } else { d = this.data[i] >> (p -= k) & km; if (p <= 0) { p += this.DB; --i; } } if (d > 0) m = true; if (m) r += int2char(d); } } return m ? r : "0"; } // (public) -this function bnNegate() { var r = nbi(); BigInteger.ZERO.subTo(this, r); return r; } // (public) |this| function bnAbs() { return this.s < 0 ? this.negate() : this; } // (public) return + if this > a, - if this < a, 0 if equal function bnCompareTo(a) { var r = this.s - a.s; if (r != 0) return r; var i = this.t; r = i - a.t; if (r != 0) return this.s < 0 ? -r : r; while (--i >= 0) if ((r = this.data[i] - a.data[i]) != 0) return r; return 0; } // returns bit length of the integer x function nbits(x) { var r = 1, t; if ((t = x >>> 16) != 0) { x = t; r += 16; } if ((t = x >> 8) != 0) { x = t; r += 8; } if ((t = x >> 4) != 0) { x = t; r += 4; } if ((t = x >> 2) != 0) { x = t; r += 2; } if ((t = x >> 1) != 0) { x = t; r += 1; } return r; } // (public) return the number of bits in "this" function bnBitLength() { if (this.t <= 0) return 0; return this.DB * (this.t - 1) + nbits(this.data[this.t - 1] ^ this.s & this.DM); } // (protected) r = this << n*DB function bnpDLShiftTo(n, r) { var i; for (i = this.t - 1; i >= 0; --i) r.data[i + n] = this.data[i]; for (i = n - 1; i >= 0; --i) r.data[i] = 0; r.t = this.t + n; r.s = this.s; } // (protected) r = this >> n*DB function bnpDRShiftTo(n, r) { for (var i = n; i < this.t; ++i) r.data[i - n] = this.data[i]; r.t = Math.max(this.t - n, 0); r.s = this.s; } // (protected) r = this << n function bnpLShiftTo(n, r) { var bs = n % this.DB; var cbs = this.DB - bs; var bm = (1 << cbs) - 1; var ds = Math.floor(n / this.DB), c = this.s << bs & this.DM, i; for (i = this.t - 1; i >= 0; --i) { r.data[i + ds + 1] = this.data[i] >> cbs | c; c = (this.data[i] & bm) << bs; } for (i = ds - 1; i >= 0; --i) r.data[i] = 0; r.data[ds] = c; r.t = this.t + ds + 1; r.s = this.s; r.clamp(); } // (protected) r = this >> n function bnpRShiftTo(n, r) { r.s = this.s; var ds = Math.floor(n / this.DB); if (ds >= this.t) { r.t = 0; return; } var bs = n % this.DB; var cbs = this.DB - bs; var bm = (1 << bs) - 1; r.data[0] = this.data[ds] >> bs; for (var i = ds + 1; i < this.t; ++i) { r.data[i - ds - 1] |= (this.data[i] & bm) << cbs; r.data[i - ds] = this.data[i] >> bs; } if (bs > 0) r.data[this.t - ds - 1] |= (this.s & bm) << cbs; r.t = this.t - ds; r.clamp(); } // (protected) r = this - a function bnpSubTo(a, r) { var i = 0, c = 0, m = Math.min(a.t, this.t); while (i < m) { c += this.data[i] - a.data[i]; r.data[i++] = c & this.DM; c >>= this.DB; } if (a.t < this.t) { c -= a.s; while (i < this.t) { c += this.data[i]; r.data[i++] = c & this.DM; c >>= this.DB; } c += this.s; } else { c += this.s; while (i < a.t) { c -= a.data[i]; r.data[i++] = c & this.DM; c >>= this.DB; } c -= a.s; } r.s = c < 0 ? -1 : 0; if (c < -1) r.data[i++] = this.DV + c;else if (c > 0) r.data[i++] = c; r.t = i; r.clamp(); } // (protected) r = this * a, r != this,a (HAC 14.12) // "this" should be the larger one if appropriate. function bnpMultiplyTo(a, r) { var x = this.abs(), y = a.abs(); var i = x.t; r.t = i + y.t; while (--i >= 0) r.data[i] = 0; for (i = 0; i < y.t; ++i) r.data[i + x.t] = x.am(0, y.data[i], r, i, 0, x.t); r.s = 0; r.clamp(); if (this.s != a.s) BigInteger.ZERO.subTo(r, r); } // (protected) r = this^2, r != this (HAC 14.16) function bnpSquareTo(r) { var x = this.abs(); var i = r.t = 2 * x.t; while (--i >= 0) r.data[i] = 0; for (i = 0; i < x.t - 1; ++i) { var c = x.am(i, x.data[i], r, 2 * i, 0, 1); if ((r.data[i + x.t] += x.am(i + 1, 2 * x.data[i], r, 2 * i + 1, c, x.t - i - 1)) >= x.DV) { r.data[i + x.t] -= x.DV; r.data[i + x.t + 1] = 1; } } if (r.t > 0) r.data[r.t - 1] += x.am(i, x.data[i], r, 2 * i, 0, 1); r.s = 0; r.clamp(); } // (protected) divide this by m, quotient and remainder to q, r (HAC 14.20) // r != q, this != m. q or r may be null. function bnpDivRemTo(m, q, r) { var pm = m.abs(); if (pm.t <= 0) return; var pt = this.abs(); if (pt.t < pm.t) { if (q != null) q.fromInt(0); if (r != null) this.copyTo(r); return; } if (r == null) r = nbi(); var y = nbi(), ts = this.s, ms = m.s; var nsh = this.DB - nbits(pm.data[pm.t - 1]); // normalize modulus if (nsh > 0) { pm.lShiftTo(nsh, y); pt.lShiftTo(nsh, r); } else { pm.copyTo(y); pt.copyTo(r); } var ys = y.t; var y0 = y.data[ys - 1]; if (y0 == 0) return; var yt = y0 * (1 << this.F1) + (ys > 1 ? y.data[ys - 2] >> this.F2 : 0); var d1 = this.FV / yt, d2 = (1 << this.F1) / yt, e = 1 << this.F2; var i = r.t, j = i - ys, t = q == null ? nbi() : q; y.dlShiftTo(j, t); if (r.compareTo(t) >= 0) { r.data[r.t++] = 1; r.subTo(t, r); } BigInteger.ONE.dlShiftTo(ys, t); t.subTo(y, y); // "negative" y so we can replace sub with am later while (y.t < ys) y.data[y.t++] = 0; while (--j >= 0) { // Estimate quotient digit var qd = r.data[--i] == y0 ? this.DM : Math.floor(r.data[i] * d1 + (r.data[i - 1] + e) * d2); if ((r.data[i] += y.am(0, qd, r, j, 0, ys)) < qd) { // Try it out y.dlShiftTo(j, t); r.subTo(t, r); while (r.data[i] < --qd) r.subTo(t, r); } } if (q != null) { r.drShiftTo(ys, q); if (ts != ms) BigInteger.ZERO.subTo(q, q); } r.t = ys; r.clamp(); if (nsh > 0) r.rShiftTo(nsh, r); // Denormalize remainder if (ts < 0) BigInteger.ZERO.subTo(r, r); } // (public) this mod a function bnMod(a) { var r = nbi(); this.abs().divRemTo(a, null, r); if (this.s < 0 && r.compareTo(BigInteger.ZERO) > 0) a.subTo(r, r); return r; } // Modular reduction using "classic" algorithm function Classic(m) { this.m = m; } function cConvert(x) { if (x.s < 0 || x.compareTo(this.m) >= 0) return x.mod(this.m);else return x; } function cRevert(x) { return x; } function cReduce(x) { x.divRemTo(this.m, null, x); } function cMulTo(x, y, r) { x.multiplyTo(y, r); this.reduce(r); } function cSqrTo(x, r) { x.squareTo(r); this.reduce(r); } Classic.prototype.convert = cConvert; Classic.prototype.revert = cRevert; Classic.prototype.reduce = cReduce; Classic.prototype.mulTo = cMulTo; Classic.prototype.sqrTo = cSqrTo; // (protected) return "-1/this % 2^DB"; useful for Mont. reduction // justification: // xy == 1 (mod m) // xy = 1+km // xy(2-xy) = (1+km)(1-km) // x[y(2-xy)] = 1-k^2m^2 // x[y(2-xy)] == 1 (mod m^2) // if y is 1/x mod m, then y(2-xy) is 1/x mod m^2 // should reduce x and y(2-xy) by m^2 at each step to keep size bounded. // JS multiply "overflows" differently from C/C++, so care is needed here. function bnpInvDigit() { if (this.t < 1) return 0; var x = this.data[0]; if ((x & 1) == 0) return 0; var y = x & 3; // y == 1/x mod 2^2 y = y * (2 - (x & 0xf) * y) & 0xf; // y == 1/x mod 2^4 y = y * (2 - (x & 0xff) * y) & 0xff; // y == 1/x mod 2^8 y = y * (2 - ((x & 0xffff) * y & 0xffff)) & 0xffff; // y == 1/x mod 2^16 // last step - calculate inverse mod DV directly; // assumes 16 < DB <= 32 and assumes ability to handle 48-bit ints y = y * (2 - x * y % this.DV) % this.DV; // y == 1/x mod 2^dbits // we really want the negative inverse, and -DV < y < DV return y > 0 ? this.DV - y : -y; } // Montgomery reduction function Montgomery(m) { this.m = m; this.mp = m.invDigit(); this.mpl = this.mp & 0x7fff; this.mph = this.mp >> 15; this.um = (1 << m.DB - 15) - 1; this.mt2 = 2 * m.t; } // xR mod m function montConvert(x) { var r = nbi(); x.abs().dlShiftTo(this.m.t, r); r.divRemTo(this.m, null, r); if (x.s < 0 && r.compareTo(BigInteger.ZERO) > 0) this.m.subTo(r, r); return r; } // x/R mod m function montRevert(x) { var r = nbi(); x.copyTo(r); this.reduce(r); return r; } // x = x/R mod m (HAC 14.32) function montReduce(x) { while (x.t <= this.mt2) // pad x so am has enough room later x.data[x.t++] = 0; for (var i = 0; i < this.m.t; ++i) { // faster way of calculating u0 = x.data[i]*mp mod DV var j = x.data[i] & 0x7fff; var u0 = j * this.mpl + ((j * this.mph + (x.data[i] >> 15) * this.mpl & this.um) << 15) & x.DM; // use am to combine the multiply-shift-add into one call j = i + this.m.t; x.data[j] += this.m.am(0, u0, x, i, 0, this.m.t); // propagate carry while (x.data[j] >= x.DV) { x.data[j] -= x.DV; x.data[++j]++; } } x.clamp(); x.drShiftTo(this.m.t, x); if (x.compareTo(this.m) >= 0) x.subTo(this.m, x); } // r = "x^2/R mod m"; x != r function montSqrTo(x, r) { x.squareTo(r); this.reduce(r); } // r = "xy/R mod m"; x,y != r function montMulTo(x, y, r) { x.multiplyTo(y, r); this.reduce(r); } Montgomery.prototype.convert = montConvert; Montgomery.prototype.revert = montRevert; Montgomery.prototype.reduce = montReduce; Montgomery.prototype.mulTo = montMulTo; Montgomery.prototype.sqrTo = montSqrTo; // (protected) true iff this is even function bnpIsEven() { return (this.t > 0 ? this.data[0] & 1 : this.s) == 0; } // (protected) this^e, e < 2^32, doing sqr and mul with "r" (HAC 14.79) function bnpExp(e, z) { if (e > 0xffffffff || e < 1) return BigInteger.ONE; var r = nbi(), r2 = nbi(), g = z.convert(this), i = nbits(e) - 1; g.copyTo(r); while (--i >= 0) { z.sqrTo(r, r2); if ((e & 1 << i) > 0) z.mulTo(r2, g, r);else { var t = r; r = r2; r2 = t; } } return z.revert(r); } // (public) this^e % m, 0 <= e < 2^32 function bnModPowInt(e, m) { var z; if (e < 256 || m.isEven()) z = new Classic(m);else z = new Montgomery(m); return this.exp(e, z); } // protected BigInteger.prototype.copyTo = bnpCopyTo; BigInteger.prototype.fromInt = bnpFromInt; BigInteger.prototype.fromString = bnpFromString; BigInteger.prototype.clamp = bnpClamp; BigInteger.prototype.dlShiftTo = bnpDLShiftTo; BigInteger.prototype.drShiftTo = bnpDRShiftTo; BigInteger.prototype.lShiftTo = bnpLShiftTo; BigInteger.prototype.rShiftTo = bnpRShiftTo; BigInteger.prototype.subTo = bnpSubTo; BigInteger.prototype.multiplyTo = bnpMultiplyTo; BigInteger.prototype.squareTo = bnpSquareTo; BigInteger.prototype.divRemTo = bnpDivRemTo; BigInteger.prototype.invDigit = bnpInvDigit; BigInteger.prototype.isEven = bnpIsEven; BigInteger.prototype.exp = bnpExp; // public BigInteger.prototype.toString = bnToString; BigInteger.prototype.negate = bnNegate; BigInteger.prototype.abs = bnAbs; BigInteger.prototype.compareTo = bnCompareTo; BigInteger.prototype.bitLength = bnBitLength; BigInteger.prototype.mod = bnMod; BigInteger.prototype.modPowInt = bnModPowInt; // "constants" BigInteger.ZERO = nbv(0); BigInteger.ONE = nbv(1); // jsbn2 lib //Copyright (c) 2005-2009 Tom Wu //All Rights Reserved. //See "LICENSE" for details (See jsbn.js for LICENSE). //Extended JavaScript BN functions, required for RSA private ops. //Version 1.1: new BigInteger("0", 10) returns "proper" zero //(public) function bnClone() { var r = nbi(); this.copyTo(r); return r; } //(public) return value as integer function bnIntValue() { if (this.s < 0) { if (this.t == 1) return this.data[0] - this.DV;else if (this.t == 0) return -1; } else if (this.t == 1) return this.data[0];else if (this.t == 0) return 0; // assumes 16 < DB < 32 return (this.data[1] & (1 << 32 - this.DB) - 1) << this.DB | this.data[0]; } //(public) return value as byte function bnByteValue() { return this.t == 0 ? this.s : this.data[0] << 24 >> 24; } //(public) return value as short (assumes DB>=16) function bnShortValue() { return this.t == 0 ? this.s : this.data[0] << 16 >> 16; } //(protected) return x s.t. r^x < DV function bnpChunkSize(r) { return Math.floor(Math.LN2 * this.DB / Math.log(r)); } //(public) 0 if this == 0, 1 if this > 0 function bnSigNum() { if (this.s < 0) return -1;else if (this.t <= 0 || this.t == 1 && this.data[0] <= 0) return 0;else return 1; } //(protected) convert to radix string function bnpToRadix(b) { if (b == null) b = 10; if (this.signum() == 0 || b < 2 || b > 36) return "0"; var cs = this.chunkSize(b); var a = Math.pow(b, cs); var d = nbv(a), y = nbi(), z = nbi(), r = ""; this.divRemTo(d, y, z); while (y.signum() > 0) { r = (a + z.intValue()).toString(b).substr(1) + r; y.divRemTo(d, y, z); } return z.intValue().toString(b) + r; } //(protected) convert from radix string function bnpFromRadix(s, b) { this.fromInt(0); if (b == null) b = 10; var cs = this.chunkSize(b); var d = Math.pow(b, cs), mi = false, j = 0, w = 0; for (var i = 0; i < s.length; ++i) { var x = intAt(s, i); if (x < 0) { if (s.charAt(i) == "-" && this.signum() == 0) mi = true; continue; } w = b * w + x; if (++j >= cs) { this.dMultiply(d); this.dAddOffset(w, 0); j = 0; w = 0; } } if (j > 0) { this.dMultiply(Math.pow(b, j)); this.dAddOffset(w, 0); } if (mi) BigInteger.ZERO.subTo(this, this); } //(protected) alternate constructor function bnpFromNumber(a, b, c) { if ("number" == typeof b) { // new BigInteger(int,int,RNG) if (a < 2) this.fromInt(1);else { this.fromNumber(a, c); if (!this.testBit(a - 1)) // force MSB set this.bitwiseTo(BigInteger.ONE.shiftLeft(a - 1), op_or, this); if (this.isEven()) this.dAddOffset(1, 0); // force odd while (!this.isProbablePrime(b)) { this.dAddOffset(2, 0); if (this.bitLength() > a) this.subTo(BigInteger.ONE.shiftLeft(a - 1), this); } } } else { // new BigInteger(int,RNG) var x = new Array(), t = a & 7; x.length = (a >> 3) + 1; b.nextBytes(x); if (t > 0) x[0] &= (1 << t) - 1;else x[0] = 0; this.fromString(x, 256); } } //(public) convert to bigendian byte array function bnToByteArray() { var i = this.t, r = new Array(); r[0] = this.s; var p = this.DB - i * this.DB % 8, d, k = 0; if (i-- > 0) { if (p < this.DB && (d = this.data[i] >> p) != (this.s & this.DM) >> p) r[k++] = d | this.s << this.DB - p; while (i >= 0) { if (p < 8) { d = (this.data[i] & (1 << p) - 1) << 8 - p; d |= this.data[--i] >> (p += this.DB - 8); } else { d = this.data[i] >> (p -= 8) & 0xff; if (p <= 0) { p += this.DB; --i; } } if ((d & 0x80) != 0) d |= -256; if (k == 0 && (this.s & 0x80) != (d & 0x80)) ++k; if (k > 0 || d != this.s) r[k++] = d; } } return r; } function bnEquals(a) { return this.compareTo(a) == 0; } function bnMin(a) { return this.compareTo(a) < 0 ? this : a; } function bnMax(a) { return this.compareTo(a) > 0 ? this : a; } //(protected) r = this op a (bitwise) function bnpBitwiseTo(a, op, r) { var i, f, m = Math.min(a.t, this.t); for (i = 0; i < m; ++i) r.data[i] = op(this.data[i], a.data[i]); if (a.t < this.t) { f = a.s & this.DM; for (i = m; i < this.t; ++i) r.data[i] = op(this.data[i], f); r.t = this.t; } else { f = this.s & this.DM; for (i = m; i < a.t; ++i) r.data[i] = op(f, a.data[i]); r.t = a.t; } r.s = op(this.s, a.s); r.clamp(); } //(public) this & a function op_and(x, y) { return x & y; } function bnAnd(a) { var r = nbi(); this.bitwiseTo(a, op_and, r); return r; } //(public) this | a function op_or(x, y) { return x | y; } function bnOr(a) { var r = nbi(); this.bitwiseTo(a, op_or, r); return r; } //(public) this ^ a function op_xor(x, y) { return x ^ y; } function bnXor(a) { var r = nbi(); this.bitwiseTo(a, op_xor, r); return r; } //(public) this & ~a function op_andnot(x, y) { return x & ~y; } function bnAndNot(a) { var r = nbi(); this.bitwiseTo(a, op_andnot, r); return r; } //(public) ~this function bnNot() { var r = nbi(); for (var i = 0; i < this.t; ++i) r.data[i] = this.DM & ~this.data[i]; r.t = this.t; r.s = ~this.s; return r; } //(public) this << n function bnShiftLeft(n) { var r = nbi(); if (n < 0) this.rShiftTo(-n, r);else this.lShiftTo(n, r); return r; } //(public) this >> n function bnShiftRight(n) { var r = nbi(); if (n < 0) this.lShiftTo(-n, r);else this.rShiftTo(n, r); return r; } //return index of lowest 1-bit in x, x < 2^31 function lbit(x) { if (x == 0) return -1; var r = 0; if ((x & 0xffff) == 0) { x >>= 16; r += 16; } if ((x & 0xff) == 0) { x >>= 8; r += 8; } if ((x & 0xf) == 0) { x >>= 4; r += 4; } if ((x & 3) == 0) { x >>= 2; r += 2; } if ((x & 1) == 0) ++r; return r; } //(public) returns index of lowest 1-bit (or -1 if none) function bnGetLowestSetBit() { for (var i = 0; i < this.t; ++i) if (this.data[i] != 0) return i * this.DB + lbit(this.data[i]); if (this.s < 0) return this.t * this.DB; return -1; } //return number of 1 bits in x function cbit(x) { var r = 0; while (x != 0) { x &= x - 1; ++r; } return r; } //(public) return number of set bits function bnBitCount() { var r = 0, x = this.s & this.DM; for (var i = 0; i < this.t; ++i) r += cbit(this.data[i] ^ x); return r; } //(public) true iff nth bit is set function bnTestBit(n) { var j = Math.floor(n / this.DB); if (j >= this.t) return this.s != 0; return (this.data[j] & 1 << n % this.DB) != 0; } //(protected) this op (1<>= this.DB; } if (a.t < this.t) { c += a.s; while (i < this.t) { c += this.data[i]; r.data[i++] = c & this.DM; c >>= this.DB; } c += this.s; } else { c += this.s; while (i < a.t) { c += a.data[i]; r.data[i++] = c & this.DM; c >>= this.DB; } c += a.s; } r.s = c < 0 ? -1 : 0; if (c > 0) r.data[i++] = c;else if (c < -1) r.data[i++] = this.DV + c; r.t = i; r.clamp(); } //(public) this + a function bnAdd(a) { var r = nbi(); this.addTo(a, r); return r; } //(public) this - a function bnSubtract(a) { var r = nbi(); this.subTo(a, r); return r; } //(public) this * a function bnMultiply(a) { var r = nbi(); this.multiplyTo(a, r); return r; } //(public) this / a function bnDivide(a) { var r = nbi(); this.divRemTo(a, r, null); return r; } //(public) this % a function bnRemainder(a) { var r = nbi(); this.divRemTo(a, null, r); return r; } //(public) [this/a,this%a] function bnDivideAndRemainder(a) { var q = nbi(), r = nbi(); this.divRemTo(a, q, r); return new Array(q, r); } //(protected) this *= n, this >= 0, 1 < n < DV function bnpDMultiply(n) { this.data[this.t] = this.am(0, n - 1, this, 0, 0, this.t); ++this.t; this.clamp(); } //(protected) this += n << w words, this >= 0 function bnpDAddOffset(n, w) { if (n == 0) return; while (this.t <= w) this.data[this.t++] = 0; this.data[w] += n; while (this.data[w] >= this.DV) { this.data[w] -= this.DV; if (++w >= this.t) this.data[this.t++] = 0; ++this.data[w]; } } //A "null" reducer function NullExp() {} function nNop(x) { return x; } function nMulTo(x, y, r) { x.multiplyTo(y, r); } function nSqrTo(x, r) { x.squareTo(r); } NullExp.prototype.convert = nNop; NullExp.prototype.revert = nNop; NullExp.prototype.mulTo = nMulTo; NullExp.prototype.sqrTo = nSqrTo; //(public) this^e function bnPow(e) { return this.exp(e, new NullExp()); } //(protected) r = lower n words of "this * a", a.t <= n //"this" should be the larger one if appropriate. function bnpMultiplyLowerTo(a, n, r) { var i = Math.min(this.t + a.t, n); r.s = 0; // assumes a,this >= 0 r.t = i; while (i > 0) r.data[--i] = 0; var j; for (j = r.t - this.t; i < j; ++i) r.data[i + this.t] = this.am(0, a.data[i], r, i, 0, this.t); for (j = Math.min(a.t, n); i < j; ++i) this.am(0, a.data[i], r, i, 0, n - i); r.clamp(); } //(protected) r = "this * a" without lower n words, n > 0 //"this" should be the larger one if appropriate. function bnpMultiplyUpperTo(a, n, r) { --n; var i = r.t = this.t + a.t - n; r.s = 0; // assumes a,this >= 0 while (--i >= 0) r.data[i] = 0; for (i = Math.max(n - this.t, 0); i < a.t; ++i) r.data[this.t + i - n] = this.am(n - i, a.data[i], r, 0, 0, this.t + i - n); r.clamp(); r.drShiftTo(1, r); } //Barrett modular reduction function Barrett(m) { // setup Barrett this.r2 = nbi(); this.q3 = nbi(); BigInteger.ONE.dlShiftTo(2 * m.t, this.r2); this.mu = this.r2.divide(m); this.m = m; } function barrettConvert(x) { if (x.s < 0 || x.t > 2 * this.m.t) return x.mod(this.m);else if (x.compareTo(this.m) < 0) return x;else { var r = nbi(); x.copyTo(r); this.reduce(r); return r; } } function barrettRevert(x) { return x; } //x = x mod m (HAC 14.42) function barrettReduce(x) { x.drShiftTo(this.m.t - 1, this.r2); if (x.t > this.m.t + 1) { x.t = this.m.t + 1; x.clamp(); } this.mu.multiplyUpperTo(this.r2, this.m.t + 1, this.q3); this.m.multiplyLowerTo(this.q3, this.m.t + 1, this.r2); while (x.compareTo(this.r2) < 0) x.dAddOffset(1, this.m.t + 1); x.subTo(this.r2, x); while (x.compareTo(this.m) >= 0) x.subTo(this.m, x); } //r = x^2 mod m; x != r function barrettSqrTo(x, r) { x.squareTo(r); this.reduce(r); } //r = x*y mod m; x,y != r function barrettMulTo(x, y, r) { x.multiplyTo(y, r); this.reduce(r); } Barrett.prototype.convert = barrettConvert; Barrett.prototype.revert = barrettRevert; Barrett.prototype.reduce = barrettReduce; Barrett.prototype.mulTo = barrettMulTo; Barrett.prototype.sqrTo = barrettSqrTo; //(public) this^e % m (HAC 14.85) function bnModPow(e, m) { var i = e.bitLength(), k, r = nbv(1), z; if (i <= 0) return r;else if (i < 18) k = 1;else if (i < 48) k = 3;else if (i < 144) k = 4;else if (i < 768) k = 5;else k = 6; if (i < 8) z = new Classic(m);else if (m.isEven()) z = new Barrett(m);else z = new Montgomery(m); // precomputation var g = new Array(), n = 3, k1 = k - 1, km = (1 << k) - 1; g[1] = z.convert(this); if (k > 1) { var g2 = nbi(); z.sqrTo(g[1], g2); while (n <= km) { g[n] = nbi(); z.mulTo(g2, g[n - 2], g[n]); n += 2; } } var j = e.t - 1, w, is1 = true, r2 = nbi(), t; i = nbits(e.data[j]) - 1; while (j >= 0) { if (i >= k1) w = e.data[j] >> i - k1 & km;else { w = (e.data[j] & (1 << i + 1) - 1) << k1 - i; if (j > 0) w |= e.data[j - 1] >> this.DB + i - k1; } n = k; while ((w & 1) == 0) { w >>= 1; --n; } if ((i -= n) < 0) { i += this.DB; --j; } if (is1) { // ret == 1, don't bother squaring or multiplying it g[w].copyTo(r); is1 = false; } else { while (n > 1) { z.sqrTo(r, r2); z.sqrTo(r2, r); n -= 2; } if (n > 0) z.sqrTo(r, r2);else { t = r; r = r2; r2 = t; } z.mulTo(r2, g[w], r); } while (j >= 0 && (e.data[j] & 1 << i) == 0) { z.sqrTo(r, r2); t = r; r = r2; r2 = t; if (--i < 0) { i = this.DB - 1; --j; } } } return z.revert(r); } //(public) gcd(this,a) (HAC 14.54) function bnGCD(a) { var x = this.s < 0 ? this.negate() : this.clone(); var y = a.s < 0 ? a.negate() : a.clone(); if (x.compareTo(y) < 0) { var t = x; x = y; y = t; } var i = x.getLowestSetBit(), g = y.getLowestSetBit(); if (g < 0) return x; if (i < g) g = i; if (g > 0) { x.rShiftTo(g, x); y.rShiftTo(g, y); } while (x.signum() > 0) { if ((i = x.getLowestSetBit()) > 0) x.rShiftTo(i, x); if ((i = y.getLowestSetBit()) > 0) y.rShiftTo(i, y); if (x.compareTo(y) >= 0) { x.subTo(y, x); x.rShiftTo(1, x); } else { y.subTo(x, y); y.rShiftTo(1, y); } } if (g > 0) y.lShiftTo(g, y); return y; } //(protected) this % n, n < 2^26 function bnpModInt(n) { if (n <= 0) return 0; var d = this.DV % n, r = this.s < 0 ? n - 1 : 0; if (this.t > 0) if (d == 0) r = this.data[0] % n;else for (var i = this.t - 1; i >= 0; --i) r = (d * r + this.data[i]) % n; return r; } //(public) 1/this % m (HAC 14.61) function bnModInverse(m) { var ac = m.isEven(); if (this.isEven() && ac || m.signum() == 0) return BigInteger.ZERO; var u = m.clone(), v = this.clone(); var a = nbv(1), b = nbv(0), c = nbv(0), d = nbv(1); while (u.signum() != 0) { while (u.isEven()) { u.rShiftTo(1, u); if (ac) { if (!a.isEven() || !b.isEven()) { a.addTo(this, a); b.subTo(m, b); } a.rShiftTo(1, a); } else if (!b.isEven()) b.subTo(m, b); b.rShiftTo(1, b); } while (v.isEven()) { v.rShiftTo(1, v); if (ac) { if (!c.isEven() || !d.isEven()) { c.addTo(this, c); d.subTo(m, d); } c.rShiftTo(1, c); } else if (!d.isEven()) d.subTo(m, d); d.rShiftTo(1, d); } if (u.compareTo(v) >= 0) { u.subTo(v, u); if (ac) a.subTo(c, a); b.subTo(d, b); } else { v.subTo(u, v); if (ac) c.subTo(a, c); d.subTo(b, d); } } if (v.compareTo(BigInteger.ONE) != 0) return BigInteger.ZERO; if (d.compareTo(m) >= 0) return d.subtract(m); if (d.signum() < 0) d.addTo(m, d);else return d; if (d.signum() < 0) return d.add(m);else return d; } var lowprimes = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97, 101, 103, 107, 109, 113, 127, 131, 137, 139, 149, 151, 157, 163, 167, 173, 179, 181, 191, 193, 197, 199, 211, 223, 227, 229, 233, 239, 241, 251, 257, 263, 269, 271, 277, 281, 283, 293, 307, 311, 313, 317, 331, 337, 347, 349, 353, 359, 367, 373, 379, 383, 389, 397, 401, 409, 419, 421, 431, 433, 439, 443, 449, 457, 461, 463, 467, 479, 487, 491, 499, 503, 509]; var lplim = (1 << 26) / lowprimes[lowprimes.length - 1]; //(public) test primality with certainty >= 1-.5^t function bnIsProbablePrime(t) { var i, x = this.abs(); if (x.t == 1 && x.data[0] <= lowprimes[lowprimes.length - 1]) { for (i = 0; i < lowprimes.length; ++i) if (x.data[0] == lowprimes[i]) return true; return false; } if (x.isEven()) return false; i = 1; while (i < lowprimes.length) { var m = lowprimes[i], j = i + 1; while (j < lowprimes.length && m < lplim) m *= lowprimes[j++]; m = x.modInt(m); while (i < j) if (m % lowprimes[i++] == 0) return false; } return x.millerRabin(t); } //(protected) true if probably prime (HAC 4.24, Miller-Rabin) function bnpMillerRabin(t) { var n1 = this.subtract(BigInteger.ONE); var k = n1.getLowestSetBit(); if (k <= 0) return false; var r = n1.shiftRight(k); var prng = bnGetPrng(); var a; for (var i = 0; i < t; ++i) { // select witness 'a' at random from between 1 and n1 do { a = new BigInteger(this.bitLength(), prng); } while (a.compareTo(BigInteger.ONE) <= 0 || a.compareTo(n1) >= 0); var y = a.modPow(r, this); if (y.compareTo(BigInteger.ONE) != 0 && y.compareTo(n1) != 0) { var j = 1; while (j++ < k && y.compareTo(n1) != 0) { y = y.modPowInt(2, this); if (y.compareTo(BigInteger.ONE) == 0) return false; } if (y.compareTo(n1) != 0) return false; } } return true; } // get pseudo random number generator function bnGetPrng() { // create prng with api that matches BigInteger secure random return { // x is an array to fill with bytes nextBytes: function nextBytes(x) { for (var i = 0; i < x.length; ++i) { x[i] = Math.floor(Math.random() * 0x0100); } } }; } //protected BigInteger.prototype.chunkSize = bnpChunkSize; BigInteger.prototype.toRadix = bnpToRadix; BigInteger.prototype.fromRadix = bnpFromRadix; BigInteger.prototype.fromNumber = bnpFromNumber; BigInteger.prototype.bitwiseTo = bnpBitwiseTo; BigInteger.prototype.changeBit = bnpChangeBit; BigInteger.prototype.addTo = bnpAddTo; BigInteger.prototype.dMultiply = bnpDMultiply; BigInteger.prototype.dAddOffset = bnpDAddOffset; BigInteger.prototype.multiplyLowerTo = bnpMultiplyLowerTo; BigInteger.prototype.multiplyUpperTo = bnpMultiplyUpperTo; BigInteger.prototype.modInt = bnpModInt; BigInteger.prototype.millerRabin = bnpMillerRabin; //public BigInteger.prototype.clone = bnClone; BigInteger.prototype.intValue = bnIntValue; BigInteger.prototype.byteValue = bnByteValue; BigInteger.prototype.shortValue = bnShortValue; BigInteger.prototype.signum = bnSigNum; BigInteger.prototype.toByteArray = bnToByteArray; BigInteger.prototype.equals = bnEquals; BigInteger.prototype.min = bnMin; BigInteger.prototype.max = bnMax; BigInteger.prototype.and = bnAnd; BigInteger.prototype.or = bnOr; BigInteger.prototype.xor = bnXor; BigInteger.prototype.andNot = bnAndNot; BigInteger.prototype.not = bnNot; BigInteger.prototype.shiftLeft = bnShiftLeft; BigInteger.prototype.shiftRight = bnShiftRight; BigInteger.prototype.getLowestSetBit = bnGetLowestSetBit; BigInteger.prototype.bitCount = bnBitCount; BigInteger.prototype.testBit = bnTestBit; BigInteger.prototype.setBit = bnSetBit; BigInteger.prototype.clearBit = bnClearBit; BigInteger.prototype.flipBit = bnFlipBit; BigInteger.prototype.add = bnAdd; BigInteger.prototype.subtract = bnSubtract; BigInteger.prototype.multiply = bnMultiply; BigInteger.prototype.divide = bnDivide; BigInteger.prototype.remainder = bnRemainder; BigInteger.prototype.divideAndRemainder = bnDivideAndRemainder; BigInteger.prototype.modPow = bnModPow; BigInteger.prototype.modInverse = bnModInverse; BigInteger.prototype.pow = bnPow; BigInteger.prototype.gcd = bnGCD; BigInteger.prototype.isProbablePrime = bnIsProbablePrime; //BigInteger interfaces not implemented in jsbn: //BigInteger(int signum, byte[] magnitude) //double doubleValue() //float floatValue() //int hashCode() //long longValue() //static BigInteger valueOf(long val) /***/ }), /* 114 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Advanced Encryption Standard (AES) implementation. * * This implementation is based on the public domain library 'jscrypto' which * was written by: * * Emily Stark (estark@stanford.edu) * Mike Hamburg (mhamburg@stanford.edu) * Dan Boneh (dabo@cs.stanford.edu) * * Parts of this code are based on the OpenSSL implementation of AES: * http://www.openssl.org * * @author Dave Longley * * Copyright (c) 2010-2014 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); __webpack_require__(115); __webpack_require__(116); __webpack_require__(9); /* AES API */ module.exports = forge.aes = forge.aes || {}; /** * Deprecated. Instead, use: * * var cipher = forge.cipher.createCipher('AES-', key); * cipher.start({iv: iv}); * * Creates an AES cipher object to encrypt data using the given symmetric key. * The output will be stored in the 'output' member of the returned cipher. * * The key and iv may be given as a string of bytes, an array of bytes, * a byte buffer, or an array of 32-bit words. * * @param key the symmetric key to use. * @param iv the initialization vector to use. * @param output the buffer to write to, null to create one. * @param mode the cipher mode to use (default: 'CBC'). * * @return the cipher. */ forge.aes.startEncrypting = function (key, iv, output, mode) { var cipher = _createCipher({ key: key, output: output, decrypt: false, mode: mode }); cipher.start(iv); return cipher; }; /** * Deprecated. Instead, use: * * var cipher = forge.cipher.createCipher('AES-', key); * * Creates an AES cipher object to encrypt data using the given symmetric key. * * The key may be given as a string of bytes, an array of bytes, a * byte buffer, or an array of 32-bit words. * * @param key the symmetric key to use. * @param mode the cipher mode to use (default: 'CBC'). * * @return the cipher. */ forge.aes.createEncryptionCipher = function (key, mode) { return _createCipher({ key: key, output: null, decrypt: false, mode: mode }); }; /** * Deprecated. Instead, use: * * var decipher = forge.cipher.createDecipher('AES-', key); * decipher.start({iv: iv}); * * Creates an AES cipher object to decrypt data using the given symmetric key. * The output will be stored in the 'output' member of the returned cipher. * * The key and iv may be given as a string of bytes, an array of bytes, * a byte buffer, or an array of 32-bit words. * * @param key the symmetric key to use. * @param iv the initialization vector to use. * @param output the buffer to write to, null to create one. * @param mode the cipher mode to use (default: 'CBC'). * * @return the cipher. */ forge.aes.startDecrypting = function (key, iv, output, mode) { var cipher = _createCipher({ key: key, output: output, decrypt: true, mode: mode }); cipher.start(iv); return cipher; }; /** * Deprecated. Instead, use: * * var decipher = forge.cipher.createDecipher('AES-', key); * * Creates an AES cipher object to decrypt data using the given symmetric key. * * The key may be given as a string of bytes, an array of bytes, a * byte buffer, or an array of 32-bit words. * * @param key the symmetric key to use. * @param mode the cipher mode to use (default: 'CBC'). * * @return the cipher. */ forge.aes.createDecryptionCipher = function (key, mode) { return _createCipher({ key: key, output: null, decrypt: true, mode: mode }); }; /** * Creates a new AES cipher algorithm object. * * @param name the name of the algorithm. * @param mode the mode factory function. * * @return the AES algorithm object. */ forge.aes.Algorithm = function (name, mode) { if (!init) { initialize(); } var self = this; self.name = name; self.mode = new mode({ blockSize: 16, cipher: { encrypt: function encrypt(inBlock, outBlock) { return _updateBlock(self._w, inBlock, outBlock, false); }, decrypt: function decrypt(inBlock, outBlock) { return _updateBlock(self._w, inBlock, outBlock, true); } } }); self._init = false; }; /** * Initializes this AES algorithm by expanding its key. * * @param options the options to use. * key the key to use with this algorithm. * decrypt true if the algorithm should be initialized for decryption, * false for encryption. */ forge.aes.Algorithm.prototype.initialize = function (options) { if (this._init) { return; } var key = options.key; var tmp; /* Note: The key may be a string of bytes, an array of bytes, a byte buffer, or an array of 32-bit integers. If the key is in bytes, then it must be 16, 24, or 32 bytes in length. If it is in 32-bit integers, it must be 4, 6, or 8 integers long. */ if (typeof key === 'string' && (key.length === 16 || key.length === 24 || key.length === 32)) { // convert key string into byte buffer key = forge.util.createBuffer(key); } else if (forge.util.isArray(key) && (key.length === 16 || key.length === 24 || key.length === 32)) { // convert key integer array into byte buffer tmp = key; key = forge.util.createBuffer(); for (var i = 0; i < tmp.length; ++i) { key.putByte(tmp[i]); } } // convert key byte buffer into 32-bit integer array if (!forge.util.isArray(key)) { tmp = key; key = []; // key lengths of 16, 24, 32 bytes allowed var len = tmp.length(); if (len === 16 || len === 24 || len === 32) { len = len >>> 2; for (var i = 0; i < len; ++i) { key.push(tmp.getInt32()); } } } // key must be an array of 32-bit integers by now if (!forge.util.isArray(key) || !(key.length === 4 || key.length === 6 || key.length === 8)) { throw new Error('Invalid key parameter.'); } // encryption operation is always used for these modes var mode = this.mode.name; var encryptOp = ['CFB', 'OFB', 'CTR', 'GCM'].indexOf(mode) !== -1; // do key expansion this._w = _expandKey(key, options.decrypt && !encryptOp); this._init = true; }; /** * Expands a key. Typically only used for testing. * * @param key the symmetric key to expand, as an array of 32-bit words. * @param decrypt true to expand for decryption, false for encryption. * * @return the expanded key. */ forge.aes._expandKey = function (key, decrypt) { if (!init) { initialize(); } return _expandKey(key, decrypt); }; /** * Updates a single block. Typically only used for testing. * * @param w the expanded key to use. * @param input an array of block-size 32-bit words. * @param output an array of block-size 32-bit words. * @param decrypt true to decrypt, false to encrypt. */ forge.aes._updateBlock = _updateBlock; /** Register AES algorithms **/ registerAlgorithm('AES-ECB', forge.cipher.modes.ecb); registerAlgorithm('AES-CBC', forge.cipher.modes.cbc); registerAlgorithm('AES-CFB', forge.cipher.modes.cfb); registerAlgorithm('AES-OFB', forge.cipher.modes.ofb); registerAlgorithm('AES-CTR', forge.cipher.modes.ctr); registerAlgorithm('AES-GCM', forge.cipher.modes.gcm); function registerAlgorithm(name, mode) { var factory = function factory() { return new forge.aes.Algorithm(name, mode); }; forge.cipher.registerAlgorithm(name, factory); } /** AES implementation **/ var init = false; // not yet initialized var Nb = 4; // number of words comprising the state (AES = 4) var sbox; // non-linear substitution table used in key expansion var isbox; // inversion of sbox var rcon; // round constant word array var mix; // mix-columns table var imix; // inverse mix-columns table /** * Performs initialization, ie: precomputes tables to optimize for speed. * * One way to understand how AES works is to imagine that 'addition' and * 'multiplication' are interfaces that require certain mathematical * properties to hold true (ie: they are associative) but they might have * different implementations and produce different kinds of results ... * provided that their mathematical properties remain true. AES defines * its own methods of addition and multiplication but keeps some important * properties the same, ie: associativity and distributivity. The * explanation below tries to shed some light on how AES defines addition * and multiplication of bytes and 32-bit words in order to perform its * encryption and decryption algorithms. * * The basics: * * The AES algorithm views bytes as binary representations of polynomials * that have either 1 or 0 as the coefficients. It defines the addition * or subtraction of two bytes as the XOR operation. It also defines the * multiplication of two bytes as a finite field referred to as GF(2^8) * (Note: 'GF' means "Galois Field" which is a field that contains a finite * number of elements so GF(2^8) has 256 elements). * * This means that any two bytes can be represented as binary polynomials; * when they multiplied together and modularly reduced by an irreducible * polynomial of the 8th degree, the results are the field GF(2^8). The * specific irreducible polynomial that AES uses in hexadecimal is 0x11b. * This multiplication is associative with 0x01 as the identity: * * (b * 0x01 = GF(b, 0x01) = b). * * The operation GF(b, 0x02) can be performed at the byte level by left * shifting b once and then XOR'ing it (to perform the modular reduction) * with 0x11b if b is >= 128. Repeated application of the multiplication * of 0x02 can be used to implement the multiplication of any two bytes. * * For instance, multiplying 0x57 and 0x13, denoted as GF(0x57, 0x13), can * be performed by factoring 0x13 into 0x01, 0x02, and 0x10. Then these * factors can each be multiplied by 0x57 and then added together. To do * the multiplication, values for 0x57 multiplied by each of these 3 factors * can be precomputed and stored in a table. To add them, the values from * the table are XOR'd together. * * AES also defines addition and multiplication of words, that is 4-byte * numbers represented as polynomials of 3 degrees where the coefficients * are the values of the bytes. * * The word [a0, a1, a2, a3] is a polynomial a3x^3 + a2x^2 + a1x + a0. * * Addition is performed by XOR'ing like powers of x. Multiplication * is performed in two steps, the first is an algebriac expansion as * you would do normally (where addition is XOR). But the result is * a polynomial larger than 3 degrees and thus it cannot fit in a word. So * next the result is modularly reduced by an AES-specific polynomial of * degree 4 which will always produce a polynomial of less than 4 degrees * such that it will fit in a word. In AES, this polynomial is x^4 + 1. * * The modular product of two polynomials 'a' and 'b' is thus: * * d(x) = d3x^3 + d2x^2 + d1x + d0 * with * d0 = GF(a0, b0) ^ GF(a3, b1) ^ GF(a2, b2) ^ GF(a1, b3) * d1 = GF(a1, b0) ^ GF(a0, b1) ^ GF(a3, b2) ^ GF(a2, b3) * d2 = GF(a2, b0) ^ GF(a1, b1) ^ GF(a0, b2) ^ GF(a3, b3) * d3 = GF(a3, b0) ^ GF(a2, b1) ^ GF(a1, b2) ^ GF(a0, b3) * * As a matrix: * * [d0] = [a0 a3 a2 a1][b0] * [d1] [a1 a0 a3 a2][b1] * [d2] [a2 a1 a0 a3][b2] * [d3] [a3 a2 a1 a0][b3] * * Special polynomials defined by AES (0x02 == {02}): * a(x) = {03}x^3 + {01}x^2 + {01}x + {02} * a^-1(x) = {0b}x^3 + {0d}x^2 + {09}x + {0e}. * * These polynomials are used in the MixColumns() and InverseMixColumns() * operations, respectively, to cause each element in the state to affect * the output (referred to as diffusing). * * RotWord() uses: a0 = a1 = a2 = {00} and a3 = {01}, which is the * polynomial x3. * * The ShiftRows() method modifies the last 3 rows in the state (where * the state is 4 words with 4 bytes per word) by shifting bytes cyclically. * The 1st byte in the second row is moved to the end of the row. The 1st * and 2nd bytes in the third row are moved to the end of the row. The 1st, * 2nd, and 3rd bytes are moved in the fourth row. * * More details on how AES arithmetic works: * * In the polynomial representation of binary numbers, XOR performs addition * and subtraction and multiplication in GF(2^8) denoted as GF(a, b) * corresponds with the multiplication of polynomials modulo an irreducible * polynomial of degree 8. In other words, for AES, GF(a, b) will multiply * polynomial 'a' with polynomial 'b' and then do a modular reduction by * an AES-specific irreducible polynomial of degree 8. * * A polynomial is irreducible if its only divisors are one and itself. For * the AES algorithm, this irreducible polynomial is: * * m(x) = x^8 + x^4 + x^3 + x + 1, * * or {01}{1b} in hexadecimal notation, where each coefficient is a bit: * 100011011 = 283 = 0x11b. * * For example, GF(0x57, 0x83) = 0xc1 because * * 0x57 = 87 = 01010111 = x^6 + x^4 + x^2 + x + 1 * 0x85 = 131 = 10000101 = x^7 + x + 1 * * (x^6 + x^4 + x^2 + x + 1) * (x^7 + x + 1) * = x^13 + x^11 + x^9 + x^8 + x^7 + * x^7 + x^5 + x^3 + x^2 + x + * x^6 + x^4 + x^2 + x + 1 * = x^13 + x^11 + x^9 + x^8 + x^6 + x^5 + x^4 + x^3 + 1 = y * y modulo (x^8 + x^4 + x^3 + x + 1) * = x^7 + x^6 + 1. * * The modular reduction by m(x) guarantees the result will be a binary * polynomial of less than degree 8, so that it can fit in a byte. * * The operation to multiply a binary polynomial b with x (the polynomial * x in binary representation is 00000010) is: * * b_7x^8 + b_6x^7 + b_5x^6 + b_4x^5 + b_3x^4 + b_2x^3 + b_1x^2 + b_0x^1 * * To get GF(b, x) we must reduce that by m(x). If b_7 is 0 (that is the * most significant bit is 0 in b) then the result is already reduced. If * it is 1, then we can reduce it by subtracting m(x) via an XOR. * * It follows that multiplication by x (00000010 or 0x02) can be implemented * by performing a left shift followed by a conditional bitwise XOR with * 0x1b. This operation on bytes is denoted by xtime(). Multiplication by * higher powers of x can be implemented by repeated application of xtime(). * * By adding intermediate results, multiplication by any constant can be * implemented. For instance: * * GF(0x57, 0x13) = 0xfe because: * * xtime(b) = (b & 128) ? (b << 1 ^ 0x11b) : (b << 1) * * Note: We XOR with 0x11b instead of 0x1b because in javascript our * datatype for b can be larger than 1 byte, so a left shift will not * automatically eliminate bits that overflow a byte ... by XOR'ing the * overflow bit with 1 (the extra one from 0x11b) we zero it out. * * GF(0x57, 0x02) = xtime(0x57) = 0xae * GF(0x57, 0x04) = xtime(0xae) = 0x47 * GF(0x57, 0x08) = xtime(0x47) = 0x8e * GF(0x57, 0x10) = xtime(0x8e) = 0x07 * * GF(0x57, 0x13) = GF(0x57, (0x01 ^ 0x02 ^ 0x10)) * * And by the distributive property (since XOR is addition and GF() is * multiplication): * * = GF(0x57, 0x01) ^ GF(0x57, 0x02) ^ GF(0x57, 0x10) * = 0x57 ^ 0xae ^ 0x07 * = 0xfe. */ function initialize() { init = true; /* Populate the Rcon table. These are the values given by [x^(i-1),{00},{00},{00}] where x^(i-1) are powers of x (and x = 0x02) in the field of GF(2^8), where i starts at 1. rcon[0] = [0x00, 0x00, 0x00, 0x00] rcon[1] = [0x01, 0x00, 0x00, 0x00] 2^(1-1) = 2^0 = 1 rcon[2] = [0x02, 0x00, 0x00, 0x00] 2^(2-1) = 2^1 = 2 ... rcon[9] = [0x1B, 0x00, 0x00, 0x00] 2^(9-1) = 2^8 = 0x1B rcon[10] = [0x36, 0x00, 0x00, 0x00] 2^(10-1) = 2^9 = 0x36 We only store the first byte because it is the only one used. */ rcon = [0x00, 0x01, 0x02, 0x04, 0x08, 0x10, 0x20, 0x40, 0x80, 0x1B, 0x36]; // compute xtime table which maps i onto GF(i, 0x02) var xtime = new Array(256); for (var i = 0; i < 128; ++i) { xtime[i] = i << 1; xtime[i + 128] = i + 128 << 1 ^ 0x11B; } // compute all other tables sbox = new Array(256); isbox = new Array(256); mix = new Array(4); imix = new Array(4); for (var i = 0; i < 4; ++i) { mix[i] = new Array(256); imix[i] = new Array(256); } var e = 0, ei = 0, e2, e4, e8, sx, sx2, me, ime; for (var i = 0; i < 256; ++i) { /* We need to generate the SubBytes() sbox and isbox tables so that we can perform byte substitutions. This requires us to traverse all of the elements in GF, find their multiplicative inverses, and apply to each the following affine transformation: bi' = bi ^ b(i + 4) mod 8 ^ b(i + 5) mod 8 ^ b(i + 6) mod 8 ^ b(i + 7) mod 8 ^ ci for 0 <= i < 8, where bi is the ith bit of the byte, and ci is the ith bit of a byte c with the value {63} or {01100011}. It is possible to traverse every possible value in a Galois field using what is referred to as a 'generator'. There are many generators (128 out of 256): 3,5,6,9,11,82 to name a few. To fully traverse GF we iterate 255 times, multiplying by our generator each time. On each iteration we can determine the multiplicative inverse for the current element. Suppose there is an element in GF 'e'. For a given generator 'g', e = g^x. The multiplicative inverse of e is g^(255 - x). It turns out that if use the inverse of a generator as another generator it will produce all of the corresponding multiplicative inverses at the same time. For this reason, we choose 5 as our inverse generator because it only requires 2 multiplies and 1 add and its inverse, 82, requires relatively few operations as well. In order to apply the affine transformation, the multiplicative inverse 'ei' of 'e' can be repeatedly XOR'd (4 times) with a bit-cycling of 'ei'. To do this 'ei' is first stored in 's' and 'x'. Then 's' is left shifted and the high bit of 's' is made the low bit. The resulting value is stored in 's'. Then 'x' is XOR'd with 's' and stored in 'x'. On each subsequent iteration the same operation is performed. When 4 iterations are complete, 'x' is XOR'd with 'c' (0x63) and the transformed value is stored in 'x'. For example: s = 01000001 x = 01000001 iteration 1: s = 10000010, x ^= s iteration 2: s = 00000101, x ^= s iteration 3: s = 00001010, x ^= s iteration 4: s = 00010100, x ^= s x ^= 0x63 This can be done with a loop where s = (s << 1) | (s >> 7). However, it can also be done by using a single 16-bit (in this case 32-bit) number 'sx'. Since XOR is an associative operation, we can set 'sx' to 'ei' and then XOR it with 'sx' left-shifted 1,2,3, and 4 times. The most significant bits will flow into the high 8 bit positions and be correctly XOR'd with one another. All that remains will be to cycle the high 8 bits by XOR'ing them all with the lower 8 bits afterwards. At the same time we're populating sbox and isbox we can precompute the multiplication we'll need to do to do MixColumns() later. */ // apply affine transformation sx = ei ^ ei << 1 ^ ei << 2 ^ ei << 3 ^ ei << 4; sx = sx >> 8 ^ sx & 255 ^ 0x63; // update tables sbox[e] = sx; isbox[sx] = e; /* Mixing columns is done using matrix multiplication. The columns that are to be mixed are each a single word in the current state. The state has Nb columns (4 columns). Therefore each column is a 4 byte word. So to mix the columns in a single column 'c' where its rows are r0, r1, r2, and r3, we use the following matrix multiplication: [2 3 1 1]*[r0,c]=[r'0,c] [1 2 3 1] [r1,c] [r'1,c] [1 1 2 3] [r2,c] [r'2,c] [3 1 1 2] [r3,c] [r'3,c] r0, r1, r2, and r3 are each 1 byte of one of the words in the state (a column). To do matrix multiplication for each mixed column c' we multiply the corresponding row from the left matrix with the corresponding column from the right matrix. In total, we get 4 equations: r0,c' = 2*r0,c + 3*r1,c + 1*r2,c + 1*r3,c r1,c' = 1*r0,c + 2*r1,c + 3*r2,c + 1*r3,c r2,c' = 1*r0,c + 1*r1,c + 2*r2,c + 3*r3,c r3,c' = 3*r0,c + 1*r1,c + 1*r2,c + 2*r3,c As usual, the multiplication is as previously defined and the addition is XOR. In order to optimize mixing columns we can store the multiplication results in tables. If you think of the whole column as a word (it might help to visualize by mentally rotating the equations above by counterclockwise 90 degrees) then you can see that it would be useful to map the multiplications performed on each byte (r0, r1, r2, r3) onto a word as well. For instance, we could map 2*r0,1*r0,1*r0,3*r0 onto a word by storing 2*r0 in the highest 8 bits and 3*r0 in the lowest 8 bits (with the other two respectively in the middle). This means that a table can be constructed that uses r0 as an index to the word. We can do the same with r1, r2, and r3, creating a total of 4 tables. To construct a full c', we can just look up each byte of c in their respective tables and XOR the results together. Also, to build each table we only have to calculate the word for 2,1,1,3 for every byte ... which we can do on each iteration of this loop since we will iterate over every byte. After we have calculated 2,1,1,3 we can get the results for the other tables by cycling the byte at the end to the beginning. For instance we can take the result of table 2,1,1,3 and produce table 3,2,1,1 by moving the right most byte to the left most position just like how you can imagine the 3 moved out of 2,1,1,3 and to the front to produce 3,2,1,1. There is another optimization in that the same multiples of the current element we need in order to advance our generator to the next iteration can be reused in performing the 2,1,1,3 calculation. We also calculate the inverse mix column tables, with e,9,d,b being the inverse of 2,1,1,3. When we're done, and we need to actually mix columns, the first byte of each state word should be put through mix[0] (2,1,1,3), the second through mix[1] (3,2,1,1) and so forth. Then they should be XOR'd together to produce the fully mixed column. */ // calculate mix and imix table values sx2 = xtime[sx]; e2 = xtime[e]; e4 = xtime[e2]; e8 = xtime[e4]; me = sx2 << 24 ^ // 2 sx << 16 ^ // 1 sx << 8 ^ ( // 1 sx ^ sx2); // 3 ime = (e2 ^ e4 ^ e8) << 24 ^ // E (14) (e ^ e8) << 16 ^ // 9 (e ^ e4 ^ e8) << 8 ^ ( // D (13) e ^ e2 ^ e8); // B (11) // produce each of the mix tables by rotating the 2,1,1,3 value for (var n = 0; n < 4; ++n) { mix[n][e] = me; imix[n][sx] = ime; // cycle the right most byte to the left most position // ie: 2,1,1,3 becomes 3,2,1,1 me = me << 24 | me >>> 8; ime = ime << 24 | ime >>> 8; } // get next element and inverse if (e === 0) { // 1 is the inverse of 1 e = ei = 1; } else { // e = 2e + 2*2*2*(10e)) = multiply e by 82 (chosen generator) // ei = ei + 2*2*ei = multiply ei by 5 (inverse generator) e = e2 ^ xtime[xtime[xtime[e2 ^ e8]]]; ei ^= xtime[xtime[ei]]; } } } /** * Generates a key schedule using the AES key expansion algorithm. * * The AES algorithm takes the Cipher Key, K, and performs a Key Expansion * routine to generate a key schedule. The Key Expansion generates a total * of Nb*(Nr + 1) words: the algorithm requires an initial set of Nb words, * and each of the Nr rounds requires Nb words of key data. The resulting * key schedule consists of a linear array of 4-byte words, denoted [wi ], * with i in the range 0 ≤ i < Nb(Nr + 1). * * KeyExpansion(byte key[4*Nk], word w[Nb*(Nr+1)], Nk) * AES-128 (Nb=4, Nk=4, Nr=10) * AES-192 (Nb=4, Nk=6, Nr=12) * AES-256 (Nb=4, Nk=8, Nr=14) * Note: Nr=Nk+6. * * Nb is the number of columns (32-bit words) comprising the State (or * number of bytes in a block). For AES, Nb=4. * * @param key the key to schedule (as an array of 32-bit words). * @param decrypt true to modify the key schedule to decrypt, false not to. * * @return the generated key schedule. */ function _expandKey(key, decrypt) { // copy the key's words to initialize the key schedule var w = key.slice(0); /* RotWord() will rotate a word, moving the first byte to the last byte's position (shifting the other bytes left). We will be getting the value of Rcon at i / Nk. 'i' will iterate from Nk to (Nb * Nr+1). Nk = 4 (4 byte key), Nb = 4 (4 words in a block), Nr = Nk + 6 (10). Therefore 'i' will iterate from 4 to 44 (exclusive). Each time we iterate 4 times, i / Nk will increase by 1. We use a counter iNk to keep track of this. */ // go through the rounds expanding the key var temp, iNk = 1; var Nk = w.length; var Nr1 = Nk + 6 + 1; var end = Nb * Nr1; for (var i = Nk; i < end; ++i) { temp = w[i - 1]; if (i % Nk === 0) { // temp = SubWord(RotWord(temp)) ^ Rcon[i / Nk] temp = sbox[temp >>> 16 & 255] << 24 ^ sbox[temp >>> 8 & 255] << 16 ^ sbox[temp & 255] << 8 ^ sbox[temp >>> 24] ^ rcon[iNk] << 24; iNk++; } else if (Nk > 6 && i % Nk === 4) { // temp = SubWord(temp) temp = sbox[temp >>> 24] << 24 ^ sbox[temp >>> 16 & 255] << 16 ^ sbox[temp >>> 8 & 255] << 8 ^ sbox[temp & 255]; } w[i] = w[i - Nk] ^ temp; } /* When we are updating a cipher block we always use the code path for encryption whether we are decrypting or not (to shorten code and simplify the generation of look up tables). However, because there are differences in the decryption algorithm, other than just swapping in different look up tables, we must transform our key schedule to account for these changes: 1. The decryption algorithm gets its key rounds in reverse order. 2. The decryption algorithm adds the round key before mixing columns instead of afterwards. We don't need to modify our key schedule to handle the first case, we can just traverse the key schedule in reverse order when decrypting. The second case requires a little work. The tables we built for performing rounds will take an input and then perform SubBytes() and MixColumns() or, for the decrypt version, InvSubBytes() and InvMixColumns(). But the decrypt algorithm requires us to AddRoundKey() before InvMixColumns(). This means we'll need to apply some transformations to the round key to inverse-mix its columns so they'll be correct for moving AddRoundKey() to after the state has had its columns inverse-mixed. To inverse-mix the columns of the state when we're decrypting we use a lookup table that will apply InvSubBytes() and InvMixColumns() at the same time. However, the round key's bytes are not inverse-substituted in the decryption algorithm. To get around this problem, we can first substitute the bytes in the round key so that when we apply the transformation via the InvSubBytes()+InvMixColumns() table, it will undo our substitution leaving us with the original value that we want -- and then inverse-mix that value. This change will correctly alter our key schedule so that we can XOR each round key with our already transformed decryption state. This allows us to use the same code path as the encryption algorithm. We make one more change to the decryption key. Since the decryption algorithm runs in reverse from the encryption algorithm, we reverse the order of the round keys to avoid having to iterate over the key schedule backwards when running the encryption algorithm later in decryption mode. In addition to reversing the order of the round keys, we also swap each round key's 2nd and 4th rows. See the comments section where rounds are performed for more details about why this is done. These changes are done inline with the other substitution described above. */ if (decrypt) { var tmp; var m0 = imix[0]; var m1 = imix[1]; var m2 = imix[2]; var m3 = imix[3]; var wnew = w.slice(0); end = w.length; for (var i = 0, wi = end - Nb; i < end; i += Nb, wi -= Nb) { // do not sub the first or last round key (round keys are Nb // words) as no column mixing is performed before they are added, // but do change the key order if (i === 0 || i === end - Nb) { wnew[i] = w[wi]; wnew[i + 1] = w[wi + 3]; wnew[i + 2] = w[wi + 2]; wnew[i + 3] = w[wi + 1]; } else { // substitute each round key byte because the inverse-mix // table will inverse-substitute it (effectively cancel the // substitution because round key bytes aren't sub'd in // decryption mode) and swap indexes 3 and 1 for (var n = 0; n < Nb; ++n) { tmp = w[wi + n]; wnew[i + (3 & -n)] = m0[sbox[tmp >>> 24]] ^ m1[sbox[tmp >>> 16 & 255]] ^ m2[sbox[tmp >>> 8 & 255]] ^ m3[sbox[tmp & 255]]; } } } w = wnew; } return w; } /** * Updates a single block (16 bytes) using AES. The update will either * encrypt or decrypt the block. * * @param w the key schedule. * @param input the input block (an array of 32-bit words). * @param output the updated output block. * @param decrypt true to decrypt the block, false to encrypt it. */ function _updateBlock(w, input, output, decrypt) { /* Cipher(byte in[4*Nb], byte out[4*Nb], word w[Nb*(Nr+1)]) begin byte state[4,Nb] state = in AddRoundKey(state, w[0, Nb-1]) for round = 1 step 1 to Nr–1 SubBytes(state) ShiftRows(state) MixColumns(state) AddRoundKey(state, w[round*Nb, (round+1)*Nb-1]) end for SubBytes(state) ShiftRows(state) AddRoundKey(state, w[Nr*Nb, (Nr+1)*Nb-1]) out = state end InvCipher(byte in[4*Nb], byte out[4*Nb], word w[Nb*(Nr+1)]) begin byte state[4,Nb] state = in AddRoundKey(state, w[Nr*Nb, (Nr+1)*Nb-1]) for round = Nr-1 step -1 downto 1 InvShiftRows(state) InvSubBytes(state) AddRoundKey(state, w[round*Nb, (round+1)*Nb-1]) InvMixColumns(state) end for InvShiftRows(state) InvSubBytes(state) AddRoundKey(state, w[0, Nb-1]) out = state end */ // Encrypt: AddRoundKey(state, w[0, Nb-1]) // Decrypt: AddRoundKey(state, w[Nr*Nb, (Nr+1)*Nb-1]) var Nr = w.length / 4 - 1; var m0, m1, m2, m3, sub; if (decrypt) { m0 = imix[0]; m1 = imix[1]; m2 = imix[2]; m3 = imix[3]; sub = isbox; } else { m0 = mix[0]; m1 = mix[1]; m2 = mix[2]; m3 = mix[3]; sub = sbox; } var a, b, c, d, a2, b2, c2; a = input[0] ^ w[0]; b = input[decrypt ? 3 : 1] ^ w[1]; c = input[2] ^ w[2]; d = input[decrypt ? 1 : 3] ^ w[3]; var i = 3; /* In order to share code we follow the encryption algorithm when both encrypting and decrypting. To account for the changes required in the decryption algorithm, we use different lookup tables when decrypting and use a modified key schedule to account for the difference in the order of transformations applied when performing rounds. We also get key rounds in reverse order (relative to encryption). */ for (var round = 1; round < Nr; ++round) { /* As described above, we'll be using table lookups to perform the column mixing. Each column is stored as a word in the state (the array 'input' has one column as a word at each index). In order to mix a column, we perform these transformations on each row in c, which is 1 byte in each word. The new column for c0 is c'0: m0 m1 m2 m3 r0,c'0 = 2*r0,c0 + 3*r1,c0 + 1*r2,c0 + 1*r3,c0 r1,c'0 = 1*r0,c0 + 2*r1,c0 + 3*r2,c0 + 1*r3,c0 r2,c'0 = 1*r0,c0 + 1*r1,c0 + 2*r2,c0 + 3*r3,c0 r3,c'0 = 3*r0,c0 + 1*r1,c0 + 1*r2,c0 + 2*r3,c0 So using mix tables where c0 is a word with r0 being its upper 8 bits and r3 being its lower 8 bits: m0[c0 >> 24] will yield this word: [2*r0,1*r0,1*r0,3*r0] ... m3[c0 & 255] will yield this word: [1*r3,1*r3,3*r3,2*r3] Therefore to mix the columns in each word in the state we do the following (& 255 omitted for brevity): c'0,r0 = m0[c0 >> 24] ^ m1[c1 >> 16] ^ m2[c2 >> 8] ^ m3[c3] c'0,r1 = m0[c0 >> 24] ^ m1[c1 >> 16] ^ m2[c2 >> 8] ^ m3[c3] c'0,r2 = m0[c0 >> 24] ^ m1[c1 >> 16] ^ m2[c2 >> 8] ^ m3[c3] c'0,r3 = m0[c0 >> 24] ^ m1[c1 >> 16] ^ m2[c2 >> 8] ^ m3[c3] However, before mixing, the algorithm requires us to perform ShiftRows(). The ShiftRows() transformation cyclically shifts the last 3 rows of the state over different offsets. The first row (r = 0) is not shifted. s'_r,c = s_r,(c + shift(r, Nb) mod Nb for 0 < r < 4 and 0 <= c < Nb and shift(1, 4) = 1 shift(2, 4) = 2 shift(3, 4) = 3. This causes the first byte in r = 1 to be moved to the end of the row, the first 2 bytes in r = 2 to be moved to the end of the row, the first 3 bytes in r = 3 to be moved to the end of the row: r1: [c0 c1 c2 c3] => [c1 c2 c3 c0] r2: [c0 c1 c2 c3] [c2 c3 c0 c1] r3: [c0 c1 c2 c3] [c3 c0 c1 c2] We can make these substitutions inline with our column mixing to generate an updated set of equations to produce each word in the state (note the columns have changed positions): c0 c1 c2 c3 => c0 c1 c2 c3 c0 c1 c2 c3 c1 c2 c3 c0 (cycled 1 byte) c0 c1 c2 c3 c2 c3 c0 c1 (cycled 2 bytes) c0 c1 c2 c3 c3 c0 c1 c2 (cycled 3 bytes) Therefore: c'0 = 2*r0,c0 + 3*r1,c1 + 1*r2,c2 + 1*r3,c3 c'0 = 1*r0,c0 + 2*r1,c1 + 3*r2,c2 + 1*r3,c3 c'0 = 1*r0,c0 + 1*r1,c1 + 2*r2,c2 + 3*r3,c3 c'0 = 3*r0,c0 + 1*r1,c1 + 1*r2,c2 + 2*r3,c3 c'1 = 2*r0,c1 + 3*r1,c2 + 1*r2,c3 + 1*r3,c0 c'1 = 1*r0,c1 + 2*r1,c2 + 3*r2,c3 + 1*r3,c0 c'1 = 1*r0,c1 + 1*r1,c2 + 2*r2,c3 + 3*r3,c0 c'1 = 3*r0,c1 + 1*r1,c2 + 1*r2,c3 + 2*r3,c0 ... and so forth for c'2 and c'3. The important distinction is that the columns are cycling, with c0 being used with the m0 map when calculating c0, but c1 being used with the m0 map when calculating c1 ... and so forth. When performing the inverse we transform the mirror image and skip the bottom row, instead of the top one, and move upwards: c3 c2 c1 c0 => c0 c3 c2 c1 (cycled 3 bytes) *same as encryption c3 c2 c1 c0 c1 c0 c3 c2 (cycled 2 bytes) c3 c2 c1 c0 c2 c1 c0 c3 (cycled 1 byte) *same as encryption c3 c2 c1 c0 c3 c2 c1 c0 If you compare the resulting matrices for ShiftRows()+MixColumns() and for InvShiftRows()+InvMixColumns() the 2nd and 4th columns are different (in encrypt mode vs. decrypt mode). So in order to use the same code to handle both encryption and decryption, we will need to do some mapping. If in encryption mode we let a=c0, b=c1, c=c2, d=c3, and r be a row number in the state, then the resulting matrix in encryption mode for applying the above transformations would be: r1: a b c d r2: b c d a r3: c d a b r4: d a b c If we did the same in decryption mode we would get: r1: a d c b r2: b a d c r3: c b a d r4: d c b a If instead we swap d and b (set b=c3 and d=c1), then we get: r1: a b c d r2: d a b c r3: c d a b r4: b c d a Now the 1st and 3rd rows are the same as the encryption matrix. All we need to do then to make the mapping exactly the same is to swap the 2nd and 4th rows when in decryption mode. To do this without having to do it on each iteration, we swapped the 2nd and 4th rows in the decryption key schedule. We also have to do the swap above when we first pull in the input and when we set the final output. */ a2 = m0[a >>> 24] ^ m1[b >>> 16 & 255] ^ m2[c >>> 8 & 255] ^ m3[d & 255] ^ w[++i]; b2 = m0[b >>> 24] ^ m1[c >>> 16 & 255] ^ m2[d >>> 8 & 255] ^ m3[a & 255] ^ w[++i]; c2 = m0[c >>> 24] ^ m1[d >>> 16 & 255] ^ m2[a >>> 8 & 255] ^ m3[b & 255] ^ w[++i]; d = m0[d >>> 24] ^ m1[a >>> 16 & 255] ^ m2[b >>> 8 & 255] ^ m3[c & 255] ^ w[++i]; a = a2; b = b2; c = c2; } /* Encrypt: SubBytes(state) ShiftRows(state) AddRoundKey(state, w[Nr*Nb, (Nr+1)*Nb-1]) Decrypt: InvShiftRows(state) InvSubBytes(state) AddRoundKey(state, w[0, Nb-1]) */ // Note: rows are shifted inline output[0] = sub[a >>> 24] << 24 ^ sub[b >>> 16 & 255] << 16 ^ sub[c >>> 8 & 255] << 8 ^ sub[d & 255] ^ w[++i]; output[decrypt ? 3 : 1] = sub[b >>> 24] << 24 ^ sub[c >>> 16 & 255] << 16 ^ sub[d >>> 8 & 255] << 8 ^ sub[a & 255] ^ w[++i]; output[2] = sub[c >>> 24] << 24 ^ sub[d >>> 16 & 255] << 16 ^ sub[a >>> 8 & 255] << 8 ^ sub[b & 255] ^ w[++i]; output[decrypt ? 1 : 3] = sub[d >>> 24] << 24 ^ sub[a >>> 16 & 255] << 16 ^ sub[b >>> 8 & 255] << 8 ^ sub[c & 255] ^ w[++i]; } /** * Deprecated. Instead, use: * * forge.cipher.createCipher('AES-', key); * forge.cipher.createDecipher('AES-', key); * * Creates a deprecated AES cipher object. This object's mode will default to * CBC (cipher-block-chaining). * * The key and iv may be given as a string of bytes, an array of bytes, a * byte buffer, or an array of 32-bit words. * * @param options the options to use. * key the symmetric key to use. * output the buffer to write to. * decrypt true for decryption, false for encryption. * mode the cipher mode to use (default: 'CBC'). * * @return the cipher. */ function _createCipher(options) { options = options || {}; var mode = (options.mode || 'CBC').toUpperCase(); var algorithm = 'AES-' + mode; var cipher; if (options.decrypt) { cipher = forge.cipher.createDecipher(algorithm, options.key); } else { cipher = forge.cipher.createCipher(algorithm, options.key); } // backwards compatible start API var start = cipher.start; cipher.start = function (iv, options) { // backwards compatibility: support second arg as output buffer var output = null; if (options instanceof forge.util.ByteBuffer) { output = options; options = {}; } options = options || {}; options.output = output; options.iv = iv; start.call(cipher, options); }; return cipher; } /***/ }), /* 115 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Cipher base API. * * @author Dave Longley * * Copyright (c) 2010-2014 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); __webpack_require__(9); module.exports = forge.cipher = forge.cipher || {}; // registered algorithms forge.cipher.algorithms = forge.cipher.algorithms || {}; /** * Creates a cipher object that can be used to encrypt data using the given * algorithm and key. The algorithm may be provided as a string value for a * previously registered algorithm or it may be given as a cipher algorithm * API object. * * @param algorithm the algorithm to use, either a string or an algorithm API * object. * @param key the key to use, as a binary-encoded string of bytes or a * byte buffer. * * @return the cipher. */ forge.cipher.createCipher = function (algorithm, key) { var api = algorithm; if (typeof api === 'string') { api = forge.cipher.getAlgorithm(api); if (api) { api = api(); } } if (!api) { throw new Error('Unsupported algorithm: ' + algorithm); } // assume block cipher return new forge.cipher.BlockCipher({ algorithm: api, key: key, decrypt: false }); }; /** * Creates a decipher object that can be used to decrypt data using the given * algorithm and key. The algorithm may be provided as a string value for a * previously registered algorithm or it may be given as a cipher algorithm * API object. * * @param algorithm the algorithm to use, either a string or an algorithm API * object. * @param key the key to use, as a binary-encoded string of bytes or a * byte buffer. * * @return the cipher. */ forge.cipher.createDecipher = function (algorithm, key) { var api = algorithm; if (typeof api === 'string') { api = forge.cipher.getAlgorithm(api); if (api) { api = api(); } } if (!api) { throw new Error('Unsupported algorithm: ' + algorithm); } // assume block cipher return new forge.cipher.BlockCipher({ algorithm: api, key: key, decrypt: true }); }; /** * Registers an algorithm by name. If the name was already registered, the * algorithm API object will be overwritten. * * @param name the name of the algorithm. * @param algorithm the algorithm API object. */ forge.cipher.registerAlgorithm = function (name, algorithm) { name = name.toUpperCase(); forge.cipher.algorithms[name] = algorithm; }; /** * Gets a registered algorithm by name. * * @param name the name of the algorithm. * * @return the algorithm, if found, null if not. */ forge.cipher.getAlgorithm = function (name) { name = name.toUpperCase(); if (name in forge.cipher.algorithms) { return forge.cipher.algorithms[name]; } return null; }; var BlockCipher = forge.cipher.BlockCipher = function (options) { this.algorithm = options.algorithm; this.mode = this.algorithm.mode; this.blockSize = this.mode.blockSize; this._finish = false; this._input = null; this.output = null; this._op = options.decrypt ? this.mode.decrypt : this.mode.encrypt; this._decrypt = options.decrypt; this.algorithm.initialize(options); }; /** * Starts or restarts the encryption or decryption process, whichever * was previously configured. * * For non-GCM mode, the IV may be a binary-encoded string of bytes, an array * of bytes, a byte buffer, or an array of 32-bit integers. If the IV is in * bytes, then it must be Nb (16) bytes in length. If the IV is given in as * 32-bit integers, then it must be 4 integers long. * * Note: an IV is not required or used in ECB mode. * * For GCM-mode, the IV must be given as a binary-encoded string of bytes or * a byte buffer. The number of bytes should be 12 (96 bits) as recommended * by NIST SP-800-38D but another length may be given. * * @param options the options to use: * iv the initialization vector to use as a binary-encoded string of * bytes, null to reuse the last ciphered block from a previous * update() (this "residue" method is for legacy support only). * additionalData additional authentication data as a binary-encoded * string of bytes, for 'GCM' mode, (default: none). * tagLength desired length of authentication tag, in bits, for * 'GCM' mode (0-128, default: 128). * tag the authentication tag to check if decrypting, as a * binary-encoded string of bytes. * output the output the buffer to write to, null to create one. */ BlockCipher.prototype.start = function (options) { options = options || {}; var opts = {}; for (var key in options) { opts[key] = options[key]; } opts.decrypt = this._decrypt; this._finish = false; this._input = forge.util.createBuffer(); this.output = options.output || forge.util.createBuffer(); this.mode.start(opts); }; /** * Updates the next block according to the cipher mode. * * @param input the buffer to read from. */ BlockCipher.prototype.update = function (input) { if (input) { // input given, so empty it into the input buffer this._input.putBuffer(input); } // do cipher operation until it needs more input and not finished while (!this._op.call(this.mode, this._input, this.output, this._finish) && !this._finish) {} // free consumed memory from input buffer this._input.compact(); }; /** * Finishes encrypting or decrypting. * * @param pad a padding function to use in CBC mode, null for default, * signature(blockSize, buffer, decrypt). * * @return true if successful, false on error. */ BlockCipher.prototype.finish = function (pad) { // backwards-compatibility w/deprecated padding API // Note: will overwrite padding functions even after another start() call if (pad && (this.mode.name === 'ECB' || this.mode.name === 'CBC')) { this.mode.pad = function (input) { return pad(this.blockSize, input, false); }; this.mode.unpad = function (output) { return pad(this.blockSize, output, true); }; } // build options for padding and afterFinish functions var options = {}; options.decrypt = this._decrypt; // get # of bytes that won't fill a block options.overflow = this._input.length() % this.blockSize; if (!this._decrypt && this.mode.pad) { if (!this.mode.pad(this._input, options)) { return false; } } // do final update this._finish = true; this.update(); if (this._decrypt && this.mode.unpad) { if (!this.mode.unpad(this.output, options)) { return false; } } if (this.mode.afterFinish) { if (!this.mode.afterFinish(this.output, options)) { return false; } } return true; }; /***/ }), /* 116 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Supported cipher modes. * * @author Dave Longley * * Copyright (c) 2010-2014 Digital Bazaar, Inc. */ var forge = __webpack_require__(7); __webpack_require__(9); forge.cipher = forge.cipher || {}; // supported cipher modes var modes = module.exports = forge.cipher.modes = forge.cipher.modes || {}; /** Electronic codebook (ECB) (Don't use this; it's not secure) **/ modes.ecb = function (options) { options = options || {}; this.name = 'ECB'; this.cipher = options.cipher; this.blockSize = options.blockSize || 16; this._ints = this.blockSize / 4; this._inBlock = new Array(this._ints); this._outBlock = new Array(this._ints); }; modes.ecb.prototype.start = function (options) {}; modes.ecb.prototype.encrypt = function (input, output, finish) { // not enough input to encrypt if (input.length() < this.blockSize && !(finish && input.length() > 0)) { return true; } // get next block for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = input.getInt32(); } // encrypt block this.cipher.encrypt(this._inBlock, this._outBlock); // write output for (var i = 0; i < this._ints; ++i) { output.putInt32(this._outBlock[i]); } }; modes.ecb.prototype.decrypt = function (input, output, finish) { // not enough input to decrypt if (input.length() < this.blockSize && !(finish && input.length() > 0)) { return true; } // get next block for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = input.getInt32(); } // decrypt block this.cipher.decrypt(this._inBlock, this._outBlock); // write output for (var i = 0; i < this._ints; ++i) { output.putInt32(this._outBlock[i]); } }; modes.ecb.prototype.pad = function (input, options) { // add PKCS#7 padding to block (each pad byte is the // value of the number of pad bytes) var padding = input.length() === this.blockSize ? this.blockSize : this.blockSize - input.length(); input.fillWithByte(padding, padding); return true; }; modes.ecb.prototype.unpad = function (output, options) { // check for error: input data not a multiple of blockSize if (options.overflow > 0) { return false; } // ensure padding byte count is valid var len = output.length(); var count = output.at(len - 1); if (count > this.blockSize << 2) { return false; } // trim off padding bytes output.truncate(count); return true; }; /** Cipher-block Chaining (CBC) **/ modes.cbc = function (options) { options = options || {}; this.name = 'CBC'; this.cipher = options.cipher; this.blockSize = options.blockSize || 16; this._ints = this.blockSize / 4; this._inBlock = new Array(this._ints); this._outBlock = new Array(this._ints); }; modes.cbc.prototype.start = function (options) { // Note: legacy support for using IV residue (has security flaws) // if IV is null, reuse block from previous processing if (options.iv === null) { // must have a previous block if (!this._prev) { throw new Error('Invalid IV parameter.'); } this._iv = this._prev.slice(0); } else if (!('iv' in options)) { throw new Error('Invalid IV parameter.'); } else { // save IV as "previous" block this._iv = transformIV(options.iv); this._prev = this._iv.slice(0); } }; modes.cbc.prototype.encrypt = function (input, output, finish) { // not enough input to encrypt if (input.length() < this.blockSize && !(finish && input.length() > 0)) { return true; } // get next block // CBC XOR's IV (or previous block) with plaintext for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = this._prev[i] ^ input.getInt32(); } // encrypt block this.cipher.encrypt(this._inBlock, this._outBlock); // write output, save previous block for (var i = 0; i < this._ints; ++i) { output.putInt32(this._outBlock[i]); } this._prev = this._outBlock; }; modes.cbc.prototype.decrypt = function (input, output, finish) { // not enough input to decrypt if (input.length() < this.blockSize && !(finish && input.length() > 0)) { return true; } // get next block for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = input.getInt32(); } // decrypt block this.cipher.decrypt(this._inBlock, this._outBlock); // write output, save previous ciphered block // CBC XOR's IV (or previous block) with ciphertext for (var i = 0; i < this._ints; ++i) { output.putInt32(this._prev[i] ^ this._outBlock[i]); } this._prev = this._inBlock.slice(0); }; modes.cbc.prototype.pad = function (input, options) { // add PKCS#7 padding to block (each pad byte is the // value of the number of pad bytes) var padding = input.length() === this.blockSize ? this.blockSize : this.blockSize - input.length(); input.fillWithByte(padding, padding); return true; }; modes.cbc.prototype.unpad = function (output, options) { // check for error: input data not a multiple of blockSize if (options.overflow > 0) { return false; } // ensure padding byte count is valid var len = output.length(); var count = output.at(len - 1); if (count > this.blockSize << 2) { return false; } // trim off padding bytes output.truncate(count); return true; }; /** Cipher feedback (CFB) **/ modes.cfb = function (options) { options = options || {}; this.name = 'CFB'; this.cipher = options.cipher; this.blockSize = options.blockSize || 16; this._ints = this.blockSize / 4; this._inBlock = null; this._outBlock = new Array(this._ints); this._partialBlock = new Array(this._ints); this._partialOutput = forge.util.createBuffer(); this._partialBytes = 0; }; modes.cfb.prototype.start = function (options) { if (!('iv' in options)) { throw new Error('Invalid IV parameter.'); } // use IV as first input this._iv = transformIV(options.iv); this._inBlock = this._iv.slice(0); this._partialBytes = 0; }; modes.cfb.prototype.encrypt = function (input, output, finish) { // not enough input to encrypt var inputLength = input.length(); if (inputLength === 0) { return true; } // encrypt block this.cipher.encrypt(this._inBlock, this._outBlock); // handle full block if (this._partialBytes === 0 && inputLength >= this.blockSize) { // XOR input with output, write input as output for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = input.getInt32() ^ this._outBlock[i]; output.putInt32(this._inBlock[i]); } return; } // handle partial block var partialBytes = (this.blockSize - inputLength) % this.blockSize; if (partialBytes > 0) { partialBytes = this.blockSize - partialBytes; } // XOR input with output, write input as partial output this._partialOutput.clear(); for (var i = 0; i < this._ints; ++i) { this._partialBlock[i] = input.getInt32() ^ this._outBlock[i]; this._partialOutput.putInt32(this._partialBlock[i]); } if (partialBytes > 0) { // block still incomplete, restore input buffer input.read -= this.blockSize; } else { // block complete, update input block for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = this._partialBlock[i]; } } // skip any previous partial bytes if (this._partialBytes > 0) { this._partialOutput.getBytes(this._partialBytes); } if (partialBytes > 0 && !finish) { output.putBytes(this._partialOutput.getBytes(partialBytes - this._partialBytes)); this._partialBytes = partialBytes; return true; } output.putBytes(this._partialOutput.getBytes(inputLength - this._partialBytes)); this._partialBytes = 0; }; modes.cfb.prototype.decrypt = function (input, output, finish) { // not enough input to decrypt var inputLength = input.length(); if (inputLength === 0) { return true; } // encrypt block (CFB always uses encryption mode) this.cipher.encrypt(this._inBlock, this._outBlock); // handle full block if (this._partialBytes === 0 && inputLength >= this.blockSize) { // XOR input with output, write input as output for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = input.getInt32(); output.putInt32(this._inBlock[i] ^ this._outBlock[i]); } return; } // handle partial block var partialBytes = (this.blockSize - inputLength) % this.blockSize; if (partialBytes > 0) { partialBytes = this.blockSize - partialBytes; } // XOR input with output, write input as partial output this._partialOutput.clear(); for (var i = 0; i < this._ints; ++i) { this._partialBlock[i] = input.getInt32(); this._partialOutput.putInt32(this._partialBlock[i] ^ this._outBlock[i]); } if (partialBytes > 0) { // block still incomplete, restore input buffer input.read -= this.blockSize; } else { // block complete, update input block for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = this._partialBlock[i]; } } // skip any previous partial bytes if (this._partialBytes > 0) { this._partialOutput.getBytes(this._partialBytes); } if (partialBytes > 0 && !finish) { output.putBytes(this._partialOutput.getBytes(partialBytes - this._partialBytes)); this._partialBytes = partialBytes; return true; } output.putBytes(this._partialOutput.getBytes(inputLength - this._partialBytes)); this._partialBytes = 0; }; /** Output feedback (OFB) **/ modes.ofb = function (options) { options = options || {}; this.name = 'OFB'; this.cipher = options.cipher; this.blockSize = options.blockSize || 16; this._ints = this.blockSize / 4; this._inBlock = null; this._outBlock = new Array(this._ints); this._partialOutput = forge.util.createBuffer(); this._partialBytes = 0; }; modes.ofb.prototype.start = function (options) { if (!('iv' in options)) { throw new Error('Invalid IV parameter.'); } // use IV as first input this._iv = transformIV(options.iv); this._inBlock = this._iv.slice(0); this._partialBytes = 0; }; modes.ofb.prototype.encrypt = function (input, output, finish) { // not enough input to encrypt var inputLength = input.length(); if (input.length() === 0) { return true; } // encrypt block (OFB always uses encryption mode) this.cipher.encrypt(this._inBlock, this._outBlock); // handle full block if (this._partialBytes === 0 && inputLength >= this.blockSize) { // XOR input with output and update next input for (var i = 0; i < this._ints; ++i) { output.putInt32(input.getInt32() ^ this._outBlock[i]); this._inBlock[i] = this._outBlock[i]; } return; } // handle partial block var partialBytes = (this.blockSize - inputLength) % this.blockSize; if (partialBytes > 0) { partialBytes = this.blockSize - partialBytes; } // XOR input with output this._partialOutput.clear(); for (var i = 0; i < this._ints; ++i) { this._partialOutput.putInt32(input.getInt32() ^ this._outBlock[i]); } if (partialBytes > 0) { // block still incomplete, restore input buffer input.read -= this.blockSize; } else { // block complete, update input block for (var i = 0; i < this._ints; ++i) { this._inBlock[i] = this._outBlock[i]; } } // skip any previous partial bytes if (this._partialBytes > 0) { this._partialOutput.getBytes(this._partialBytes); } if (partialBytes > 0 && !finish) { output.putBytes(this._partialOutput.getBytes(partialBytes - this._partialBytes)); this._partialBytes = partialBytes; return true; } output.putBytes(this._partialOutput.getBytes(inputLength - this._partialBytes)); this._partialBytes = 0; }; modes.ofb.prototype.decrypt = modes.ofb.prototype.encrypt; /** Counter (CTR) **/ modes.ctr = function (options) { options = options || {}; this.name = 'CTR'; this.cipher = options.cipher; this.blockSize = options.blockSize || 16; this._ints = this.blockSize / 4; this._inBlock = null; this._outBlock = new Array(this._ints); this._partialOutput = forge.util.createBuffer(); this._partialBytes = 0; }; modes.ctr.prototype.start = function (options) { if (!('iv' in options)) { throw new Error('Invalid IV parameter.'); } // use IV as first input this._iv = transformIV(options.iv); this._inBlock = this._iv.slice(0); this._partialBytes = 0; }; modes.ctr.prototype.encrypt = function (input, output, finish) { // not enough input to encrypt var inputLength = input.length(); if (inputLength === 0) { return true; } // encrypt block (CTR always uses encryption mode) this.cipher.encrypt(this._inBlock, this._outBlock); // handle full block if (this._partialBytes === 0 && inputLength >= this.blockSize) { // XOR input with output for (var i = 0; i < this._ints; ++i) { output.putInt32(input.getInt32() ^ this._outBlock[i]); } } else { // handle partial block var partialBytes = (this.blockSize - inputLength) % this.blockSize; if (partialBytes > 0) { partialBytes = this.blockSize - partialBytes; } // XOR input with output this._partialOutput.clear(); for (var i = 0; i < this._ints; ++i) { this._partialOutput.putInt32(input.getInt32() ^ this._outBlock[i]); } if (partialBytes > 0) { // block still incomplete, restore input buffer input.read -= this.blockSize; } // skip any previous partial bytes if (this._partialBytes > 0) { this._partialOutput.getBytes(this._partialBytes); } if (partialBytes > 0 && !finish) { output.putBytes(this._partialOutput.getBytes(partialBytes - this._partialBytes)); this._partialBytes = partialBytes; return true; } output.putBytes(this._partialOutput.getBytes(inputLength - this._partialBytes)); this._partialBytes = 0; } // block complete, increment counter (input block) inc32(this._inBlock); }; modes.ctr.prototype.decrypt = modes.ctr.prototype.encrypt; /** Galois/Counter Mode (GCM) **/ modes.gcm = function (options) { options = options || {}; this.name = 'GCM'; this.cipher = options.cipher; this.blockSize = options.blockSize || 16; this._ints = this.blockSize / 4; this._inBlock = new Array(this._ints); this._outBlock = new Array(this._ints); this._partialOutput = forge.util.createBuffer(); this._partialBytes = 0; // R is actually this value concatenated with 120 more zero bits, but // we only XOR against R so the other zeros have no effect -- we just // apply this value to the first integer in a block this._R = 0xE1000000; }; modes.gcm.prototype.start = function (options) { if (!('iv' in options)) { throw new Error('Invalid IV parameter.'); } // ensure IV is a byte buffer var iv = forge.util.createBuffer(options.iv); // no ciphered data processed yet this._cipherLength = 0; // default additional data is none var additionalData; if ('additionalData' in options) { additionalData = forge.util.createBuffer(options.additionalData); } else { additionalData = forge.util.createBuffer(); } // default tag length is 128 bits if ('tagLength' in options) { this._tagLength = options.tagLength; } else { this._tagLength = 128; } // if tag is given, ensure tag matches tag length this._tag = null; if (options.decrypt) { // save tag to check later this._tag = forge.util.createBuffer(options.tag).getBytes(); if (this._tag.length !== this._tagLength / 8) { throw new Error('Authentication tag does not match tag length.'); } } // create tmp storage for hash calculation this._hashBlock = new Array(this._ints); // no tag generated yet this.tag = null; // generate hash subkey // (apply block cipher to "zero" block) this._hashSubkey = new Array(this._ints); this.cipher.encrypt([0, 0, 0, 0], this._hashSubkey); // generate table M // use 4-bit tables (32 component decomposition of a 16 byte value) // 8-bit tables take more space and are known to have security // vulnerabilities (in native implementations) this.componentBits = 4; this._m = this.generateHashTable(this._hashSubkey, this.componentBits); // Note: support IV length different from 96 bits? (only supporting // 96 bits is recommended by NIST SP-800-38D) // generate J_0 var ivLength = iv.length(); if (ivLength === 12) { // 96-bit IV this._j0 = [iv.getInt32(), iv.getInt32(), iv.getInt32(), 1]; } else { // IV is NOT 96-bits this._j0 = [0, 0, 0, 0]; while (iv.length() > 0) { this._j0 = this.ghash(this._hashSubkey, this._j0, [iv.getInt32(), iv.getInt32(), iv.getInt32(), iv.getInt32()]); } this._j0 = this.ghash(this._hashSubkey, this._j0, [0, 0].concat(from64To32(ivLength * 8))); } // generate ICB (initial counter block) this._inBlock = this._j0.slice(0); inc32(this._inBlock); this._partialBytes = 0; // consume authentication data additionalData = forge.util.createBuffer(additionalData); // save additional data length as a BE 64-bit number this._aDataLength = from64To32(additionalData.length() * 8); // pad additional data to 128 bit (16 byte) block size var overflow = additionalData.length() % this.blockSize; if (overflow) { additionalData.fillWithByte(0, this.blockSize - overflow); } this._s = [0, 0, 0, 0]; while (additionalData.length() > 0) { this._s = this.ghash(this._hashSubkey, this._s, [additionalData.getInt32(), additionalData.getInt32(), additionalData.getInt32(), additionalData.getInt32()]); } }; modes.gcm.prototype.encrypt = function (input, output, finish) { // not enough input to encrypt var inputLength = input.length(); if (inputLength === 0) { return true; } // encrypt block this.cipher.encrypt(this._inBlock, this._outBlock); // handle full block if (this._partialBytes === 0 && inputLength >= this.blockSize) { // XOR input with output for (var i = 0; i < this._ints; ++i) { output.putInt32(this._outBlock[i] ^= input.getInt32()); } this._cipherLength += this.blockSize; } else { // handle partial block var partialBytes = (this.blockSize - inputLength) % this.blockSize; if (partialBytes > 0) { partialBytes = this.blockSize - partialBytes; } // XOR input with output this._partialOutput.clear(); for (var i = 0; i < this._ints; ++i) { this._partialOutput.putInt32(input.getInt32() ^ this._outBlock[i]); } if (partialBytes === 0 || finish) { // handle overflow prior to hashing if (finish) { // get block overflow var overflow = inputLength % this.blockSize; this._cipherLength += overflow; // truncate for hash function this._partialOutput.truncate(this.blockSize - overflow); } else { this._cipherLength += this.blockSize; } // get output block for hashing for (var i = 0; i < this._ints; ++i) { this._outBlock[i] = this._partialOutput.getInt32(); } this._partialOutput.read -= this.blockSize; } // skip any previous partial bytes if (this._partialBytes > 0) { this._partialOutput.getBytes(this._partialBytes); } if (partialBytes > 0 && !finish) { // block still incomplete, restore input buffer, get partial output, // and return early input.read -= this.blockSize; output.putBytes(this._partialOutput.getBytes(partialBytes - this._partialBytes)); this._partialBytes = partialBytes; return true; } output.putBytes(this._partialOutput.getBytes(inputLength - this._partialBytes)); this._partialBytes = 0; } // update hash block S this._s = this.ghash(this._hashSubkey, this._s, this._outBlock); // increment counter (input block) inc32(this._inBlock); }; modes.gcm.prototype.decrypt = function (input, output, finish) { // not enough input to decrypt var inputLength = input.length(); if (inputLength < this.blockSize && !(finish && inputLength > 0)) { return true; } // encrypt block (GCM always uses encryption mode) this.cipher.encrypt(this._inBlock, this._outBlock); // increment counter (input block) inc32(this._inBlock); // update hash block S this._hashBlock[0] = input.getInt32(); this._hashBlock[1] = input.getInt32(); this._hashBlock[2] = input.getInt32(); this._hashBlock[3] = input.getInt32(); this._s = this.ghash(this._hashSubkey, this._s, this._hashBlock); // XOR hash input with output for (var i = 0; i < this._ints; ++i) { output.putInt32(this._outBlock[i] ^ this._hashBlock[i]); } // increment cipher data length if (inputLength < this.blockSize) { this._cipherLength += inputLength % this.blockSize; } else { this._cipherLength += this.blockSize; } }; modes.gcm.prototype.afterFinish = function (output, options) { var rval = true; // handle overflow if (options.decrypt && options.overflow) { output.truncate(this.blockSize - options.overflow); } // handle authentication tag this.tag = forge.util.createBuffer(); // concatenate additional data length with cipher length var lengths = this._aDataLength.concat(from64To32(this._cipherLength * 8)); // include lengths in hash this._s = this.ghash(this._hashSubkey, this._s, lengths); // do GCTR(J_0, S) var tag = []; this.cipher.encrypt(this._j0, tag); for (var i = 0; i < this._ints; ++i) { this.tag.putInt32(this._s[i] ^ tag[i]); } // trim tag to length this.tag.truncate(this.tag.length() % (this._tagLength / 8)); // check authentication tag if (options.decrypt && this.tag.bytes() !== this._tag) { rval = false; } return rval; }; /** * See NIST SP-800-38D 6.3 (Algorithm 1). This function performs Galois * field multiplication. The field, GF(2^128), is defined by the polynomial: * * x^128 + x^7 + x^2 + x + 1 * * Which is represented in little-endian binary form as: 11100001 (0xe1). When * the value of a coefficient is 1, a bit is set. The value R, is the * concatenation of this value and 120 zero bits, yielding a 128-bit value * which matches the block size. * * This function will multiply two elements (vectors of bytes), X and Y, in * the field GF(2^128). The result is initialized to zero. For each bit of * X (out of 128), x_i, if x_i is set, then the result is multiplied (XOR'd) * by the current value of Y. For each bit, the value of Y will be raised by * a power of x (multiplied by the polynomial x). This can be achieved by * shifting Y once to the right. If the current value of Y, prior to being * multiplied by x, has 0 as its LSB, then it is a 127th degree polynomial. * Otherwise, we must divide by R after shifting to find the remainder. * * @param x the first block to multiply by the second. * @param y the second block to multiply by the first. * * @return the block result of the multiplication. */ modes.gcm.prototype.multiply = function (x, y) { var z_i = [0, 0, 0, 0]; var v_i = y.slice(0); // calculate Z_128 (block has 128 bits) for (var i = 0; i < 128; ++i) { // if x_i is 0, Z_{i+1} = Z_i (unchanged) // else Z_{i+1} = Z_i ^ V_i // get x_i by finding 32-bit int position, then left shift 1 by remainder var x_i = x[i / 32 | 0] & 1 << 31 - i % 32; if (x_i) { z_i[0] ^= v_i[0]; z_i[1] ^= v_i[1]; z_i[2] ^= v_i[2]; z_i[3] ^= v_i[3]; } // if LSB(V_i) is 1, V_i = V_i >> 1 // else V_i = (V_i >> 1) ^ R this.pow(v_i, v_i); } return z_i; }; modes.gcm.prototype.pow = function (x, out) { // if LSB(x) is 1, x = x >>> 1 // else x = (x >>> 1) ^ R var lsb = x[3] & 1; // always do x >>> 1: // starting with the rightmost integer, shift each integer to the right // one bit, pulling in the bit from the integer to the left as its top // most bit (do this for the last 3 integers) for (var i = 3; i > 0; --i) { out[i] = x[i] >>> 1 | (x[i - 1] & 1) << 31; } // shift the first integer normally out[0] = x[0] >>> 1; // if lsb was not set, then polynomial had a degree of 127 and doesn't // need to divided; otherwise, XOR with R to find the remainder; we only // need to XOR the first integer since R technically ends w/120 zero bits if (lsb) { out[0] ^= this._R; } }; modes.gcm.prototype.tableMultiply = function (x) { // assumes 4-bit tables are used var z = [0, 0, 0, 0]; for (var i = 0; i < 32; ++i) { var idx = i / 8 | 0; var x_i = x[idx] >>> (7 - i % 8) * 4 & 0xF; var ah = this._m[i][x_i]; z[0] ^= ah[0]; z[1] ^= ah[1]; z[2] ^= ah[2]; z[3] ^= ah[3]; } return z; }; /** * A continuing version of the GHASH algorithm that operates on a single * block. The hash block, last hash value (Ym) and the new block to hash * are given. * * @param h the hash block. * @param y the previous value for Ym, use [0, 0, 0, 0] for a new hash. * @param x the block to hash. * * @return the hashed value (Ym). */ modes.gcm.prototype.ghash = function (h, y, x) { y[0] ^= x[0]; y[1] ^= x[1]; y[2] ^= x[2]; y[3] ^= x[3]; return this.tableMultiply(y); //return this.multiply(y, h); }; /** * Precomputes a table for multiplying against the hash subkey. This * mechanism provides a substantial speed increase over multiplication * performed without a table. The table-based multiplication this table is * for solves X * H by multiplying each component of X by H and then * composing the results together using XOR. * * This function can be used to generate tables with different bit sizes * for the components, however, this implementation assumes there are * 32 components of X (which is a 16 byte vector), therefore each component * takes 4-bits (so the table is constructed with bits=4). * * @param h the hash subkey. * @param bits the bit size for a component. */ modes.gcm.prototype.generateHashTable = function (h, bits) { // TODO: There are further optimizations that would use only the // first table M_0 (or some variant) along with a remainder table; // this can be explored in the future var multiplier = 8 / bits; var perInt = 4 * multiplier; var size = 16 * multiplier; var m = new Array(size); for (var i = 0; i < size; ++i) { var tmp = [0, 0, 0, 0]; var idx = i / perInt | 0; var shft = (perInt - 1 - i % perInt) * bits; tmp[idx] = 1 << bits - 1 << shft; m[i] = this.generateSubHashTable(this.multiply(tmp, h), bits); } return m; }; /** * Generates a table for multiplying against the hash subkey for one * particular component (out of all possible component values). * * @param mid the pre-multiplied value for the middle key of the table. * @param bits the bit size for a component. */ modes.gcm.prototype.generateSubHashTable = function (mid, bits) { // compute the table quickly by minimizing the number of // POW operations -- they only need to be performed for powers of 2, // all other entries can be composed from those powers using XOR var size = 1 << bits; var half = size >>> 1; var m = new Array(size); m[half] = mid.slice(0); var i = half >>> 1; while (i > 0) { // raise m0[2 * i] and store in m0[i] this.pow(m[2 * i], m[i] = []); i >>= 1; } i = 2; while (i < half) { for (var j = 1; j < i; ++j) { var m_i = m[i]; var m_j = m[j]; m[i + j] = [m_i[0] ^ m_j[0], m_i[1] ^ m_j[1], m_i[2] ^ m_j[2], m_i[3] ^ m_j[3]]; } i *= 2; } m[0] = [0, 0, 0, 0]; /* Note: We could avoid storing these by doing composition during multiply calculate top half using composition by speed is preferred. */ for (i = half + 1; i < size; ++i) { var c = m[i ^ half]; m[i] = [mid[0] ^ c[0], mid[1] ^ c[1], mid[2] ^ c[2], mid[3] ^ c[3]]; } return m; }; /** Utility functions */ function transformIV(iv) { if (typeof iv === 'string') { // convert iv string into byte buffer iv = forge.util.createBuffer(iv); } if (forge.util.isArray(iv) && iv.length > 4) { // convert iv byte array into byte buffer var tmp = iv; iv = forge.util.createBuffer(); for (var i = 0; i < tmp.length; ++i) { iv.putByte(tmp[i]); } } if (!forge.util.isArray(iv)) { // convert iv byte buffer into 32-bit integer array iv = [iv.getInt32(), iv.getInt32(), iv.getInt32(), iv.getInt32()]; } return iv; } function inc32(block) { // increment last 32 bits of block only block[block.length - 1] = block[block.length - 1] + 1 & 0xFFFFFFFF; } function from64To32(num) { // convert 64-bit number to two BE Int32s return [num / 0x100000000 | 0, num & 0xFFFFFFFF]; } /***/ }), /* 117 */ /***/ (function(module, exports) { /* (ignored) */ /***/ }), /* 118 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Password-based encryption functions. * * @author Dave Longley * @author Stefan Siegl * * Copyright (c) 2010-2013 Digital Bazaar, Inc. * Copyright (c) 2012 Stefan Siegl * * An EncryptedPrivateKeyInfo: * * EncryptedPrivateKeyInfo ::= SEQUENCE { * encryptionAlgorithm EncryptionAlgorithmIdentifier, * encryptedData EncryptedData } * * EncryptionAlgorithmIdentifier ::= AlgorithmIdentifier * * EncryptedData ::= OCTET STRING */ var forge = __webpack_require__(7); __webpack_require__(114); __webpack_require__(70); __webpack_require__(245); __webpack_require__(29); __webpack_require__(71); __webpack_require__(246); __webpack_require__(248); __webpack_require__(49); __webpack_require__(249); __webpack_require__(112); __webpack_require__(9); if (typeof BigInteger === 'undefined') { var BigInteger = forge.jsbn.BigInteger; } // shortcut for asn.1 API var asn1 = forge.asn1; /* Password-based encryption implementation. */ var pki = forge.pki = forge.pki || {}; module.exports = pki.pbe = forge.pbe = forge.pbe || {}; var oids = pki.oids; // validator for an EncryptedPrivateKeyInfo structure // Note: Currently only works w/algorithm params var encryptedPrivateKeyValidator = { name: 'EncryptedPrivateKeyInfo', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'EncryptedPrivateKeyInfo.encryptionAlgorithm', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'AlgorithmIdentifier.algorithm', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OID, constructed: false, capture: 'encryptionOid' }, { name: 'AlgorithmIdentifier.parameters', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, captureAsn1: 'encryptionParams' }] }, { // encryptedData name: 'EncryptedPrivateKeyInfo.encryptedData', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OCTETSTRING, constructed: false, capture: 'encryptedData' }] }; // validator for a PBES2Algorithms structure // Note: Currently only works w/PBKDF2 + AES encryption schemes var PBES2AlgorithmsValidator = { name: 'PBES2Algorithms', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'PBES2Algorithms.keyDerivationFunc', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'PBES2Algorithms.keyDerivationFunc.oid', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OID, constructed: false, capture: 'kdfOid' }, { name: 'PBES2Algorithms.params', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'PBES2Algorithms.params.salt', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OCTETSTRING, constructed: false, capture: 'kdfSalt' }, { name: 'PBES2Algorithms.params.iterationCount', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'kdfIterationCount' }, { name: 'PBES2Algorithms.params.keyLength', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, optional: true, capture: 'keyLength' }, { // prf name: 'PBES2Algorithms.params.prf', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, optional: true, value: [{ name: 'PBES2Algorithms.params.prf.algorithm', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OID, constructed: false, capture: 'prfOid' }] }] }] }, { name: 'PBES2Algorithms.encryptionScheme', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'PBES2Algorithms.encryptionScheme.oid', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OID, constructed: false, capture: 'encOid' }, { name: 'PBES2Algorithms.encryptionScheme.iv', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OCTETSTRING, constructed: false, capture: 'encIv' }] }] }; var pkcs12PbeParamsValidator = { name: 'pkcs-12PbeParams', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.SEQUENCE, constructed: true, value: [{ name: 'pkcs-12PbeParams.salt', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.OCTETSTRING, constructed: false, capture: 'salt' }, { name: 'pkcs-12PbeParams.iterations', tagClass: asn1.Class.UNIVERSAL, type: asn1.Type.INTEGER, constructed: false, capture: 'iterations' }] }; /** * Encrypts a ASN.1 PrivateKeyInfo object, producing an EncryptedPrivateKeyInfo. * * PBES2Algorithms ALGORITHM-IDENTIFIER ::= * { {PBES2-params IDENTIFIED BY id-PBES2}, ...} * * id-PBES2 OBJECT IDENTIFIER ::= {pkcs-5 13} * * PBES2-params ::= SEQUENCE { * keyDerivationFunc AlgorithmIdentifier {{PBES2-KDFs}}, * encryptionScheme AlgorithmIdentifier {{PBES2-Encs}} * } * * PBES2-KDFs ALGORITHM-IDENTIFIER ::= * { {PBKDF2-params IDENTIFIED BY id-PBKDF2}, ... } * * PBES2-Encs ALGORITHM-IDENTIFIER ::= { ... } * * PBKDF2-params ::= SEQUENCE { * salt CHOICE { * specified OCTET STRING, * otherSource AlgorithmIdentifier {{PBKDF2-SaltSources}} * }, * iterationCount INTEGER (1..MAX), * keyLength INTEGER (1..MAX) OPTIONAL, * prf AlgorithmIdentifier {{PBKDF2-PRFs}} DEFAULT algid-hmacWithSHA1 * } * * @param obj the ASN.1 PrivateKeyInfo object. * @param password the password to encrypt with. * @param options: * algorithm the encryption algorithm to use * ('aes128', 'aes192', 'aes256', '3des'), defaults to 'aes128'. * count the iteration count to use. * saltSize the salt size to use. * prfAlgorithm the PRF message digest algorithm to use * ('sha1', 'sha224', 'sha256', 'sha384', 'sha512') * * @return the ASN.1 EncryptedPrivateKeyInfo. */ pki.encryptPrivateKeyInfo = function (obj, password, options) { // set default options options = options || {}; options.saltSize = options.saltSize || 8; options.count = options.count || 2048; options.algorithm = options.algorithm || 'aes128'; options.prfAlgorithm = options.prfAlgorithm || 'sha1'; // generate PBE params var salt = forge.random.getBytesSync(options.saltSize); var count = options.count; var countBytes = asn1.integerToDer(count); var dkLen; var encryptionAlgorithm; var encryptedData; if (options.algorithm.indexOf('aes') === 0 || options.algorithm === 'des') { // do PBES2 var ivLen, encOid, cipherFn; switch (options.algorithm) { case 'aes128': dkLen = 16; ivLen = 16; encOid = oids['aes128-CBC']; cipherFn = forge.aes.createEncryptionCipher; break; case 'aes192': dkLen = 24; ivLen = 16; encOid = oids['aes192-CBC']; cipherFn = forge.aes.createEncryptionCipher; break; case 'aes256': dkLen = 32; ivLen = 16; encOid = oids['aes256-CBC']; cipherFn = forge.aes.createEncryptionCipher; break; case 'des': dkLen = 8; ivLen = 8; encOid = oids['desCBC']; cipherFn = forge.des.createEncryptionCipher; break; default: var error = new Error('Cannot encrypt private key. Unknown encryption algorithm.'); error.algorithm = options.algorithm; throw error; } // get PRF message digest var prfAlgorithm = 'hmacWith' + options.prfAlgorithm.toUpperCase(); var md = prfAlgorithmToMessageDigest(prfAlgorithm); // encrypt private key using pbe SHA-1 and AES/DES var dk = forge.pkcs5.pbkdf2(password, salt, count, dkLen, md); var iv = forge.random.getBytesSync(ivLen); var cipher = cipherFn(dk); cipher.start(iv); cipher.update(asn1.toDer(obj)); cipher.finish(); encryptedData = cipher.output.getBytes(); // get PBKDF2-params var params = createPbkdf2Params(salt, countBytes, dkLen, prfAlgorithm); encryptionAlgorithm = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(oids['pkcs5PBES2']).getBytes()), asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// keyDerivationFunc asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(oids['pkcs5PBKDF2']).getBytes()), // PBKDF2-params params]), // encryptionScheme asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(encOid).getBytes()), // iv asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OCTETSTRING, false, iv)])])]); } else if (options.algorithm === '3des') { // Do PKCS12 PBE dkLen = 24; var saltBytes = new forge.util.ByteBuffer(salt); var dk = pki.pbe.generatePkcs12Key(password, saltBytes, 1, count, dkLen); var iv = pki.pbe.generatePkcs12Key(password, saltBytes, 2, count, dkLen); var cipher = forge.des.createEncryptionCipher(dk); cipher.start(iv); cipher.update(asn1.toDer(obj)); cipher.finish(); encryptedData = cipher.output.getBytes(); encryptionAlgorithm = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(oids['pbeWithSHAAnd3-KeyTripleDES-CBC']).getBytes()), // pkcs-12PbeParams asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// salt asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OCTETSTRING, false, salt), // iteration count asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, countBytes.getBytes())])]); } else { var error = new Error('Cannot encrypt private key. Unknown encryption algorithm.'); error.algorithm = options.algorithm; throw error; } // EncryptedPrivateKeyInfo var rval = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// encryptionAlgorithm encryptionAlgorithm, // encryptedData asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OCTETSTRING, false, encryptedData)]); return rval; }; /** * Decrypts a ASN.1 PrivateKeyInfo object. * * @param obj the ASN.1 EncryptedPrivateKeyInfo object. * @param password the password to decrypt with. * * @return the ASN.1 PrivateKeyInfo on success, null on failure. */ pki.decryptPrivateKeyInfo = function (obj, password) { var rval = null; // get PBE params var capture = {}; var errors = []; if (!asn1.validate(obj, encryptedPrivateKeyValidator, capture, errors)) { var error = new Error('Cannot read encrypted private key. ' + 'ASN.1 object is not a supported EncryptedPrivateKeyInfo.'); error.errors = errors; throw error; } // get cipher var oid = asn1.derToOid(capture.encryptionOid); var cipher = pki.pbe.getCipher(oid, capture.encryptionParams, password); // get encrypted data var encrypted = forge.util.createBuffer(capture.encryptedData); cipher.update(encrypted); if (cipher.finish()) { rval = asn1.fromDer(cipher.output); } return rval; }; /** * Converts a EncryptedPrivateKeyInfo to PEM format. * * @param epki the EncryptedPrivateKeyInfo. * @param maxline the maximum characters per line, defaults to 64. * * @return the PEM-formatted encrypted private key. */ pki.encryptedPrivateKeyToPem = function (epki, maxline) { // convert to DER, then PEM-encode var msg = { type: 'ENCRYPTED PRIVATE KEY', body: asn1.toDer(epki).getBytes() }; return forge.pem.encode(msg, { maxline: maxline }); }; /** * Converts a PEM-encoded EncryptedPrivateKeyInfo to ASN.1 format. Decryption * is not performed. * * @param pem the EncryptedPrivateKeyInfo in PEM-format. * * @return the ASN.1 EncryptedPrivateKeyInfo. */ pki.encryptedPrivateKeyFromPem = function (pem) { var msg = forge.pem.decode(pem)[0]; if (msg.type !== 'ENCRYPTED PRIVATE KEY') { var error = new Error('Could not convert encrypted private key from PEM; ' + 'PEM header type is "ENCRYPTED PRIVATE KEY".'); error.headerType = msg.type; throw error; } if (msg.procType && msg.procType.type === 'ENCRYPTED') { throw new Error('Could not convert encrypted private key from PEM; ' + 'PEM is encrypted.'); } // convert DER to ASN.1 object return asn1.fromDer(msg.body); }; /** * Encrypts an RSA private key. By default, the key will be wrapped in * a PrivateKeyInfo and encrypted to produce a PKCS#8 EncryptedPrivateKeyInfo. * This is the standard, preferred way to encrypt a private key. * * To produce a non-standard PEM-encrypted private key that uses encapsulated * headers to indicate the encryption algorithm (old-style non-PKCS#8 OpenSSL * private key encryption), set the 'legacy' option to true. Note: Using this * option will cause the iteration count to be forced to 1. * * Note: The 'des' algorithm is supported, but it is not considered to be * secure because it only uses a single 56-bit key. If possible, it is highly * recommended that a different algorithm be used. * * @param rsaKey the RSA key to encrypt. * @param password the password to use. * @param options: * algorithm: the encryption algorithm to use * ('aes128', 'aes192', 'aes256', '3des', 'des'). * count: the iteration count to use. * saltSize: the salt size to use. * legacy: output an old non-PKCS#8 PEM-encrypted+encapsulated * headers (DEK-Info) private key. * * @return the PEM-encoded ASN.1 EncryptedPrivateKeyInfo. */ pki.encryptRsaPrivateKey = function (rsaKey, password, options) { // standard PKCS#8 options = options || {}; if (!options.legacy) { // encrypt PrivateKeyInfo var rval = pki.wrapRsaPrivateKey(pki.privateKeyToAsn1(rsaKey)); rval = pki.encryptPrivateKeyInfo(rval, password, options); return pki.encryptedPrivateKeyToPem(rval); } // legacy non-PKCS#8 var algorithm; var iv; var dkLen; var cipherFn; switch (options.algorithm) { case 'aes128': algorithm = 'AES-128-CBC'; dkLen = 16; iv = forge.random.getBytesSync(16); cipherFn = forge.aes.createEncryptionCipher; break; case 'aes192': algorithm = 'AES-192-CBC'; dkLen = 24; iv = forge.random.getBytesSync(16); cipherFn = forge.aes.createEncryptionCipher; break; case 'aes256': algorithm = 'AES-256-CBC'; dkLen = 32; iv = forge.random.getBytesSync(16); cipherFn = forge.aes.createEncryptionCipher; break; case '3des': algorithm = 'DES-EDE3-CBC'; dkLen = 24; iv = forge.random.getBytesSync(8); cipherFn = forge.des.createEncryptionCipher; break; case 'des': algorithm = 'DES-CBC'; dkLen = 8; iv = forge.random.getBytesSync(8); cipherFn = forge.des.createEncryptionCipher; break; default: var error = new Error('Could not encrypt RSA private key; unsupported ' + 'encryption algorithm "' + options.algorithm + '".'); error.algorithm = options.algorithm; throw error; } // encrypt private key using OpenSSL legacy key derivation var dk = forge.pbe.opensslDeriveBytes(password, iv.substr(0, 8), dkLen); var cipher = cipherFn(dk); cipher.start(iv); cipher.update(asn1.toDer(pki.privateKeyToAsn1(rsaKey))); cipher.finish(); var msg = { type: 'RSA PRIVATE KEY', procType: { version: '4', type: 'ENCRYPTED' }, dekInfo: { algorithm: algorithm, parameters: forge.util.bytesToHex(iv).toUpperCase() }, body: cipher.output.getBytes() }; return forge.pem.encode(msg); }; /** * Decrypts an RSA private key. * * @param pem the PEM-formatted EncryptedPrivateKeyInfo to decrypt. * @param password the password to use. * * @return the RSA key on success, null on failure. */ pki.decryptRsaPrivateKey = function (pem, password) { var rval = null; var msg = forge.pem.decode(pem)[0]; if (msg.type !== 'ENCRYPTED PRIVATE KEY' && msg.type !== 'PRIVATE KEY' && msg.type !== 'RSA PRIVATE KEY') { var error = new Error('Could not convert private key from PEM; PEM header type ' + 'is not "ENCRYPTED PRIVATE KEY", "PRIVATE KEY", or "RSA PRIVATE KEY".'); error.headerType = error; throw error; } if (msg.procType && msg.procType.type === 'ENCRYPTED') { var dkLen; var cipherFn; switch (msg.dekInfo.algorithm) { case 'DES-CBC': dkLen = 8; cipherFn = forge.des.createDecryptionCipher; break; case 'DES-EDE3-CBC': dkLen = 24; cipherFn = forge.des.createDecryptionCipher; break; case 'AES-128-CBC': dkLen = 16; cipherFn = forge.aes.createDecryptionCipher; break; case 'AES-192-CBC': dkLen = 24; cipherFn = forge.aes.createDecryptionCipher; break; case 'AES-256-CBC': dkLen = 32; cipherFn = forge.aes.createDecryptionCipher; break; case 'RC2-40-CBC': dkLen = 5; cipherFn = function cipherFn(key) { return forge.rc2.createDecryptionCipher(key, 40); }; break; case 'RC2-64-CBC': dkLen = 8; cipherFn = function cipherFn(key) { return forge.rc2.createDecryptionCipher(key, 64); }; break; case 'RC2-128-CBC': dkLen = 16; cipherFn = function cipherFn(key) { return forge.rc2.createDecryptionCipher(key, 128); }; break; default: var error = new Error('Could not decrypt private key; unsupported ' + 'encryption algorithm "' + msg.dekInfo.algorithm + '".'); error.algorithm = msg.dekInfo.algorithm; throw error; } // use OpenSSL legacy key derivation var iv = forge.util.hexToBytes(msg.dekInfo.parameters); var dk = forge.pbe.opensslDeriveBytes(password, iv.substr(0, 8), dkLen); var cipher = cipherFn(dk); cipher.start(iv); cipher.update(forge.util.createBuffer(msg.body)); if (cipher.finish()) { rval = cipher.output.getBytes(); } else { return rval; } } else { rval = msg.body; } if (msg.type === 'ENCRYPTED PRIVATE KEY') { rval = pki.decryptPrivateKeyInfo(asn1.fromDer(rval), password); } else { // decryption already performed above rval = asn1.fromDer(rval); } if (rval !== null) { rval = pki.privateKeyFromAsn1(rval); } return rval; }; /** * Derives a PKCS#12 key. * * @param password the password to derive the key material from, null or * undefined for none. * @param salt the salt, as a ByteBuffer, to use. * @param id the PKCS#12 ID byte (1 = key material, 2 = IV, 3 = MAC). * @param iter the iteration count. * @param n the number of bytes to derive from the password. * @param md the message digest to use, defaults to SHA-1. * * @return a ByteBuffer with the bytes derived from the password. */ pki.pbe.generatePkcs12Key = function (password, salt, id, iter, n, md) { var j, l; if (typeof md === 'undefined' || md === null) { if (!('sha1' in forge.md)) { throw new Error('"sha1" hash algorithm unavailable.'); } md = forge.md.sha1.create(); } var u = md.digestLength; var v = md.blockLength; var result = new forge.util.ByteBuffer(); /* Convert password to Unicode byte buffer + trailing 0-byte. */ var passBuf = new forge.util.ByteBuffer(); if (password !== null && password !== undefined) { for (l = 0; l < password.length; l++) { passBuf.putInt16(password.charCodeAt(l)); } passBuf.putInt16(0); } /* Length of salt and password in BYTES. */ var p = passBuf.length(); var s = salt.length(); /* 1. Construct a string, D (the "diversifier"), by concatenating v copies of ID. */ var D = new forge.util.ByteBuffer(); D.fillWithByte(id, v); /* 2. Concatenate copies of the salt together to create a string S of length v * ceil(s / v) bytes (the final copy of the salt may be trunacted to create S). Note that if the salt is the empty string, then so is S. */ var Slen = v * Math.ceil(s / v); var S = new forge.util.ByteBuffer(); for (l = 0; l < Slen; l++) { S.putByte(salt.at(l % s)); } /* 3. Concatenate copies of the password together to create a string P of length v * ceil(p / v) bytes (the final copy of the password may be truncated to create P). Note that if the password is the empty string, then so is P. */ var Plen = v * Math.ceil(p / v); var P = new forge.util.ByteBuffer(); for (l = 0; l < Plen; l++) { P.putByte(passBuf.at(l % p)); } /* 4. Set I=S||P to be the concatenation of S and P. */ var I = S; I.putBuffer(P); /* 5. Set c=ceil(n / u). */ var c = Math.ceil(n / u); /* 6. For i=1, 2, ..., c, do the following: */ for (var i = 1; i <= c; i++) { /* a) Set Ai=H^r(D||I). (l.e. the rth hash of D||I, H(H(H(...H(D||I)))) */ var buf = new forge.util.ByteBuffer(); buf.putBytes(D.bytes()); buf.putBytes(I.bytes()); for (var round = 0; round < iter; round++) { md.start(); md.update(buf.getBytes()); buf = md.digest(); } /* b) Concatenate copies of Ai to create a string B of length v bytes (the final copy of Ai may be truncated to create B). */ var B = new forge.util.ByteBuffer(); for (l = 0; l < v; l++) { B.putByte(buf.at(l % u)); } /* c) Treating I as a concatenation I0, I1, ..., Ik-1 of v-byte blocks, where k=ceil(s / v) + ceil(p / v), modify I by setting Ij=(Ij+B+1) mod 2v for each j. */ var k = Math.ceil(s / v) + Math.ceil(p / v); var Inew = new forge.util.ByteBuffer(); for (j = 0; j < k; j++) { var chunk = new forge.util.ByteBuffer(I.getBytes(v)); var x = 0x1ff; for (l = B.length() - 1; l >= 0; l--) { x = x >> 8; x += B.at(l) + chunk.at(l); chunk.setAt(l, x & 0xff); } Inew.putBuffer(chunk); } I = Inew; /* Add Ai to A. */ result.putBuffer(buf); } result.truncate(result.length() - n); return result; }; /** * Get new Forge cipher object instance. * * @param oid the OID (in string notation). * @param params the ASN.1 params object. * @param password the password to decrypt with. * * @return new cipher object instance. */ pki.pbe.getCipher = function (oid, params, password) { switch (oid) { case pki.oids['pkcs5PBES2']: return pki.pbe.getCipherForPBES2(oid, params, password); case pki.oids['pbeWithSHAAnd3-KeyTripleDES-CBC']: case pki.oids['pbewithSHAAnd40BitRC2-CBC']: return pki.pbe.getCipherForPKCS12PBE(oid, params, password); default: var error = new Error('Cannot read encrypted PBE data block. Unsupported OID.'); error.oid = oid; error.supportedOids = ['pkcs5PBES2', 'pbeWithSHAAnd3-KeyTripleDES-CBC', 'pbewithSHAAnd40BitRC2-CBC']; throw error; } }; /** * Get new Forge cipher object instance according to PBES2 params block. * * The returned cipher instance is already started using the IV * from PBES2 parameter block. * * @param oid the PKCS#5 PBKDF2 OID (in string notation). * @param params the ASN.1 PBES2-params object. * @param password the password to decrypt with. * * @return new cipher object instance. */ pki.pbe.getCipherForPBES2 = function (oid, params, password) { // get PBE params var capture = {}; var errors = []; if (!asn1.validate(params, PBES2AlgorithmsValidator, capture, errors)) { var error = new Error('Cannot read password-based-encryption algorithm ' + 'parameters. ASN.1 object is not a supported EncryptedPrivateKeyInfo.'); error.errors = errors; throw error; } // check oids oid = asn1.derToOid(capture.kdfOid); if (oid !== pki.oids['pkcs5PBKDF2']) { var error = new Error('Cannot read encrypted private key. ' + 'Unsupported key derivation function OID.'); error.oid = oid; error.supportedOids = ['pkcs5PBKDF2']; throw error; } oid = asn1.derToOid(capture.encOid); if (oid !== pki.oids['aes128-CBC'] && oid !== pki.oids['aes192-CBC'] && oid !== pki.oids['aes256-CBC'] && oid !== pki.oids['des-EDE3-CBC'] && oid !== pki.oids['desCBC']) { var error = new Error('Cannot read encrypted private key. ' + 'Unsupported encryption scheme OID.'); error.oid = oid; error.supportedOids = ['aes128-CBC', 'aes192-CBC', 'aes256-CBC', 'des-EDE3-CBC', 'desCBC']; throw error; } // set PBE params var salt = capture.kdfSalt; var count = forge.util.createBuffer(capture.kdfIterationCount); count = count.getInt(count.length() << 3); var dkLen; var cipherFn; switch (pki.oids[oid]) { case 'aes128-CBC': dkLen = 16; cipherFn = forge.aes.createDecryptionCipher; break; case 'aes192-CBC': dkLen = 24; cipherFn = forge.aes.createDecryptionCipher; break; case 'aes256-CBC': dkLen = 32; cipherFn = forge.aes.createDecryptionCipher; break; case 'des-EDE3-CBC': dkLen = 24; cipherFn = forge.des.createDecryptionCipher; break; case 'desCBC': dkLen = 8; cipherFn = forge.des.createDecryptionCipher; break; } // get PRF message digest var md = prfOidToMessageDigest(capture.prfOid); // decrypt private key using pbe with chosen PRF and AES/DES var dk = forge.pkcs5.pbkdf2(password, salt, count, dkLen, md); var iv = capture.encIv; var cipher = cipherFn(dk); cipher.start(iv); return cipher; }; /** * Get new Forge cipher object instance for PKCS#12 PBE. * * The returned cipher instance is already started using the key & IV * derived from the provided password and PKCS#12 PBE salt. * * @param oid The PKCS#12 PBE OID (in string notation). * @param params The ASN.1 PKCS#12 PBE-params object. * @param password The password to decrypt with. * * @return the new cipher object instance. */ pki.pbe.getCipherForPKCS12PBE = function (oid, params, password) { // get PBE params var capture = {}; var errors = []; if (!asn1.validate(params, pkcs12PbeParamsValidator, capture, errors)) { var error = new Error('Cannot read password-based-encryption algorithm ' + 'parameters. ASN.1 object is not a supported EncryptedPrivateKeyInfo.'); error.errors = errors; throw error; } var salt = forge.util.createBuffer(capture.salt); var count = forge.util.createBuffer(capture.iterations); count = count.getInt(count.length() << 3); var dkLen, dIvLen, cipherFn; switch (oid) { case pki.oids['pbeWithSHAAnd3-KeyTripleDES-CBC']: dkLen = 24; dIvLen = 8; cipherFn = forge.des.startDecrypting; break; case pki.oids['pbewithSHAAnd40BitRC2-CBC']: dkLen = 5; dIvLen = 8; cipherFn = function cipherFn(key, iv) { var cipher = forge.rc2.createDecryptionCipher(key, 40); cipher.start(iv, null); return cipher; }; break; default: var error = new Error('Cannot read PKCS #12 PBE data block. Unsupported OID.'); error.oid = oid; throw error; } // get PRF message digest var md = prfOidToMessageDigest(capture.prfOid); var key = pki.pbe.generatePkcs12Key(password, salt, 1, count, dkLen, md); md.start(); var iv = pki.pbe.generatePkcs12Key(password, salt, 2, count, dIvLen, md); return cipherFn(key, iv); }; /** * OpenSSL's legacy key derivation function. * * See: http://www.openssl.org/docs/crypto/EVP_BytesToKey.html * * @param password the password to derive the key from. * @param salt the salt to use, null for none. * @param dkLen the number of bytes needed for the derived key. * @param [options] the options to use: * [md] an optional message digest object to use. */ pki.pbe.opensslDeriveBytes = function (password, salt, dkLen, md) { if (typeof md === 'undefined' || md === null) { if (!('md5' in forge.md)) { throw new Error('"md5" hash algorithm unavailable.'); } md = forge.md.md5.create(); } if (salt === null) { salt = ''; } var digests = [hash(md, password + salt)]; for (var length = 16, i = 1; length < dkLen; ++i, length += 16) { digests.push(hash(md, digests[i - 1] + password + salt)); } return digests.join('').substr(0, dkLen); }; function hash(md, bytes) { return md.start().update(bytes).digest().getBytes(); } function prfOidToMessageDigest(prfOid) { // get PRF algorithm, default to SHA-1 var prfAlgorithm; if (!prfOid) { prfAlgorithm = 'hmacWithSHA1'; } else { prfAlgorithm = pki.oids[asn1.derToOid(prfOid)]; if (!prfAlgorithm) { var error = new Error('Unsupported PRF OID.'); error.oid = prfOid; error.supported = ['hmacWithSHA1', 'hmacWithSHA224', 'hmacWithSHA256', 'hmacWithSHA384', 'hmacWithSHA512']; throw error; } } return prfAlgorithmToMessageDigest(prfAlgorithm); } function prfAlgorithmToMessageDigest(prfAlgorithm) { var factory = forge.md; switch (prfAlgorithm) { case 'hmacWithSHA224': factory = forge.md.sha512; case 'hmacWithSHA1': case 'hmacWithSHA256': case 'hmacWithSHA384': case 'hmacWithSHA512': prfAlgorithm = prfAlgorithm.substr(8).toLowerCase(); break; default: var error = new Error('Unsupported PRF algorithm.'); error.algorithm = prfAlgorithm; error.supported = ['hmacWithSHA1', 'hmacWithSHA224', 'hmacWithSHA256', 'hmacWithSHA384', 'hmacWithSHA512']; throw error; } if (!factory || !(prfAlgorithm in factory)) { throw new Error('Unknown hash algorithm: ' + prfAlgorithm); } return factory[prfAlgorithm].create(); } function createPbkdf2Params(salt, countBytes, dkLen, prfAlgorithm) { var params = asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// salt asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OCTETSTRING, false, salt), // iteration count asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, countBytes.getBytes())]); // when PRF algorithm is not SHA-1 default, add key length and PRF algorithm if (prfAlgorithm !== 'hmacWithSHA1') { params.value.push( // key length asn1.create(asn1.Class.UNIVERSAL, asn1.Type.INTEGER, false, forge.util.hexToBytes(dkLen.toString(16))), // AlgorithmIdentifier asn1.create(asn1.Class.UNIVERSAL, asn1.Type.SEQUENCE, true, [// algorithm asn1.create(asn1.Class.UNIVERSAL, asn1.Type.OID, false, asn1.oidToDer(pki.oids[prfAlgorithm]).getBytes()), // parameters (null) asn1.create(asn1.Class.UNIVERSAL, asn1.Type.NULL, false, '')])); } return params; } /***/ }), /* 119 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const multihash = __webpack_require__(14); const crypto = __webpack_require__(251); module.exports = Multihashing; /** * Hash the given `buf` using the algorithm specified * by `func`. * * @param {Buffer} buf - The value to hash. * @param {number|string} func - The algorithm to use. * @param {number} [length] - Optionally trim the result to this length. * @param {function(Error, Buffer)} callback * @returns {undefined} */ function Multihashing(buf, func, length, callback) { if (typeof length === 'function') { callback = length; length = undefined; } if (!callback) { throw new Error('Missing callback'); } Multihashing.digest(buf, func, length, (err, digest) => { if (err) { return callback(err); } callback(null, multihash.encode(digest, func, length)); }); } /** * The `buffer` module for easy use in the browser. * * @type {Buffer} */ Multihashing.Buffer = Buffer; // for browser things /** * Expose multihash itself, to avoid silly double requires. */ Multihashing.multihash = multihash; /** * @param {Buffer} buf - The value to hash. * @param {number|string} func - The algorithm to use. * @param {number} [length] - Optionally trim the result to this length. * @param {function(Error, Buffer)} callback * @returns {undefined} */ Multihashing.digest = function (buf, func, length, callback) { if (typeof length === 'function') { callback = length; length = undefined; } if (!callback) { throw new Error('Missing callback'); } let cb = callback; if (length) { cb = (err, digest) => { if (err) { return callback(err); } callback(null, digest.slice(0, length)); }; } let hash; try { hash = Multihashing.createHash(func); } catch (err) { return cb(err); } hash(buf, cb); }; /** * @param {string|number} func * * @returns {function} - The to `func` corresponding hash function. */ Multihashing.createHash = function (func) { func = multihash.coerceCode(func); if (!Multihashing.functions[func]) { throw new Error('multihash function ' + func + ' not yet supported'); } return Multihashing.functions[func]; }; /** * Mapping of multihash codes to their hashing functions. * @type {Object} */ Multihashing.functions = { // sha1 0x11: crypto.sha1, // sha2-256 0x12: crypto.sha2256, // sha2-512 0x13: crypto.sha2512, // sha3-512 0x14: crypto.sha3512, // sha3-384 0x15: crypto.sha3384, // sha3-256 0x16: crypto.sha3256, // sha3-224 0x17: crypto.sha3224, // shake-128 0x18: crypto.shake128, // shake-256 0x19: crypto.shake256, // keccak-224 0x1A: crypto.keccak224, // keccak-256 0x1B: crypto.keccak256, // keccak-384 0x1C: crypto.keccak384, // keccak-512 0x1D: crypto.keccak512, // murmur3-128 0x22: crypto.murmur3128, // murmur3-32 0x23: crypto.murmur332, // dbl-sha2-256 0x56: crypto.dblSha2256 // add blake functions }; crypto.addBlake(Multihashing.functions); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 120 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = __webpack_require__(252); /***/ }), /* 121 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, Buffer) { exports.toCallback = doWork => { return function (input, callback) { let res; try { res = doWork(input); } catch (err) { process.nextTick(callback, err); return; } process.nextTick(callback, null, res); }; }; exports.toBuf = (doWork, other) => input => { let result = doWork(input, other); return Buffer.from(result, 'hex'); }; exports.fromString = (doWork, other) => _input => { const input = Buffer.isBuffer(_input) ? _input.toString() : _input; return doWork(input, other); }; exports.fromNumberTo32BitBuf = (doWork, other) => input => { let number = doWork(input, other); const bytes = new Array(4); for (let i = 0; i < 4; i++) { bytes[i] = number & 0xff; number = number >> 8; } return Buffer.from(bytes); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(0).Buffer)) /***/ }), /* 122 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(setImmediate, process) { var Promise = __webpack_require__(254); var isPromise = __webpack_require__(123); var nextTick; if (typeof setImmediate === 'function') nextTick = setImmediate;else if (typeof process === 'object' && process && process.nextTick) nextTick = process.nextTick;else nextTick = function nextTick(cb) { setTimeout(cb, 0); }; module.exports = nodeify; function nodeify(promise, cb) { if (typeof cb !== 'function') return promise; return promise.then(function (res) { nextTick(function () { cb(null, res); }); }, function (err) { nextTick(function () { cb(err); }); }); } function nodeifyThis(cb) { return nodeify(this, cb); } nodeify.extend = extend; nodeify.Promise = NodeifyPromise; function extend(prom) { if (prom && isPromise(prom)) { prom.nodeify = nodeifyThis; var then = prom.then; prom.then = function () { return extend(then.apply(this, arguments)); }; return prom; } else if (typeof prom === 'function') { prom.prototype.nodeify = nodeifyThis; } else { Promise.prototype.nodeify = nodeifyThis; } } function NodeifyPromise(fn) { if (!(this instanceof NodeifyPromise)) { return new NodeifyPromise(fn); } Promise.call(this, fn); extend(this); } NodeifyPromise.prototype = Object.create(Promise.prototype); NodeifyPromise.prototype.constructor = NodeifyPromise; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(28).setImmediate, __webpack_require__(4))) /***/ }), /* 123 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = isPromise; function isPromise(obj) { return obj && typeof obj.then === 'function'; } /***/ }), /* 124 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { var ERROR_MSG_INPUT = 'Input must be an string, Buffer or Uint8Array'; // For convenience, let people hash a string, not just a Uint8Array function normalizeInput(input) { var ret; if (input instanceof Uint8Array) { ret = input; } else if (input instanceof Buffer) { ret = new Uint8Array(input); } else if (typeof input === 'string') { ret = new Uint8Array(Buffer.from(input, 'utf8')); } else { throw new Error(ERROR_MSG_INPUT); } return ret; } // Converts a Uint8Array to a hexadecimal string // For example, toHex([255, 0, 255]) returns "ff00ff" function toHex(bytes) { return Array.prototype.map.call(bytes, function (n) { return (n < 16 ? '0' : '') + n.toString(16); }).join(''); } // Converts any value in [0...2^32-1] to an 8-character hex string function uint32ToHex(val) { return (0x100000000 + val).toString(16).substring(1); } // For debugging: prints out hash state in the same format as the RFC // sample computation exactly, so that you can diff function debugPrint(label, arr, size) { var msg = '\n' + label + ' = '; for (var i = 0; i < arr.length; i += 2) { if (size === 32) { msg += uint32ToHex(arr[i]).toUpperCase(); msg += ' '; msg += uint32ToHex(arr[i + 1]).toUpperCase(); } else if (size === 64) { msg += uint32ToHex(arr[i + 1]).toUpperCase(); msg += uint32ToHex(arr[i]).toUpperCase(); } else throw new Error('Invalid size ' + size); if (i % 6 === 4) { msg += '\n' + new Array(label.length + 4).join(' '); } else if (i < arr.length - 2) { msg += ' '; } } console.log(msg); } // For performance testing: generates N bytes of input, hashes M times // Measures and prints MB/second hash performance each time function testSpeed(hashFn, N, M) { var startMs = new Date().getTime(); var input = new Uint8Array(N); for (var i = 0; i < N; i++) { input[i] = i % 256; } var genMs = new Date().getTime(); console.log('Generated random input in ' + (genMs - startMs) + 'ms'); startMs = genMs; for (i = 0; i < M; i++) { var hashHex = hashFn(input); var hashMs = new Date().getTime(); var ms = hashMs - startMs; startMs = hashMs; console.log('Hashed in ' + ms + 'ms: ' + hashHex.substring(0, 20) + '...'); console.log(Math.round(N / (1 << 20) / (ms / 1000) * 100) / 100 + ' MB PER SECOND'); } } module.exports = { normalizeInput: normalizeInput, toHex: toHex, debugPrint: debugPrint, testSpeed: testSpeed }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 125 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, setImmediate) { Object.defineProperty(exports, "__esModule", { value: true }); var _setImmediate = __webpack_require__(74); /** * Calls `callback` on a later loop around the event loop. In Node.js this just * calls `process.nextTick`. In the browser it will use `setImmediate` if * available, otherwise `setTimeout(callback, 0)`, which means other higher * priority events may precede the execution of `callback`. * * This is used internally for browser-compatibility purposes. * * @name nextTick * @static * @memberOf module:Utils * @method * @see [async.setImmediate]{@link module:Utils.setImmediate} * @category Util * @param {Function} callback - The function to call on a later loop around * the event loop. Invoked with (args...). * @param {...*} args... - any number of additional arguments to pass to the * callback on the next tick. * @example * * var call_order = []; * async.nextTick(function() { * call_order.push('two'); * // call_order now equals ['one','two'] * }); * call_order.push('one'); * * async.setImmediate(function (a, b, c) { * // a, b, and c equal 1, 2, and 3 * }, 1, 2, 3); */ var _defer; if (_setImmediate.hasNextTick) { _defer = process.nextTick; } else if (_setImmediate.hasSetImmediate) { _defer = setImmediate; } else { _defer = _setImmediate.fallback; } exports.default = (0, _setImmediate.wrap)(_defer); module.exports = exports['default']; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(28).setImmediate)) /***/ }), /* 126 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const randomBytes = __webpack_require__(259); module.exports = function (number) { if (!number || typeof number !== 'number') { throw new Error('first argument must be a Number bigger than 0'); } return randomBytes(number); }; /***/ }), /* 127 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(module) { (function (module, exports) { 'use strict'; // Utils function assert(val, msg) { if (!val) throw new Error(msg || 'Assertion failed'); } // Could use `inherits` module, but don't want to move from single file // architecture yet. function inherits(ctor, superCtor) { ctor.super_ = superCtor; var TempCtor = function TempCtor() {}; TempCtor.prototype = superCtor.prototype; ctor.prototype = new TempCtor(); ctor.prototype.constructor = ctor; } // BN function BN(number, base, endian) { if (BN.isBN(number)) { return number; } this.negative = 0; this.words = null; this.length = 0; // Reduction context this.red = null; if (number !== null) { if (base === 'le' || base === 'be') { endian = base; base = 10; } this._init(number || 0, base || 10, endian || 'be'); } } if (typeof module === 'object') { module.exports = BN; } else { exports.BN = BN; } BN.BN = BN; BN.wordSize = 26; var Buffer; try { Buffer = __webpack_require__(261).Buffer; } catch (e) {} BN.isBN = function isBN(num) { if (num instanceof BN) { return true; } return num !== null && typeof num === 'object' && num.constructor.wordSize === BN.wordSize && Array.isArray(num.words); }; BN.max = function max(left, right) { if (left.cmp(right) > 0) return left; return right; }; BN.min = function min(left, right) { if (left.cmp(right) < 0) return left; return right; }; BN.prototype._init = function init(number, base, endian) { if (typeof number === 'number') { return this._initNumber(number, base, endian); } if (typeof number === 'object') { return this._initArray(number, base, endian); } if (base === 'hex') { base = 16; } assert(base === (base | 0) && base >= 2 && base <= 36); number = number.toString().replace(/\s+/g, ''); var start = 0; if (number[0] === '-') { start++; } if (base === 16) { this._parseHex(number, start); } else { this._parseBase(number, base, start); } if (number[0] === '-') { this.negative = 1; } this.strip(); if (endian !== 'le') return; this._initArray(this.toArray(), base, endian); }; BN.prototype._initNumber = function _initNumber(number, base, endian) { if (number < 0) { this.negative = 1; number = -number; } if (number < 0x4000000) { this.words = [number & 0x3ffffff]; this.length = 1; } else if (number < 0x10000000000000) { this.words = [number & 0x3ffffff, number / 0x4000000 & 0x3ffffff]; this.length = 2; } else { assert(number < 0x20000000000000); // 2 ^ 53 (unsafe) this.words = [number & 0x3ffffff, number / 0x4000000 & 0x3ffffff, 1]; this.length = 3; } if (endian !== 'le') return; // Reverse the bytes this._initArray(this.toArray(), base, endian); }; BN.prototype._initArray = function _initArray(number, base, endian) { // Perhaps a Uint8Array assert(typeof number.length === 'number'); if (number.length <= 0) { this.words = [0]; this.length = 1; return this; } this.length = Math.ceil(number.length / 3); this.words = new Array(this.length); for (var i = 0; i < this.length; i++) { this.words[i] = 0; } var j, w; var off = 0; if (endian === 'be') { for (i = number.length - 1, j = 0; i >= 0; i -= 3) { w = number[i] | number[i - 1] << 8 | number[i - 2] << 16; this.words[j] |= w << off & 0x3ffffff; this.words[j + 1] = w >>> 26 - off & 0x3ffffff; off += 24; if (off >= 26) { off -= 26; j++; } } } else if (endian === 'le') { for (i = 0, j = 0; i < number.length; i += 3) { w = number[i] | number[i + 1] << 8 | number[i + 2] << 16; this.words[j] |= w << off & 0x3ffffff; this.words[j + 1] = w >>> 26 - off & 0x3ffffff; off += 24; if (off >= 26) { off -= 26; j++; } } } return this.strip(); }; function parseHex(str, start, end) { var r = 0; var len = Math.min(str.length, end); for (var i = start; i < len; i++) { var c = str.charCodeAt(i) - 48; r <<= 4; // 'a' - 'f' if (c >= 49 && c <= 54) { r |= c - 49 + 0xa; // 'A' - 'F' } else if (c >= 17 && c <= 22) { r |= c - 17 + 0xa; // '0' - '9' } else { r |= c & 0xf; } } return r; } BN.prototype._parseHex = function _parseHex(number, start) { // Create possibly bigger array to ensure that it fits the number this.length = Math.ceil((number.length - start) / 6); this.words = new Array(this.length); for (var i = 0; i < this.length; i++) { this.words[i] = 0; } var j, w; // Scan 24-bit chunks and add them to the number var off = 0; for (i = number.length - 6, j = 0; i >= start; i -= 6) { w = parseHex(number, i, i + 6); this.words[j] |= w << off & 0x3ffffff; // NOTE: `0x3fffff` is intentional here, 26bits max shift + 24bit hex limb this.words[j + 1] |= w >>> 26 - off & 0x3fffff; off += 24; if (off >= 26) { off -= 26; j++; } } if (i + 6 !== start) { w = parseHex(number, start, i + 6); this.words[j] |= w << off & 0x3ffffff; this.words[j + 1] |= w >>> 26 - off & 0x3fffff; } this.strip(); }; function parseBase(str, start, end, mul) { var r = 0; var len = Math.min(str.length, end); for (var i = start; i < len; i++) { var c = str.charCodeAt(i) - 48; r *= mul; // 'a' if (c >= 49) { r += c - 49 + 0xa; // 'A' } else if (c >= 17) { r += c - 17 + 0xa; // '0' - '9' } else { r += c; } } return r; } BN.prototype._parseBase = function _parseBase(number, base, start) { // Initialize as zero this.words = [0]; this.length = 1; // Find length of limb in base for (var limbLen = 0, limbPow = 1; limbPow <= 0x3ffffff; limbPow *= base) { limbLen++; } limbLen--; limbPow = limbPow / base | 0; var total = number.length - start; var mod = total % limbLen; var end = Math.min(total, total - mod) + start; var word = 0; for (var i = start; i < end; i += limbLen) { word = parseBase(number, i, i + limbLen, base); this.imuln(limbPow); if (this.words[0] + word < 0x4000000) { this.words[0] += word; } else { this._iaddn(word); } } if (mod !== 0) { var pow = 1; word = parseBase(number, i, number.length, base); for (i = 0; i < mod; i++) { pow *= base; } this.imuln(pow); if (this.words[0] + word < 0x4000000) { this.words[0] += word; } else { this._iaddn(word); } } }; BN.prototype.copy = function copy(dest) { dest.words = new Array(this.length); for (var i = 0; i < this.length; i++) { dest.words[i] = this.words[i]; } dest.length = this.length; dest.negative = this.negative; dest.red = this.red; }; BN.prototype.clone = function clone() { var r = new BN(null); this.copy(r); return r; }; BN.prototype._expand = function _expand(size) { while (this.length < size) { this.words[this.length++] = 0; } return this; }; // Remove leading `0` from `this` BN.prototype.strip = function strip() { while (this.length > 1 && this.words[this.length - 1] === 0) { this.length--; } return this._normSign(); }; BN.prototype._normSign = function _normSign() { // -0 = 0 if (this.length === 1 && this.words[0] === 0) { this.negative = 0; } return this; }; BN.prototype.inspect = function inspect() { return (this.red ? ''; }; /* var zeros = []; var groupSizes = []; var groupBases = []; var s = ''; var i = -1; while (++i < BN.wordSize) { zeros[i] = s; s += '0'; } groupSizes[0] = 0; groupSizes[1] = 0; groupBases[0] = 0; groupBases[1] = 0; var base = 2 - 1; while (++base < 36 + 1) { var groupSize = 0; var groupBase = 1; while (groupBase < (1 << BN.wordSize) / base) { groupBase *= base; groupSize += 1; } groupSizes[base] = groupSize; groupBases[base] = groupBase; } */ var zeros = ['', '0', '00', '000', '0000', '00000', '000000', '0000000', '00000000', '000000000', '0000000000', '00000000000', '000000000000', '0000000000000', '00000000000000', '000000000000000', '0000000000000000', '00000000000000000', '000000000000000000', '0000000000000000000', '00000000000000000000', '000000000000000000000', '0000000000000000000000', '00000000000000000000000', '000000000000000000000000', '0000000000000000000000000']; var groupSizes = [0, 0, 25, 16, 12, 11, 10, 9, 8, 8, 7, 7, 7, 7, 6, 6, 6, 6, 6, 6, 6, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5]; var groupBases = [0, 0, 33554432, 43046721, 16777216, 48828125, 60466176, 40353607, 16777216, 43046721, 10000000, 19487171, 35831808, 62748517, 7529536, 11390625, 16777216, 24137569, 34012224, 47045881, 64000000, 4084101, 5153632, 6436343, 7962624, 9765625, 11881376, 14348907, 17210368, 20511149, 24300000, 28629151, 33554432, 39135393, 45435424, 52521875, 60466176]; BN.prototype.toString = function toString(base, padding) { base = base || 10; padding = padding | 0 || 1; var out; if (base === 16 || base === 'hex') { out = ''; var off = 0; var carry = 0; for (var i = 0; i < this.length; i++) { var w = this.words[i]; var word = ((w << off | carry) & 0xffffff).toString(16); carry = w >>> 24 - off & 0xffffff; if (carry !== 0 || i !== this.length - 1) { out = zeros[6 - word.length] + word + out; } else { out = word + out; } off += 2; if (off >= 26) { off -= 26; i--; } } if (carry !== 0) { out = carry.toString(16) + out; } while (out.length % padding !== 0) { out = '0' + out; } if (this.negative !== 0) { out = '-' + out; } return out; } if (base === (base | 0) && base >= 2 && base <= 36) { // var groupSize = Math.floor(BN.wordSize * Math.LN2 / Math.log(base)); var groupSize = groupSizes[base]; // var groupBase = Math.pow(base, groupSize); var groupBase = groupBases[base]; out = ''; var c = this.clone(); c.negative = 0; while (!c.isZero()) { var r = c.modn(groupBase).toString(base); c = c.idivn(groupBase); if (!c.isZero()) { out = zeros[groupSize - r.length] + r + out; } else { out = r + out; } } if (this.isZero()) { out = '0' + out; } while (out.length % padding !== 0) { out = '0' + out; } if (this.negative !== 0) { out = '-' + out; } return out; } assert(false, 'Base should be between 2 and 36'); }; BN.prototype.toNumber = function toNumber() { var ret = this.words[0]; if (this.length === 2) { ret += this.words[1] * 0x4000000; } else if (this.length === 3 && this.words[2] === 0x01) { // NOTE: at this stage it is known that the top bit is set ret += 0x10000000000000 + this.words[1] * 0x4000000; } else if (this.length > 2) { assert(false, 'Number can only safely store up to 53 bits'); } return this.negative !== 0 ? -ret : ret; }; BN.prototype.toJSON = function toJSON() { return this.toString(16); }; BN.prototype.toBuffer = function toBuffer(endian, length) { assert(typeof Buffer !== 'undefined'); return this.toArrayLike(Buffer, endian, length); }; BN.prototype.toArray = function toArray(endian, length) { return this.toArrayLike(Array, endian, length); }; BN.prototype.toArrayLike = function toArrayLike(ArrayType, endian, length) { var byteLength = this.byteLength(); var reqLength = length || Math.max(1, byteLength); assert(byteLength <= reqLength, 'byte array longer than desired length'); assert(reqLength > 0, 'Requested array length <= 0'); this.strip(); var littleEndian = endian === 'le'; var res = new ArrayType(reqLength); var b, i; var q = this.clone(); if (!littleEndian) { // Assume big-endian for (i = 0; i < reqLength - byteLength; i++) { res[i] = 0; } for (i = 0; !q.isZero(); i++) { b = q.andln(0xff); q.iushrn(8); res[reqLength - i - 1] = b; } } else { for (i = 0; !q.isZero(); i++) { b = q.andln(0xff); q.iushrn(8); res[i] = b; } for (; i < reqLength; i++) { res[i] = 0; } } return res; }; if (Math.clz32) { BN.prototype._countBits = function _countBits(w) { return 32 - Math.clz32(w); }; } else { BN.prototype._countBits = function _countBits(w) { var t = w; var r = 0; if (t >= 0x1000) { r += 13; t >>>= 13; } if (t >= 0x40) { r += 7; t >>>= 7; } if (t >= 0x8) { r += 4; t >>>= 4; } if (t >= 0x02) { r += 2; t >>>= 2; } return r + t; }; } BN.prototype._zeroBits = function _zeroBits(w) { // Short-cut if (w === 0) return 26; var t = w; var r = 0; if ((t & 0x1fff) === 0) { r += 13; t >>>= 13; } if ((t & 0x7f) === 0) { r += 7; t >>>= 7; } if ((t & 0xf) === 0) { r += 4; t >>>= 4; } if ((t & 0x3) === 0) { r += 2; t >>>= 2; } if ((t & 0x1) === 0) { r++; } return r; }; // Return number of used bits in a BN BN.prototype.bitLength = function bitLength() { var w = this.words[this.length - 1]; var hi = this._countBits(w); return (this.length - 1) * 26 + hi; }; function toBitArray(num) { var w = new Array(num.bitLength()); for (var bit = 0; bit < w.length; bit++) { var off = bit / 26 | 0; var wbit = bit % 26; w[bit] = (num.words[off] & 1 << wbit) >>> wbit; } return w; } // Number of trailing zero bits BN.prototype.zeroBits = function zeroBits() { if (this.isZero()) return 0; var r = 0; for (var i = 0; i < this.length; i++) { var b = this._zeroBits(this.words[i]); r += b; if (b !== 26) break; } return r; }; BN.prototype.byteLength = function byteLength() { return Math.ceil(this.bitLength() / 8); }; BN.prototype.toTwos = function toTwos(width) { if (this.negative !== 0) { return this.abs().inotn(width).iaddn(1); } return this.clone(); }; BN.prototype.fromTwos = function fromTwos(width) { if (this.testn(width - 1)) { return this.notn(width).iaddn(1).ineg(); } return this.clone(); }; BN.prototype.isNeg = function isNeg() { return this.negative !== 0; }; // Return negative clone of `this` BN.prototype.neg = function neg() { return this.clone().ineg(); }; BN.prototype.ineg = function ineg() { if (!this.isZero()) { this.negative ^= 1; } return this; }; // Or `num` with `this` in-place BN.prototype.iuor = function iuor(num) { while (this.length < num.length) { this.words[this.length++] = 0; } for (var i = 0; i < num.length; i++) { this.words[i] = this.words[i] | num.words[i]; } return this.strip(); }; BN.prototype.ior = function ior(num) { assert((this.negative | num.negative) === 0); return this.iuor(num); }; // Or `num` with `this` BN.prototype.or = function or(num) { if (this.length > num.length) return this.clone().ior(num); return num.clone().ior(this); }; BN.prototype.uor = function uor(num) { if (this.length > num.length) return this.clone().iuor(num); return num.clone().iuor(this); }; // And `num` with `this` in-place BN.prototype.iuand = function iuand(num) { // b = min-length(num, this) var b; if (this.length > num.length) { b = num; } else { b = this; } for (var i = 0; i < b.length; i++) { this.words[i] = this.words[i] & num.words[i]; } this.length = b.length; return this.strip(); }; BN.prototype.iand = function iand(num) { assert((this.negative | num.negative) === 0); return this.iuand(num); }; // And `num` with `this` BN.prototype.and = function and(num) { if (this.length > num.length) return this.clone().iand(num); return num.clone().iand(this); }; BN.prototype.uand = function uand(num) { if (this.length > num.length) return this.clone().iuand(num); return num.clone().iuand(this); }; // Xor `num` with `this` in-place BN.prototype.iuxor = function iuxor(num) { // a.length > b.length var a; var b; if (this.length > num.length) { a = this; b = num; } else { a = num; b = this; } for (var i = 0; i < b.length; i++) { this.words[i] = a.words[i] ^ b.words[i]; } if (this !== a) { for (; i < a.length; i++) { this.words[i] = a.words[i]; } } this.length = a.length; return this.strip(); }; BN.prototype.ixor = function ixor(num) { assert((this.negative | num.negative) === 0); return this.iuxor(num); }; // Xor `num` with `this` BN.prototype.xor = function xor(num) { if (this.length > num.length) return this.clone().ixor(num); return num.clone().ixor(this); }; BN.prototype.uxor = function uxor(num) { if (this.length > num.length) return this.clone().iuxor(num); return num.clone().iuxor(this); }; // Not ``this`` with ``width`` bitwidth BN.prototype.inotn = function inotn(width) { assert(typeof width === 'number' && width >= 0); var bytesNeeded = Math.ceil(width / 26) | 0; var bitsLeft = width % 26; // Extend the buffer with leading zeroes this._expand(bytesNeeded); if (bitsLeft > 0) { bytesNeeded--; } // Handle complete words for (var i = 0; i < bytesNeeded; i++) { this.words[i] = ~this.words[i] & 0x3ffffff; } // Handle the residue if (bitsLeft > 0) { this.words[i] = ~this.words[i] & 0x3ffffff >> 26 - bitsLeft; } // And remove leading zeroes return this.strip(); }; BN.prototype.notn = function notn(width) { return this.clone().inotn(width); }; // Set `bit` of `this` BN.prototype.setn = function setn(bit, val) { assert(typeof bit === 'number' && bit >= 0); var off = bit / 26 | 0; var wbit = bit % 26; this._expand(off + 1); if (val) { this.words[off] = this.words[off] | 1 << wbit; } else { this.words[off] = this.words[off] & ~(1 << wbit); } return this.strip(); }; // Add `num` to `this` in-place BN.prototype.iadd = function iadd(num) { var r; // negative + positive if (this.negative !== 0 && num.negative === 0) { this.negative = 0; r = this.isub(num); this.negative ^= 1; return this._normSign(); // positive + negative } else if (this.negative === 0 && num.negative !== 0) { num.negative = 0; r = this.isub(num); num.negative = 1; return r._normSign(); } // a.length > b.length var a, b; if (this.length > num.length) { a = this; b = num; } else { a = num; b = this; } var carry = 0; for (var i = 0; i < b.length; i++) { r = (a.words[i] | 0) + (b.words[i] | 0) + carry; this.words[i] = r & 0x3ffffff; carry = r >>> 26; } for (; carry !== 0 && i < a.length; i++) { r = (a.words[i] | 0) + carry; this.words[i] = r & 0x3ffffff; carry = r >>> 26; } this.length = a.length; if (carry !== 0) { this.words[this.length] = carry; this.length++; // Copy the rest of the words } else if (a !== this) { for (; i < a.length; i++) { this.words[i] = a.words[i]; } } return this; }; // Add `num` to `this` BN.prototype.add = function add(num) { var res; if (num.negative !== 0 && this.negative === 0) { num.negative = 0; res = this.sub(num); num.negative ^= 1; return res; } else if (num.negative === 0 && this.negative !== 0) { this.negative = 0; res = num.sub(this); this.negative = 1; return res; } if (this.length > num.length) return this.clone().iadd(num); return num.clone().iadd(this); }; // Subtract `num` from `this` in-place BN.prototype.isub = function isub(num) { // this - (-num) = this + num if (num.negative !== 0) { num.negative = 0; var r = this.iadd(num); num.negative = 1; return r._normSign(); // -this - num = -(this + num) } else if (this.negative !== 0) { this.negative = 0; this.iadd(num); this.negative = 1; return this._normSign(); } // At this point both numbers are positive var cmp = this.cmp(num); // Optimization - zeroify if (cmp === 0) { this.negative = 0; this.length = 1; this.words[0] = 0; return this; } // a > b var a, b; if (cmp > 0) { a = this; b = num; } else { a = num; b = this; } var carry = 0; for (var i = 0; i < b.length; i++) { r = (a.words[i] | 0) - (b.words[i] | 0) + carry; carry = r >> 26; this.words[i] = r & 0x3ffffff; } for (; carry !== 0 && i < a.length; i++) { r = (a.words[i] | 0) + carry; carry = r >> 26; this.words[i] = r & 0x3ffffff; } // Copy rest of the words if (carry === 0 && i < a.length && a !== this) { for (; i < a.length; i++) { this.words[i] = a.words[i]; } } this.length = Math.max(this.length, i); if (a !== this) { this.negative = 1; } return this.strip(); }; // Subtract `num` from `this` BN.prototype.sub = function sub(num) { return this.clone().isub(num); }; function smallMulTo(self, num, out) { out.negative = num.negative ^ self.negative; var len = self.length + num.length | 0; out.length = len; len = len - 1 | 0; // Peel one iteration (compiler can't do it, because of code complexity) var a = self.words[0] | 0; var b = num.words[0] | 0; var r = a * b; var lo = r & 0x3ffffff; var carry = r / 0x4000000 | 0; out.words[0] = lo; for (var k = 1; k < len; k++) { // Sum all words with the same `i + j = k` and accumulate `ncarry`, // note that ncarry could be >= 0x3ffffff var ncarry = carry >>> 26; var rword = carry & 0x3ffffff; var maxJ = Math.min(k, num.length - 1); for (var j = Math.max(0, k - self.length + 1); j <= maxJ; j++) { var i = k - j | 0; a = self.words[i] | 0; b = num.words[j] | 0; r = a * b + rword; ncarry += r / 0x4000000 | 0; rword = r & 0x3ffffff; } out.words[k] = rword | 0; carry = ncarry | 0; } if (carry !== 0) { out.words[k] = carry | 0; } else { out.length--; } return out.strip(); } // TODO(indutny): it may be reasonable to omit it for users who don't need // to work with 256-bit numbers, otherwise it gives 20% improvement for 256-bit // multiplication (like elliptic secp256k1). var comb10MulTo = function comb10MulTo(self, num, out) { var a = self.words; var b = num.words; var o = out.words; var c = 0; var lo; var mid; var hi; var a0 = a[0] | 0; var al0 = a0 & 0x1fff; var ah0 = a0 >>> 13; var a1 = a[1] | 0; var al1 = a1 & 0x1fff; var ah1 = a1 >>> 13; var a2 = a[2] | 0; var al2 = a2 & 0x1fff; var ah2 = a2 >>> 13; var a3 = a[3] | 0; var al3 = a3 & 0x1fff; var ah3 = a3 >>> 13; var a4 = a[4] | 0; var al4 = a4 & 0x1fff; var ah4 = a4 >>> 13; var a5 = a[5] | 0; var al5 = a5 & 0x1fff; var ah5 = a5 >>> 13; var a6 = a[6] | 0; var al6 = a6 & 0x1fff; var ah6 = a6 >>> 13; var a7 = a[7] | 0; var al7 = a7 & 0x1fff; var ah7 = a7 >>> 13; var a8 = a[8] | 0; var al8 = a8 & 0x1fff; var ah8 = a8 >>> 13; var a9 = a[9] | 0; var al9 = a9 & 0x1fff; var ah9 = a9 >>> 13; var b0 = b[0] | 0; var bl0 = b0 & 0x1fff; var bh0 = b0 >>> 13; var b1 = b[1] | 0; var bl1 = b1 & 0x1fff; var bh1 = b1 >>> 13; var b2 = b[2] | 0; var bl2 = b2 & 0x1fff; var bh2 = b2 >>> 13; var b3 = b[3] | 0; var bl3 = b3 & 0x1fff; var bh3 = b3 >>> 13; var b4 = b[4] | 0; var bl4 = b4 & 0x1fff; var bh4 = b4 >>> 13; var b5 = b[5] | 0; var bl5 = b5 & 0x1fff; var bh5 = b5 >>> 13; var b6 = b[6] | 0; var bl6 = b6 & 0x1fff; var bh6 = b6 >>> 13; var b7 = b[7] | 0; var bl7 = b7 & 0x1fff; var bh7 = b7 >>> 13; var b8 = b[8] | 0; var bl8 = b8 & 0x1fff; var bh8 = b8 >>> 13; var b9 = b[9] | 0; var bl9 = b9 & 0x1fff; var bh9 = b9 >>> 13; out.negative = self.negative ^ num.negative; out.length = 19; /* k = 0 */ lo = Math.imul(al0, bl0); mid = Math.imul(al0, bh0); mid = mid + Math.imul(ah0, bl0) | 0; hi = Math.imul(ah0, bh0); var w0 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w0 >>> 26) | 0; w0 &= 0x3ffffff; /* k = 1 */ lo = Math.imul(al1, bl0); mid = Math.imul(al1, bh0); mid = mid + Math.imul(ah1, bl0) | 0; hi = Math.imul(ah1, bh0); lo = lo + Math.imul(al0, bl1) | 0; mid = mid + Math.imul(al0, bh1) | 0; mid = mid + Math.imul(ah0, bl1) | 0; hi = hi + Math.imul(ah0, bh1) | 0; var w1 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w1 >>> 26) | 0; w1 &= 0x3ffffff; /* k = 2 */ lo = Math.imul(al2, bl0); mid = Math.imul(al2, bh0); mid = mid + Math.imul(ah2, bl0) | 0; hi = Math.imul(ah2, bh0); lo = lo + Math.imul(al1, bl1) | 0; mid = mid + Math.imul(al1, bh1) | 0; mid = mid + Math.imul(ah1, bl1) | 0; hi = hi + Math.imul(ah1, bh1) | 0; lo = lo + Math.imul(al0, bl2) | 0; mid = mid + Math.imul(al0, bh2) | 0; mid = mid + Math.imul(ah0, bl2) | 0; hi = hi + Math.imul(ah0, bh2) | 0; var w2 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w2 >>> 26) | 0; w2 &= 0x3ffffff; /* k = 3 */ lo = Math.imul(al3, bl0); mid = Math.imul(al3, bh0); mid = mid + Math.imul(ah3, bl0) | 0; hi = Math.imul(ah3, bh0); lo = lo + Math.imul(al2, bl1) | 0; mid = mid + Math.imul(al2, bh1) | 0; mid = mid + Math.imul(ah2, bl1) | 0; hi = hi + Math.imul(ah2, bh1) | 0; lo = lo + Math.imul(al1, bl2) | 0; mid = mid + Math.imul(al1, bh2) | 0; mid = mid + Math.imul(ah1, bl2) | 0; hi = hi + Math.imul(ah1, bh2) | 0; lo = lo + Math.imul(al0, bl3) | 0; mid = mid + Math.imul(al0, bh3) | 0; mid = mid + Math.imul(ah0, bl3) | 0; hi = hi + Math.imul(ah0, bh3) | 0; var w3 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w3 >>> 26) | 0; w3 &= 0x3ffffff; /* k = 4 */ lo = Math.imul(al4, bl0); mid = Math.imul(al4, bh0); mid = mid + Math.imul(ah4, bl0) | 0; hi = Math.imul(ah4, bh0); lo = lo + Math.imul(al3, bl1) | 0; mid = mid + Math.imul(al3, bh1) | 0; mid = mid + Math.imul(ah3, bl1) | 0; hi = hi + Math.imul(ah3, bh1) | 0; lo = lo + Math.imul(al2, bl2) | 0; mid = mid + Math.imul(al2, bh2) | 0; mid = mid + Math.imul(ah2, bl2) | 0; hi = hi + Math.imul(ah2, bh2) | 0; lo = lo + Math.imul(al1, bl3) | 0; mid = mid + Math.imul(al1, bh3) | 0; mid = mid + Math.imul(ah1, bl3) | 0; hi = hi + Math.imul(ah1, bh3) | 0; lo = lo + Math.imul(al0, bl4) | 0; mid = mid + Math.imul(al0, bh4) | 0; mid = mid + Math.imul(ah0, bl4) | 0; hi = hi + Math.imul(ah0, bh4) | 0; var w4 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w4 >>> 26) | 0; w4 &= 0x3ffffff; /* k = 5 */ lo = Math.imul(al5, bl0); mid = Math.imul(al5, bh0); mid = mid + Math.imul(ah5, bl0) | 0; hi = Math.imul(ah5, bh0); lo = lo + Math.imul(al4, bl1) | 0; mid = mid + Math.imul(al4, bh1) | 0; mid = mid + Math.imul(ah4, bl1) | 0; hi = hi + Math.imul(ah4, bh1) | 0; lo = lo + Math.imul(al3, bl2) | 0; mid = mid + Math.imul(al3, bh2) | 0; mid = mid + Math.imul(ah3, bl2) | 0; hi = hi + Math.imul(ah3, bh2) | 0; lo = lo + Math.imul(al2, bl3) | 0; mid = mid + Math.imul(al2, bh3) | 0; mid = mid + Math.imul(ah2, bl3) | 0; hi = hi + Math.imul(ah2, bh3) | 0; lo = lo + Math.imul(al1, bl4) | 0; mid = mid + Math.imul(al1, bh4) | 0; mid = mid + Math.imul(ah1, bl4) | 0; hi = hi + Math.imul(ah1, bh4) | 0; lo = lo + Math.imul(al0, bl5) | 0; mid = mid + Math.imul(al0, bh5) | 0; mid = mid + Math.imul(ah0, bl5) | 0; hi = hi + Math.imul(ah0, bh5) | 0; var w5 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w5 >>> 26) | 0; w5 &= 0x3ffffff; /* k = 6 */ lo = Math.imul(al6, bl0); mid = Math.imul(al6, bh0); mid = mid + Math.imul(ah6, bl0) | 0; hi = Math.imul(ah6, bh0); lo = lo + Math.imul(al5, bl1) | 0; mid = mid + Math.imul(al5, bh1) | 0; mid = mid + Math.imul(ah5, bl1) | 0; hi = hi + Math.imul(ah5, bh1) | 0; lo = lo + Math.imul(al4, bl2) | 0; mid = mid + Math.imul(al4, bh2) | 0; mid = mid + Math.imul(ah4, bl2) | 0; hi = hi + Math.imul(ah4, bh2) | 0; lo = lo + Math.imul(al3, bl3) | 0; mid = mid + Math.imul(al3, bh3) | 0; mid = mid + Math.imul(ah3, bl3) | 0; hi = hi + Math.imul(ah3, bh3) | 0; lo = lo + Math.imul(al2, bl4) | 0; mid = mid + Math.imul(al2, bh4) | 0; mid = mid + Math.imul(ah2, bl4) | 0; hi = hi + Math.imul(ah2, bh4) | 0; lo = lo + Math.imul(al1, bl5) | 0; mid = mid + Math.imul(al1, bh5) | 0; mid = mid + Math.imul(ah1, bl5) | 0; hi = hi + Math.imul(ah1, bh5) | 0; lo = lo + Math.imul(al0, bl6) | 0; mid = mid + Math.imul(al0, bh6) | 0; mid = mid + Math.imul(ah0, bl6) | 0; hi = hi + Math.imul(ah0, bh6) | 0; var w6 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w6 >>> 26) | 0; w6 &= 0x3ffffff; /* k = 7 */ lo = Math.imul(al7, bl0); mid = Math.imul(al7, bh0); mid = mid + Math.imul(ah7, bl0) | 0; hi = Math.imul(ah7, bh0); lo = lo + Math.imul(al6, bl1) | 0; mid = mid + Math.imul(al6, bh1) | 0; mid = mid + Math.imul(ah6, bl1) | 0; hi = hi + Math.imul(ah6, bh1) | 0; lo = lo + Math.imul(al5, bl2) | 0; mid = mid + Math.imul(al5, bh2) | 0; mid = mid + Math.imul(ah5, bl2) | 0; hi = hi + Math.imul(ah5, bh2) | 0; lo = lo + Math.imul(al4, bl3) | 0; mid = mid + Math.imul(al4, bh3) | 0; mid = mid + Math.imul(ah4, bl3) | 0; hi = hi + Math.imul(ah4, bh3) | 0; lo = lo + Math.imul(al3, bl4) | 0; mid = mid + Math.imul(al3, bh4) | 0; mid = mid + Math.imul(ah3, bl4) | 0; hi = hi + Math.imul(ah3, bh4) | 0; lo = lo + Math.imul(al2, bl5) | 0; mid = mid + Math.imul(al2, bh5) | 0; mid = mid + Math.imul(ah2, bl5) | 0; hi = hi + Math.imul(ah2, bh5) | 0; lo = lo + Math.imul(al1, bl6) | 0; mid = mid + Math.imul(al1, bh6) | 0; mid = mid + Math.imul(ah1, bl6) | 0; hi = hi + Math.imul(ah1, bh6) | 0; lo = lo + Math.imul(al0, bl7) | 0; mid = mid + Math.imul(al0, bh7) | 0; mid = mid + Math.imul(ah0, bl7) | 0; hi = hi + Math.imul(ah0, bh7) | 0; var w7 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w7 >>> 26) | 0; w7 &= 0x3ffffff; /* k = 8 */ lo = Math.imul(al8, bl0); mid = Math.imul(al8, bh0); mid = mid + Math.imul(ah8, bl0) | 0; hi = Math.imul(ah8, bh0); lo = lo + Math.imul(al7, bl1) | 0; mid = mid + Math.imul(al7, bh1) | 0; mid = mid + Math.imul(ah7, bl1) | 0; hi = hi + Math.imul(ah7, bh1) | 0; lo = lo + Math.imul(al6, bl2) | 0; mid = mid + Math.imul(al6, bh2) | 0; mid = mid + Math.imul(ah6, bl2) | 0; hi = hi + Math.imul(ah6, bh2) | 0; lo = lo + Math.imul(al5, bl3) | 0; mid = mid + Math.imul(al5, bh3) | 0; mid = mid + Math.imul(ah5, bl3) | 0; hi = hi + Math.imul(ah5, bh3) | 0; lo = lo + Math.imul(al4, bl4) | 0; mid = mid + Math.imul(al4, bh4) | 0; mid = mid + Math.imul(ah4, bl4) | 0; hi = hi + Math.imul(ah4, bh4) | 0; lo = lo + Math.imul(al3, bl5) | 0; mid = mid + Math.imul(al3, bh5) | 0; mid = mid + Math.imul(ah3, bl5) | 0; hi = hi + Math.imul(ah3, bh5) | 0; lo = lo + Math.imul(al2, bl6) | 0; mid = mid + Math.imul(al2, bh6) | 0; mid = mid + Math.imul(ah2, bl6) | 0; hi = hi + Math.imul(ah2, bh6) | 0; lo = lo + Math.imul(al1, bl7) | 0; mid = mid + Math.imul(al1, bh7) | 0; mid = mid + Math.imul(ah1, bl7) | 0; hi = hi + Math.imul(ah1, bh7) | 0; lo = lo + Math.imul(al0, bl8) | 0; mid = mid + Math.imul(al0, bh8) | 0; mid = mid + Math.imul(ah0, bl8) | 0; hi = hi + Math.imul(ah0, bh8) | 0; var w8 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w8 >>> 26) | 0; w8 &= 0x3ffffff; /* k = 9 */ lo = Math.imul(al9, bl0); mid = Math.imul(al9, bh0); mid = mid + Math.imul(ah9, bl0) | 0; hi = Math.imul(ah9, bh0); lo = lo + Math.imul(al8, bl1) | 0; mid = mid + Math.imul(al8, bh1) | 0; mid = mid + Math.imul(ah8, bl1) | 0; hi = hi + Math.imul(ah8, bh1) | 0; lo = lo + Math.imul(al7, bl2) | 0; mid = mid + Math.imul(al7, bh2) | 0; mid = mid + Math.imul(ah7, bl2) | 0; hi = hi + Math.imul(ah7, bh2) | 0; lo = lo + Math.imul(al6, bl3) | 0; mid = mid + Math.imul(al6, bh3) | 0; mid = mid + Math.imul(ah6, bl3) | 0; hi = hi + Math.imul(ah6, bh3) | 0; lo = lo + Math.imul(al5, bl4) | 0; mid = mid + Math.imul(al5, bh4) | 0; mid = mid + Math.imul(ah5, bl4) | 0; hi = hi + Math.imul(ah5, bh4) | 0; lo = lo + Math.imul(al4, bl5) | 0; mid = mid + Math.imul(al4, bh5) | 0; mid = mid + Math.imul(ah4, bl5) | 0; hi = hi + Math.imul(ah4, bh5) | 0; lo = lo + Math.imul(al3, bl6) | 0; mid = mid + Math.imul(al3, bh6) | 0; mid = mid + Math.imul(ah3, bl6) | 0; hi = hi + Math.imul(ah3, bh6) | 0; lo = lo + Math.imul(al2, bl7) | 0; mid = mid + Math.imul(al2, bh7) | 0; mid = mid + Math.imul(ah2, bl7) | 0; hi = hi + Math.imul(ah2, bh7) | 0; lo = lo + Math.imul(al1, bl8) | 0; mid = mid + Math.imul(al1, bh8) | 0; mid = mid + Math.imul(ah1, bl8) | 0; hi = hi + Math.imul(ah1, bh8) | 0; lo = lo + Math.imul(al0, bl9) | 0; mid = mid + Math.imul(al0, bh9) | 0; mid = mid + Math.imul(ah0, bl9) | 0; hi = hi + Math.imul(ah0, bh9) | 0; var w9 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w9 >>> 26) | 0; w9 &= 0x3ffffff; /* k = 10 */ lo = Math.imul(al9, bl1); mid = Math.imul(al9, bh1); mid = mid + Math.imul(ah9, bl1) | 0; hi = Math.imul(ah9, bh1); lo = lo + Math.imul(al8, bl2) | 0; mid = mid + Math.imul(al8, bh2) | 0; mid = mid + Math.imul(ah8, bl2) | 0; hi = hi + Math.imul(ah8, bh2) | 0; lo = lo + Math.imul(al7, bl3) | 0; mid = mid + Math.imul(al7, bh3) | 0; mid = mid + Math.imul(ah7, bl3) | 0; hi = hi + Math.imul(ah7, bh3) | 0; lo = lo + Math.imul(al6, bl4) | 0; mid = mid + Math.imul(al6, bh4) | 0; mid = mid + Math.imul(ah6, bl4) | 0; hi = hi + Math.imul(ah6, bh4) | 0; lo = lo + Math.imul(al5, bl5) | 0; mid = mid + Math.imul(al5, bh5) | 0; mid = mid + Math.imul(ah5, bl5) | 0; hi = hi + Math.imul(ah5, bh5) | 0; lo = lo + Math.imul(al4, bl6) | 0; mid = mid + Math.imul(al4, bh6) | 0; mid = mid + Math.imul(ah4, bl6) | 0; hi = hi + Math.imul(ah4, bh6) | 0; lo = lo + Math.imul(al3, bl7) | 0; mid = mid + Math.imul(al3, bh7) | 0; mid = mid + Math.imul(ah3, bl7) | 0; hi = hi + Math.imul(ah3, bh7) | 0; lo = lo + Math.imul(al2, bl8) | 0; mid = mid + Math.imul(al2, bh8) | 0; mid = mid + Math.imul(ah2, bl8) | 0; hi = hi + Math.imul(ah2, bh8) | 0; lo = lo + Math.imul(al1, bl9) | 0; mid = mid + Math.imul(al1, bh9) | 0; mid = mid + Math.imul(ah1, bl9) | 0; hi = hi + Math.imul(ah1, bh9) | 0; var w10 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w10 >>> 26) | 0; w10 &= 0x3ffffff; /* k = 11 */ lo = Math.imul(al9, bl2); mid = Math.imul(al9, bh2); mid = mid + Math.imul(ah9, bl2) | 0; hi = Math.imul(ah9, bh2); lo = lo + Math.imul(al8, bl3) | 0; mid = mid + Math.imul(al8, bh3) | 0; mid = mid + Math.imul(ah8, bl3) | 0; hi = hi + Math.imul(ah8, bh3) | 0; lo = lo + Math.imul(al7, bl4) | 0; mid = mid + Math.imul(al7, bh4) | 0; mid = mid + Math.imul(ah7, bl4) | 0; hi = hi + Math.imul(ah7, bh4) | 0; lo = lo + Math.imul(al6, bl5) | 0; mid = mid + Math.imul(al6, bh5) | 0; mid = mid + Math.imul(ah6, bl5) | 0; hi = hi + Math.imul(ah6, bh5) | 0; lo = lo + Math.imul(al5, bl6) | 0; mid = mid + Math.imul(al5, bh6) | 0; mid = mid + Math.imul(ah5, bl6) | 0; hi = hi + Math.imul(ah5, bh6) | 0; lo = lo + Math.imul(al4, bl7) | 0; mid = mid + Math.imul(al4, bh7) | 0; mid = mid + Math.imul(ah4, bl7) | 0; hi = hi + Math.imul(ah4, bh7) | 0; lo = lo + Math.imul(al3, bl8) | 0; mid = mid + Math.imul(al3, bh8) | 0; mid = mid + Math.imul(ah3, bl8) | 0; hi = hi + Math.imul(ah3, bh8) | 0; lo = lo + Math.imul(al2, bl9) | 0; mid = mid + Math.imul(al2, bh9) | 0; mid = mid + Math.imul(ah2, bl9) | 0; hi = hi + Math.imul(ah2, bh9) | 0; var w11 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w11 >>> 26) | 0; w11 &= 0x3ffffff; /* k = 12 */ lo = Math.imul(al9, bl3); mid = Math.imul(al9, bh3); mid = mid + Math.imul(ah9, bl3) | 0; hi = Math.imul(ah9, bh3); lo = lo + Math.imul(al8, bl4) | 0; mid = mid + Math.imul(al8, bh4) | 0; mid = mid + Math.imul(ah8, bl4) | 0; hi = hi + Math.imul(ah8, bh4) | 0; lo = lo + Math.imul(al7, bl5) | 0; mid = mid + Math.imul(al7, bh5) | 0; mid = mid + Math.imul(ah7, bl5) | 0; hi = hi + Math.imul(ah7, bh5) | 0; lo = lo + Math.imul(al6, bl6) | 0; mid = mid + Math.imul(al6, bh6) | 0; mid = mid + Math.imul(ah6, bl6) | 0; hi = hi + Math.imul(ah6, bh6) | 0; lo = lo + Math.imul(al5, bl7) | 0; mid = mid + Math.imul(al5, bh7) | 0; mid = mid + Math.imul(ah5, bl7) | 0; hi = hi + Math.imul(ah5, bh7) | 0; lo = lo + Math.imul(al4, bl8) | 0; mid = mid + Math.imul(al4, bh8) | 0; mid = mid + Math.imul(ah4, bl8) | 0; hi = hi + Math.imul(ah4, bh8) | 0; lo = lo + Math.imul(al3, bl9) | 0; mid = mid + Math.imul(al3, bh9) | 0; mid = mid + Math.imul(ah3, bl9) | 0; hi = hi + Math.imul(ah3, bh9) | 0; var w12 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w12 >>> 26) | 0; w12 &= 0x3ffffff; /* k = 13 */ lo = Math.imul(al9, bl4); mid = Math.imul(al9, bh4); mid = mid + Math.imul(ah9, bl4) | 0; hi = Math.imul(ah9, bh4); lo = lo + Math.imul(al8, bl5) | 0; mid = mid + Math.imul(al8, bh5) | 0; mid = mid + Math.imul(ah8, bl5) | 0; hi = hi + Math.imul(ah8, bh5) | 0; lo = lo + Math.imul(al7, bl6) | 0; mid = mid + Math.imul(al7, bh6) | 0; mid = mid + Math.imul(ah7, bl6) | 0; hi = hi + Math.imul(ah7, bh6) | 0; lo = lo + Math.imul(al6, bl7) | 0; mid = mid + Math.imul(al6, bh7) | 0; mid = mid + Math.imul(ah6, bl7) | 0; hi = hi + Math.imul(ah6, bh7) | 0; lo = lo + Math.imul(al5, bl8) | 0; mid = mid + Math.imul(al5, bh8) | 0; mid = mid + Math.imul(ah5, bl8) | 0; hi = hi + Math.imul(ah5, bh8) | 0; lo = lo + Math.imul(al4, bl9) | 0; mid = mid + Math.imul(al4, bh9) | 0; mid = mid + Math.imul(ah4, bl9) | 0; hi = hi + Math.imul(ah4, bh9) | 0; var w13 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w13 >>> 26) | 0; w13 &= 0x3ffffff; /* k = 14 */ lo = Math.imul(al9, bl5); mid = Math.imul(al9, bh5); mid = mid + Math.imul(ah9, bl5) | 0; hi = Math.imul(ah9, bh5); lo = lo + Math.imul(al8, bl6) | 0; mid = mid + Math.imul(al8, bh6) | 0; mid = mid + Math.imul(ah8, bl6) | 0; hi = hi + Math.imul(ah8, bh6) | 0; lo = lo + Math.imul(al7, bl7) | 0; mid = mid + Math.imul(al7, bh7) | 0; mid = mid + Math.imul(ah7, bl7) | 0; hi = hi + Math.imul(ah7, bh7) | 0; lo = lo + Math.imul(al6, bl8) | 0; mid = mid + Math.imul(al6, bh8) | 0; mid = mid + Math.imul(ah6, bl8) | 0; hi = hi + Math.imul(ah6, bh8) | 0; lo = lo + Math.imul(al5, bl9) | 0; mid = mid + Math.imul(al5, bh9) | 0; mid = mid + Math.imul(ah5, bl9) | 0; hi = hi + Math.imul(ah5, bh9) | 0; var w14 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w14 >>> 26) | 0; w14 &= 0x3ffffff; /* k = 15 */ lo = Math.imul(al9, bl6); mid = Math.imul(al9, bh6); mid = mid + Math.imul(ah9, bl6) | 0; hi = Math.imul(ah9, bh6); lo = lo + Math.imul(al8, bl7) | 0; mid = mid + Math.imul(al8, bh7) | 0; mid = mid + Math.imul(ah8, bl7) | 0; hi = hi + Math.imul(ah8, bh7) | 0; lo = lo + Math.imul(al7, bl8) | 0; mid = mid + Math.imul(al7, bh8) | 0; mid = mid + Math.imul(ah7, bl8) | 0; hi = hi + Math.imul(ah7, bh8) | 0; lo = lo + Math.imul(al6, bl9) | 0; mid = mid + Math.imul(al6, bh9) | 0; mid = mid + Math.imul(ah6, bl9) | 0; hi = hi + Math.imul(ah6, bh9) | 0; var w15 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w15 >>> 26) | 0; w15 &= 0x3ffffff; /* k = 16 */ lo = Math.imul(al9, bl7); mid = Math.imul(al9, bh7); mid = mid + Math.imul(ah9, bl7) | 0; hi = Math.imul(ah9, bh7); lo = lo + Math.imul(al8, bl8) | 0; mid = mid + Math.imul(al8, bh8) | 0; mid = mid + Math.imul(ah8, bl8) | 0; hi = hi + Math.imul(ah8, bh8) | 0; lo = lo + Math.imul(al7, bl9) | 0; mid = mid + Math.imul(al7, bh9) | 0; mid = mid + Math.imul(ah7, bl9) | 0; hi = hi + Math.imul(ah7, bh9) | 0; var w16 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w16 >>> 26) | 0; w16 &= 0x3ffffff; /* k = 17 */ lo = Math.imul(al9, bl8); mid = Math.imul(al9, bh8); mid = mid + Math.imul(ah9, bl8) | 0; hi = Math.imul(ah9, bh8); lo = lo + Math.imul(al8, bl9) | 0; mid = mid + Math.imul(al8, bh9) | 0; mid = mid + Math.imul(ah8, bl9) | 0; hi = hi + Math.imul(ah8, bh9) | 0; var w17 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w17 >>> 26) | 0; w17 &= 0x3ffffff; /* k = 18 */ lo = Math.imul(al9, bl9); mid = Math.imul(al9, bh9); mid = mid + Math.imul(ah9, bl9) | 0; hi = Math.imul(ah9, bh9); var w18 = (c + lo | 0) + ((mid & 0x1fff) << 13) | 0; c = (hi + (mid >>> 13) | 0) + (w18 >>> 26) | 0; w18 &= 0x3ffffff; o[0] = w0; o[1] = w1; o[2] = w2; o[3] = w3; o[4] = w4; o[5] = w5; o[6] = w6; o[7] = w7; o[8] = w8; o[9] = w9; o[10] = w10; o[11] = w11; o[12] = w12; o[13] = w13; o[14] = w14; o[15] = w15; o[16] = w16; o[17] = w17; o[18] = w18; if (c !== 0) { o[19] = c; out.length++; } return out; }; // Polyfill comb if (!Math.imul) { comb10MulTo = smallMulTo; } function bigMulTo(self, num, out) { out.negative = num.negative ^ self.negative; out.length = self.length + num.length; var carry = 0; var hncarry = 0; for (var k = 0; k < out.length - 1; k++) { // Sum all words with the same `i + j = k` and accumulate `ncarry`, // note that ncarry could be >= 0x3ffffff var ncarry = hncarry; hncarry = 0; var rword = carry & 0x3ffffff; var maxJ = Math.min(k, num.length - 1); for (var j = Math.max(0, k - self.length + 1); j <= maxJ; j++) { var i = k - j; var a = self.words[i] | 0; var b = num.words[j] | 0; var r = a * b; var lo = r & 0x3ffffff; ncarry = ncarry + (r / 0x4000000 | 0) | 0; lo = lo + rword | 0; rword = lo & 0x3ffffff; ncarry = ncarry + (lo >>> 26) | 0; hncarry += ncarry >>> 26; ncarry &= 0x3ffffff; } out.words[k] = rword; carry = ncarry; ncarry = hncarry; } if (carry !== 0) { out.words[k] = carry; } else { out.length--; } return out.strip(); } function jumboMulTo(self, num, out) { var fftm = new FFTM(); return fftm.mulp(self, num, out); } BN.prototype.mulTo = function mulTo(num, out) { var res; var len = this.length + num.length; if (this.length === 10 && num.length === 10) { res = comb10MulTo(this, num, out); } else if (len < 63) { res = smallMulTo(this, num, out); } else if (len < 1024) { res = bigMulTo(this, num, out); } else { res = jumboMulTo(this, num, out); } return res; }; // Cooley-Tukey algorithm for FFT // slightly revisited to rely on looping instead of recursion function FFTM(x, y) { this.x = x; this.y = y; } FFTM.prototype.makeRBT = function makeRBT(N) { var t = new Array(N); var l = BN.prototype._countBits(N) - 1; for (var i = 0; i < N; i++) { t[i] = this.revBin(i, l, N); } return t; }; // Returns binary-reversed representation of `x` FFTM.prototype.revBin = function revBin(x, l, N) { if (x === 0 || x === N - 1) return x; var rb = 0; for (var i = 0; i < l; i++) { rb |= (x & 1) << l - i - 1; x >>= 1; } return rb; }; // Performs "tweedling" phase, therefore 'emulating' // behaviour of the recursive algorithm FFTM.prototype.permute = function permute(rbt, rws, iws, rtws, itws, N) { for (var i = 0; i < N; i++) { rtws[i] = rws[rbt[i]]; itws[i] = iws[rbt[i]]; } }; FFTM.prototype.transform = function transform(rws, iws, rtws, itws, N, rbt) { this.permute(rbt, rws, iws, rtws, itws, N); for (var s = 1; s < N; s <<= 1) { var l = s << 1; var rtwdf = Math.cos(2 * Math.PI / l); var itwdf = Math.sin(2 * Math.PI / l); for (var p = 0; p < N; p += l) { var rtwdf_ = rtwdf; var itwdf_ = itwdf; for (var j = 0; j < s; j++) { var re = rtws[p + j]; var ie = itws[p + j]; var ro = rtws[p + j + s]; var io = itws[p + j + s]; var rx = rtwdf_ * ro - itwdf_ * io; io = rtwdf_ * io + itwdf_ * ro; ro = rx; rtws[p + j] = re + ro; itws[p + j] = ie + io; rtws[p + j + s] = re - ro; itws[p + j + s] = ie - io; /* jshint maxdepth : false */ if (j !== l) { rx = rtwdf * rtwdf_ - itwdf * itwdf_; itwdf_ = rtwdf * itwdf_ + itwdf * rtwdf_; rtwdf_ = rx; } } } } }; FFTM.prototype.guessLen13b = function guessLen13b(n, m) { var N = Math.max(m, n) | 1; var odd = N & 1; var i = 0; for (N = N / 2 | 0; N; N = N >>> 1) { i++; } return 1 << i + 1 + odd; }; FFTM.prototype.conjugate = function conjugate(rws, iws, N) { if (N <= 1) return; for (var i = 0; i < N / 2; i++) { var t = rws[i]; rws[i] = rws[N - i - 1]; rws[N - i - 1] = t; t = iws[i]; iws[i] = -iws[N - i - 1]; iws[N - i - 1] = -t; } }; FFTM.prototype.normalize13b = function normalize13b(ws, N) { var carry = 0; for (var i = 0; i < N / 2; i++) { var w = Math.round(ws[2 * i + 1] / N) * 0x2000 + Math.round(ws[2 * i] / N) + carry; ws[i] = w & 0x3ffffff; if (w < 0x4000000) { carry = 0; } else { carry = w / 0x4000000 | 0; } } return ws; }; FFTM.prototype.convert13b = function convert13b(ws, len, rws, N) { var carry = 0; for (var i = 0; i < len; i++) { carry = carry + (ws[i] | 0); rws[2 * i] = carry & 0x1fff; carry = carry >>> 13; rws[2 * i + 1] = carry & 0x1fff; carry = carry >>> 13; } // Pad with zeroes for (i = 2 * len; i < N; ++i) { rws[i] = 0; } assert(carry === 0); assert((carry & ~0x1fff) === 0); }; FFTM.prototype.stub = function stub(N) { var ph = new Array(N); for (var i = 0; i < N; i++) { ph[i] = 0; } return ph; }; FFTM.prototype.mulp = function mulp(x, y, out) { var N = 2 * this.guessLen13b(x.length, y.length); var rbt = this.makeRBT(N); var _ = this.stub(N); var rws = new Array(N); var rwst = new Array(N); var iwst = new Array(N); var nrws = new Array(N); var nrwst = new Array(N); var niwst = new Array(N); var rmws = out.words; rmws.length = N; this.convert13b(x.words, x.length, rws, N); this.convert13b(y.words, y.length, nrws, N); this.transform(rws, _, rwst, iwst, N, rbt); this.transform(nrws, _, nrwst, niwst, N, rbt); for (var i = 0; i < N; i++) { var rx = rwst[i] * nrwst[i] - iwst[i] * niwst[i]; iwst[i] = rwst[i] * niwst[i] + iwst[i] * nrwst[i]; rwst[i] = rx; } this.conjugate(rwst, iwst, N); this.transform(rwst, iwst, rmws, _, N, rbt); this.conjugate(rmws, _, N); this.normalize13b(rmws, N); out.negative = x.negative ^ y.negative; out.length = x.length + y.length; return out.strip(); }; // Multiply `this` by `num` BN.prototype.mul = function mul(num) { var out = new BN(null); out.words = new Array(this.length + num.length); return this.mulTo(num, out); }; // Multiply employing FFT BN.prototype.mulf = function mulf(num) { var out = new BN(null); out.words = new Array(this.length + num.length); return jumboMulTo(this, num, out); }; // In-place Multiplication BN.prototype.imul = function imul(num) { return this.clone().mulTo(num, this); }; BN.prototype.imuln = function imuln(num) { assert(typeof num === 'number'); assert(num < 0x4000000); // Carry var carry = 0; for (var i = 0; i < this.length; i++) { var w = (this.words[i] | 0) * num; var lo = (w & 0x3ffffff) + (carry & 0x3ffffff); carry >>= 26; carry += w / 0x4000000 | 0; // NOTE: lo is 27bit maximum carry += lo >>> 26; this.words[i] = lo & 0x3ffffff; } if (carry !== 0) { this.words[i] = carry; this.length++; } return this; }; BN.prototype.muln = function muln(num) { return this.clone().imuln(num); }; // `this` * `this` BN.prototype.sqr = function sqr() { return this.mul(this); }; // `this` * `this` in-place BN.prototype.isqr = function isqr() { return this.imul(this.clone()); }; // Math.pow(`this`, `num`) BN.prototype.pow = function pow(num) { var w = toBitArray(num); if (w.length === 0) return new BN(1); // Skip leading zeroes var res = this; for (var i = 0; i < w.length; i++, res = res.sqr()) { if (w[i] !== 0) break; } if (++i < w.length) { for (var q = res.sqr(); i < w.length; i++, q = q.sqr()) { if (w[i] === 0) continue; res = res.mul(q); } } return res; }; // Shift-left in-place BN.prototype.iushln = function iushln(bits) { assert(typeof bits === 'number' && bits >= 0); var r = bits % 26; var s = (bits - r) / 26; var carryMask = 0x3ffffff >>> 26 - r << 26 - r; var i; if (r !== 0) { var carry = 0; for (i = 0; i < this.length; i++) { var newCarry = this.words[i] & carryMask; var c = (this.words[i] | 0) - newCarry << r; this.words[i] = c | carry; carry = newCarry >>> 26 - r; } if (carry) { this.words[i] = carry; this.length++; } } if (s !== 0) { for (i = this.length - 1; i >= 0; i--) { this.words[i + s] = this.words[i]; } for (i = 0; i < s; i++) { this.words[i] = 0; } this.length += s; } return this.strip(); }; BN.prototype.ishln = function ishln(bits) { // TODO(indutny): implement me assert(this.negative === 0); return this.iushln(bits); }; // Shift-right in-place // NOTE: `hint` is a lowest bit before trailing zeroes // NOTE: if `extended` is present - it will be filled with destroyed bits BN.prototype.iushrn = function iushrn(bits, hint, extended) { assert(typeof bits === 'number' && bits >= 0); var h; if (hint) { h = (hint - hint % 26) / 26; } else { h = 0; } var r = bits % 26; var s = Math.min((bits - r) / 26, this.length); var mask = 0x3ffffff ^ 0x3ffffff >>> r << r; var maskedWords = extended; h -= s; h = Math.max(0, h); // Extended mode, copy masked part if (maskedWords) { for (var i = 0; i < s; i++) { maskedWords.words[i] = this.words[i]; } maskedWords.length = s; } if (s === 0) {// No-op, we should not move anything at all } else if (this.length > s) { this.length -= s; for (i = 0; i < this.length; i++) { this.words[i] = this.words[i + s]; } } else { this.words[0] = 0; this.length = 1; } var carry = 0; for (i = this.length - 1; i >= 0 && (carry !== 0 || i >= h); i--) { var word = this.words[i] | 0; this.words[i] = carry << 26 - r | word >>> r; carry = word & mask; } // Push carried bits as a mask if (maskedWords && carry !== 0) { maskedWords.words[maskedWords.length++] = carry; } if (this.length === 0) { this.words[0] = 0; this.length = 1; } return this.strip(); }; BN.prototype.ishrn = function ishrn(bits, hint, extended) { // TODO(indutny): implement me assert(this.negative === 0); return this.iushrn(bits, hint, extended); }; // Shift-left BN.prototype.shln = function shln(bits) { return this.clone().ishln(bits); }; BN.prototype.ushln = function ushln(bits) { return this.clone().iushln(bits); }; // Shift-right BN.prototype.shrn = function shrn(bits) { return this.clone().ishrn(bits); }; BN.prototype.ushrn = function ushrn(bits) { return this.clone().iushrn(bits); }; // Test if n bit is set BN.prototype.testn = function testn(bit) { assert(typeof bit === 'number' && bit >= 0); var r = bit % 26; var s = (bit - r) / 26; var q = 1 << r; // Fast case: bit is much higher than all existing words if (this.length <= s) return false; // Check bit and return var w = this.words[s]; return !!(w & q); }; // Return only lowers bits of number (in-place) BN.prototype.imaskn = function imaskn(bits) { assert(typeof bits === 'number' && bits >= 0); var r = bits % 26; var s = (bits - r) / 26; assert(this.negative === 0, 'imaskn works only with positive numbers'); if (this.length <= s) { return this; } if (r !== 0) { s++; } this.length = Math.min(s, this.length); if (r !== 0) { var mask = 0x3ffffff ^ 0x3ffffff >>> r << r; this.words[this.length - 1] &= mask; } return this.strip(); }; // Return only lowers bits of number BN.prototype.maskn = function maskn(bits) { return this.clone().imaskn(bits); }; // Add plain number `num` to `this` BN.prototype.iaddn = function iaddn(num) { assert(typeof num === 'number'); assert(num < 0x4000000); if (num < 0) return this.isubn(-num); // Possible sign change if (this.negative !== 0) { if (this.length === 1 && (this.words[0] | 0) < num) { this.words[0] = num - (this.words[0] | 0); this.negative = 0; return this; } this.negative = 0; this.isubn(num); this.negative = 1; return this; } // Add without checks return this._iaddn(num); }; BN.prototype._iaddn = function _iaddn(num) { this.words[0] += num; // Carry for (var i = 0; i < this.length && this.words[i] >= 0x4000000; i++) { this.words[i] -= 0x4000000; if (i === this.length - 1) { this.words[i + 1] = 1; } else { this.words[i + 1]++; } } this.length = Math.max(this.length, i + 1); return this; }; // Subtract plain number `num` from `this` BN.prototype.isubn = function isubn(num) { assert(typeof num === 'number'); assert(num < 0x4000000); if (num < 0) return this.iaddn(-num); if (this.negative !== 0) { this.negative = 0; this.iaddn(num); this.negative = 1; return this; } this.words[0] -= num; if (this.length === 1 && this.words[0] < 0) { this.words[0] = -this.words[0]; this.negative = 1; } else { // Carry for (var i = 0; i < this.length && this.words[i] < 0; i++) { this.words[i] += 0x4000000; this.words[i + 1] -= 1; } } return this.strip(); }; BN.prototype.addn = function addn(num) { return this.clone().iaddn(num); }; BN.prototype.subn = function subn(num) { return this.clone().isubn(num); }; BN.prototype.iabs = function iabs() { this.negative = 0; return this; }; BN.prototype.abs = function abs() { return this.clone().iabs(); }; BN.prototype._ishlnsubmul = function _ishlnsubmul(num, mul, shift) { var len = num.length + shift; var i; this._expand(len); var w; var carry = 0; for (i = 0; i < num.length; i++) { w = (this.words[i + shift] | 0) + carry; var right = (num.words[i] | 0) * mul; w -= right & 0x3ffffff; carry = (w >> 26) - (right / 0x4000000 | 0); this.words[i + shift] = w & 0x3ffffff; } for (; i < this.length - shift; i++) { w = (this.words[i + shift] | 0) + carry; carry = w >> 26; this.words[i + shift] = w & 0x3ffffff; } if (carry === 0) return this.strip(); // Subtraction overflow assert(carry === -1); carry = 0; for (i = 0; i < this.length; i++) { w = -(this.words[i] | 0) + carry; carry = w >> 26; this.words[i] = w & 0x3ffffff; } this.negative = 1; return this.strip(); }; BN.prototype._wordDiv = function _wordDiv(num, mode) { var shift = this.length - num.length; var a = this.clone(); var b = num; // Normalize var bhi = b.words[b.length - 1] | 0; var bhiBits = this._countBits(bhi); shift = 26 - bhiBits; if (shift !== 0) { b = b.ushln(shift); a.iushln(shift); bhi = b.words[b.length - 1] | 0; } // Initialize quotient var m = a.length - b.length; var q; if (mode !== 'mod') { q = new BN(null); q.length = m + 1; q.words = new Array(q.length); for (var i = 0; i < q.length; i++) { q.words[i] = 0; } } var diff = a.clone()._ishlnsubmul(b, 1, m); if (diff.negative === 0) { a = diff; if (q) { q.words[m] = 1; } } for (var j = m - 1; j >= 0; j--) { var qj = (a.words[b.length + j] | 0) * 0x4000000 + (a.words[b.length + j - 1] | 0); // NOTE: (qj / bhi) is (0x3ffffff * 0x4000000 + 0x3ffffff) / 0x2000000 max // (0x7ffffff) qj = Math.min(qj / bhi | 0, 0x3ffffff); a._ishlnsubmul(b, qj, j); while (a.negative !== 0) { qj--; a.negative = 0; a._ishlnsubmul(b, 1, j); if (!a.isZero()) { a.negative ^= 1; } } if (q) { q.words[j] = qj; } } if (q) { q.strip(); } a.strip(); // Denormalize if (mode !== 'div' && shift !== 0) { a.iushrn(shift); } return { div: q || null, mod: a }; }; // NOTE: 1) `mode` can be set to `mod` to request mod only, // to `div` to request div only, or be absent to // request both div & mod // 2) `positive` is true if unsigned mod is requested BN.prototype.divmod = function divmod(num, mode, positive) { assert(!num.isZero()); if (this.isZero()) { return { div: new BN(0), mod: new BN(0) }; } var div, mod, res; if (this.negative !== 0 && num.negative === 0) { res = this.neg().divmod(num, mode); if (mode !== 'mod') { div = res.div.neg(); } if (mode !== 'div') { mod = res.mod.neg(); if (positive && mod.negative !== 0) { mod.iadd(num); } } return { div: div, mod: mod }; } if (this.negative === 0 && num.negative !== 0) { res = this.divmod(num.neg(), mode); if (mode !== 'mod') { div = res.div.neg(); } return { div: div, mod: res.mod }; } if ((this.negative & num.negative) !== 0) { res = this.neg().divmod(num.neg(), mode); if (mode !== 'div') { mod = res.mod.neg(); if (positive && mod.negative !== 0) { mod.isub(num); } } return { div: res.div, mod: mod }; } // Both numbers are positive at this point // Strip both numbers to approximate shift value if (num.length > this.length || this.cmp(num) < 0) { return { div: new BN(0), mod: this }; } // Very short reduction if (num.length === 1) { if (mode === 'div') { return { div: this.divn(num.words[0]), mod: null }; } if (mode === 'mod') { return { div: null, mod: new BN(this.modn(num.words[0])) }; } return { div: this.divn(num.words[0]), mod: new BN(this.modn(num.words[0])) }; } return this._wordDiv(num, mode); }; // Find `this` / `num` BN.prototype.div = function div(num) { return this.divmod(num, 'div', false).div; }; // Find `this` % `num` BN.prototype.mod = function mod(num) { return this.divmod(num, 'mod', false).mod; }; BN.prototype.umod = function umod(num) { return this.divmod(num, 'mod', true).mod; }; // Find Round(`this` / `num`) BN.prototype.divRound = function divRound(num) { var dm = this.divmod(num); // Fast case - exact division if (dm.mod.isZero()) return dm.div; var mod = dm.div.negative !== 0 ? dm.mod.isub(num) : dm.mod; var half = num.ushrn(1); var r2 = num.andln(1); var cmp = mod.cmp(half); // Round down if (cmp < 0 || r2 === 1 && cmp === 0) return dm.div; // Round up return dm.div.negative !== 0 ? dm.div.isubn(1) : dm.div.iaddn(1); }; BN.prototype.modn = function modn(num) { assert(num <= 0x3ffffff); var p = (1 << 26) % num; var acc = 0; for (var i = this.length - 1; i >= 0; i--) { acc = (p * acc + (this.words[i] | 0)) % num; } return acc; }; // In-place division by number BN.prototype.idivn = function idivn(num) { assert(num <= 0x3ffffff); var carry = 0; for (var i = this.length - 1; i >= 0; i--) { var w = (this.words[i] | 0) + carry * 0x4000000; this.words[i] = w / num | 0; carry = w % num; } return this.strip(); }; BN.prototype.divn = function divn(num) { return this.clone().idivn(num); }; BN.prototype.egcd = function egcd(p) { assert(p.negative === 0); assert(!p.isZero()); var x = this; var y = p.clone(); if (x.negative !== 0) { x = x.umod(p); } else { x = x.clone(); } // A * x + B * y = x var A = new BN(1); var B = new BN(0); // C * x + D * y = y var C = new BN(0); var D = new BN(1); var g = 0; while (x.isEven() && y.isEven()) { x.iushrn(1); y.iushrn(1); ++g; } var yp = y.clone(); var xp = x.clone(); while (!x.isZero()) { for (var i = 0, im = 1; (x.words[0] & im) === 0 && i < 26; ++i, im <<= 1); if (i > 0) { x.iushrn(i); while (i-- > 0) { if (A.isOdd() || B.isOdd()) { A.iadd(yp); B.isub(xp); } A.iushrn(1); B.iushrn(1); } } for (var j = 0, jm = 1; (y.words[0] & jm) === 0 && j < 26; ++j, jm <<= 1); if (j > 0) { y.iushrn(j); while (j-- > 0) { if (C.isOdd() || D.isOdd()) { C.iadd(yp); D.isub(xp); } C.iushrn(1); D.iushrn(1); } } if (x.cmp(y) >= 0) { x.isub(y); A.isub(C); B.isub(D); } else { y.isub(x); C.isub(A); D.isub(B); } } return { a: C, b: D, gcd: y.iushln(g) }; }; // This is reduced incarnation of the binary EEA // above, designated to invert members of the // _prime_ fields F(p) at a maximal speed BN.prototype._invmp = function _invmp(p) { assert(p.negative === 0); assert(!p.isZero()); var a = this; var b = p.clone(); if (a.negative !== 0) { a = a.umod(p); } else { a = a.clone(); } var x1 = new BN(1); var x2 = new BN(0); var delta = b.clone(); while (a.cmpn(1) > 0 && b.cmpn(1) > 0) { for (var i = 0, im = 1; (a.words[0] & im) === 0 && i < 26; ++i, im <<= 1); if (i > 0) { a.iushrn(i); while (i-- > 0) { if (x1.isOdd()) { x1.iadd(delta); } x1.iushrn(1); } } for (var j = 0, jm = 1; (b.words[0] & jm) === 0 && j < 26; ++j, jm <<= 1); if (j > 0) { b.iushrn(j); while (j-- > 0) { if (x2.isOdd()) { x2.iadd(delta); } x2.iushrn(1); } } if (a.cmp(b) >= 0) { a.isub(b); x1.isub(x2); } else { b.isub(a); x2.isub(x1); } } var res; if (a.cmpn(1) === 0) { res = x1; } else { res = x2; } if (res.cmpn(0) < 0) { res.iadd(p); } return res; }; BN.prototype.gcd = function gcd(num) { if (this.isZero()) return num.abs(); if (num.isZero()) return this.abs(); var a = this.clone(); var b = num.clone(); a.negative = 0; b.negative = 0; // Remove common factor of two for (var shift = 0; a.isEven() && b.isEven(); shift++) { a.iushrn(1); b.iushrn(1); } do { while (a.isEven()) { a.iushrn(1); } while (b.isEven()) { b.iushrn(1); } var r = a.cmp(b); if (r < 0) { // Swap `a` and `b` to make `a` always bigger than `b` var t = a; a = b; b = t; } else if (r === 0 || b.cmpn(1) === 0) { break; } a.isub(b); } while (true); return b.iushln(shift); }; // Invert number in the field F(num) BN.prototype.invm = function invm(num) { return this.egcd(num).a.umod(num); }; BN.prototype.isEven = function isEven() { return (this.words[0] & 1) === 0; }; BN.prototype.isOdd = function isOdd() { return (this.words[0] & 1) === 1; }; // And first word and num BN.prototype.andln = function andln(num) { return this.words[0] & num; }; // Increment at the bit position in-line BN.prototype.bincn = function bincn(bit) { assert(typeof bit === 'number'); var r = bit % 26; var s = (bit - r) / 26; var q = 1 << r; // Fast case: bit is much higher than all existing words if (this.length <= s) { this._expand(s + 1); this.words[s] |= q; return this; } // Add bit and propagate, if needed var carry = q; for (var i = s; carry !== 0 && i < this.length; i++) { var w = this.words[i] | 0; w += carry; carry = w >>> 26; w &= 0x3ffffff; this.words[i] = w; } if (carry !== 0) { this.words[i] = carry; this.length++; } return this; }; BN.prototype.isZero = function isZero() { return this.length === 1 && this.words[0] === 0; }; BN.prototype.cmpn = function cmpn(num) { var negative = num < 0; if (this.negative !== 0 && !negative) return -1; if (this.negative === 0 && negative) return 1; this.strip(); var res; if (this.length > 1) { res = 1; } else { if (negative) { num = -num; } assert(num <= 0x3ffffff, 'Number is too big'); var w = this.words[0] | 0; res = w === num ? 0 : w < num ? -1 : 1; } if (this.negative !== 0) return -res | 0; return res; }; // Compare two numbers and return: // 1 - if `this` > `num` // 0 - if `this` == `num` // -1 - if `this` < `num` BN.prototype.cmp = function cmp(num) { if (this.negative !== 0 && num.negative === 0) return -1; if (this.negative === 0 && num.negative !== 0) return 1; var res = this.ucmp(num); if (this.negative !== 0) return -res | 0; return res; }; // Unsigned comparison BN.prototype.ucmp = function ucmp(num) { // At this point both numbers have the same sign if (this.length > num.length) return 1; if (this.length < num.length) return -1; var res = 0; for (var i = this.length - 1; i >= 0; i--) { var a = this.words[i] | 0; var b = num.words[i] | 0; if (a === b) continue; if (a < b) { res = -1; } else if (a > b) { res = 1; } break; } return res; }; BN.prototype.gtn = function gtn(num) { return this.cmpn(num) === 1; }; BN.prototype.gt = function gt(num) { return this.cmp(num) === 1; }; BN.prototype.gten = function gten(num) { return this.cmpn(num) >= 0; }; BN.prototype.gte = function gte(num) { return this.cmp(num) >= 0; }; BN.prototype.ltn = function ltn(num) { return this.cmpn(num) === -1; }; BN.prototype.lt = function lt(num) { return this.cmp(num) === -1; }; BN.prototype.lten = function lten(num) { return this.cmpn(num) <= 0; }; BN.prototype.lte = function lte(num) { return this.cmp(num) <= 0; }; BN.prototype.eqn = function eqn(num) { return this.cmpn(num) === 0; }; BN.prototype.eq = function eq(num) { return this.cmp(num) === 0; }; // // A reduce context, could be using montgomery or something better, depending // on the `m` itself. // BN.red = function red(num) { return new Red(num); }; BN.prototype.toRed = function toRed(ctx) { assert(!this.red, 'Already a number in reduction context'); assert(this.negative === 0, 'red works only with positives'); return ctx.convertTo(this)._forceRed(ctx); }; BN.prototype.fromRed = function fromRed() { assert(this.red, 'fromRed works only with numbers in reduction context'); return this.red.convertFrom(this); }; BN.prototype._forceRed = function _forceRed(ctx) { this.red = ctx; return this; }; BN.prototype.forceRed = function forceRed(ctx) { assert(!this.red, 'Already a number in reduction context'); return this._forceRed(ctx); }; BN.prototype.redAdd = function redAdd(num) { assert(this.red, 'redAdd works only with red numbers'); return this.red.add(this, num); }; BN.prototype.redIAdd = function redIAdd(num) { assert(this.red, 'redIAdd works only with red numbers'); return this.red.iadd(this, num); }; BN.prototype.redSub = function redSub(num) { assert(this.red, 'redSub works only with red numbers'); return this.red.sub(this, num); }; BN.prototype.redISub = function redISub(num) { assert(this.red, 'redISub works only with red numbers'); return this.red.isub(this, num); }; BN.prototype.redShl = function redShl(num) { assert(this.red, 'redShl works only with red numbers'); return this.red.shl(this, num); }; BN.prototype.redMul = function redMul(num) { assert(this.red, 'redMul works only with red numbers'); this.red._verify2(this, num); return this.red.mul(this, num); }; BN.prototype.redIMul = function redIMul(num) { assert(this.red, 'redMul works only with red numbers'); this.red._verify2(this, num); return this.red.imul(this, num); }; BN.prototype.redSqr = function redSqr() { assert(this.red, 'redSqr works only with red numbers'); this.red._verify1(this); return this.red.sqr(this); }; BN.prototype.redISqr = function redISqr() { assert(this.red, 'redISqr works only with red numbers'); this.red._verify1(this); return this.red.isqr(this); }; // Square root over p BN.prototype.redSqrt = function redSqrt() { assert(this.red, 'redSqrt works only with red numbers'); this.red._verify1(this); return this.red.sqrt(this); }; BN.prototype.redInvm = function redInvm() { assert(this.red, 'redInvm works only with red numbers'); this.red._verify1(this); return this.red.invm(this); }; // Return negative clone of `this` % `red modulo` BN.prototype.redNeg = function redNeg() { assert(this.red, 'redNeg works only with red numbers'); this.red._verify1(this); return this.red.neg(this); }; BN.prototype.redPow = function redPow(num) { assert(this.red && !num.red, 'redPow(normalNum)'); this.red._verify1(this); return this.red.pow(this, num); }; // Prime numbers with efficient reduction var primes = { k256: null, p224: null, p192: null, p25519: null }; // Pseudo-Mersenne prime function MPrime(name, p) { // P = 2 ^ N - K this.name = name; this.p = new BN(p, 16); this.n = this.p.bitLength(); this.k = new BN(1).iushln(this.n).isub(this.p); this.tmp = this._tmp(); } MPrime.prototype._tmp = function _tmp() { var tmp = new BN(null); tmp.words = new Array(Math.ceil(this.n / 13)); return tmp; }; MPrime.prototype.ireduce = function ireduce(num) { // Assumes that `num` is less than `P^2` // num = HI * (2 ^ N - K) + HI * K + LO = HI * K + LO (mod P) var r = num; var rlen; do { this.split(r, this.tmp); r = this.imulK(r); r = r.iadd(this.tmp); rlen = r.bitLength(); } while (rlen > this.n); var cmp = rlen < this.n ? -1 : r.ucmp(this.p); if (cmp === 0) { r.words[0] = 0; r.length = 1; } else if (cmp > 0) { r.isub(this.p); } else { r.strip(); } return r; }; MPrime.prototype.split = function split(input, out) { input.iushrn(this.n, 0, out); }; MPrime.prototype.imulK = function imulK(num) { return num.imul(this.k); }; function K256() { MPrime.call(this, 'k256', 'ffffffff ffffffff ffffffff ffffffff ffffffff ffffffff fffffffe fffffc2f'); } inherits(K256, MPrime); K256.prototype.split = function split(input, output) { // 256 = 9 * 26 + 22 var mask = 0x3fffff; var outLen = Math.min(input.length, 9); for (var i = 0; i < outLen; i++) { output.words[i] = input.words[i]; } output.length = outLen; if (input.length <= 9) { input.words[0] = 0; input.length = 1; return; } // Shift by 9 limbs var prev = input.words[9]; output.words[output.length++] = prev & mask; for (i = 10; i < input.length; i++) { var next = input.words[i] | 0; input.words[i - 10] = (next & mask) << 4 | prev >>> 22; prev = next; } prev >>>= 22; input.words[i - 10] = prev; if (prev === 0 && input.length > 10) { input.length -= 10; } else { input.length -= 9; } }; K256.prototype.imulK = function imulK(num) { // K = 0x1000003d1 = [ 0x40, 0x3d1 ] num.words[num.length] = 0; num.words[num.length + 1] = 0; num.length += 2; // bounded at: 0x40 * 0x3ffffff + 0x3d0 = 0x100000390 var lo = 0; for (var i = 0; i < num.length; i++) { var w = num.words[i] | 0; lo += w * 0x3d1; num.words[i] = lo & 0x3ffffff; lo = w * 0x40 + (lo / 0x4000000 | 0); } // Fast length reduction if (num.words[num.length - 1] === 0) { num.length--; if (num.words[num.length - 1] === 0) { num.length--; } } return num; }; function P224() { MPrime.call(this, 'p224', 'ffffffff ffffffff ffffffff ffffffff 00000000 00000000 00000001'); } inherits(P224, MPrime); function P192() { MPrime.call(this, 'p192', 'ffffffff ffffffff ffffffff fffffffe ffffffff ffffffff'); } inherits(P192, MPrime); function P25519() { // 2 ^ 255 - 19 MPrime.call(this, '25519', '7fffffffffffffff ffffffffffffffff ffffffffffffffff ffffffffffffffed'); } inherits(P25519, MPrime); P25519.prototype.imulK = function imulK(num) { // K = 0x13 var carry = 0; for (var i = 0; i < num.length; i++) { var hi = (num.words[i] | 0) * 0x13 + carry; var lo = hi & 0x3ffffff; hi >>>= 26; num.words[i] = lo; carry = hi; } if (carry !== 0) { num.words[num.length++] = carry; } return num; }; // Exported mostly for testing purposes, use plain name instead BN._prime = function prime(name) { // Cached version of prime if (primes[name]) return primes[name]; var prime; if (name === 'k256') { prime = new K256(); } else if (name === 'p224') { prime = new P224(); } else if (name === 'p192') { prime = new P192(); } else if (name === 'p25519') { prime = new P25519(); } else { throw new Error('Unknown prime ' + name); } primes[name] = prime; return prime; }; // // Base reduction engine // function Red(m) { if (typeof m === 'string') { var prime = BN._prime(m); this.m = prime.p; this.prime = prime; } else { assert(m.gtn(1), 'modulus must be greater than 1'); this.m = m; this.prime = null; } } Red.prototype._verify1 = function _verify1(a) { assert(a.negative === 0, 'red works only with positives'); assert(a.red, 'red works only with red numbers'); }; Red.prototype._verify2 = function _verify2(a, b) { assert((a.negative | b.negative) === 0, 'red works only with positives'); assert(a.red && a.red === b.red, 'red works only with red numbers'); }; Red.prototype.imod = function imod(a) { if (this.prime) return this.prime.ireduce(a)._forceRed(this); return a.umod(this.m)._forceRed(this); }; Red.prototype.neg = function neg(a) { if (a.isZero()) { return a.clone(); } return this.m.sub(a)._forceRed(this); }; Red.prototype.add = function add(a, b) { this._verify2(a, b); var res = a.add(b); if (res.cmp(this.m) >= 0) { res.isub(this.m); } return res._forceRed(this); }; Red.prototype.iadd = function iadd(a, b) { this._verify2(a, b); var res = a.iadd(b); if (res.cmp(this.m) >= 0) { res.isub(this.m); } return res; }; Red.prototype.sub = function sub(a, b) { this._verify2(a, b); var res = a.sub(b); if (res.cmpn(0) < 0) { res.iadd(this.m); } return res._forceRed(this); }; Red.prototype.isub = function isub(a, b) { this._verify2(a, b); var res = a.isub(b); if (res.cmpn(0) < 0) { res.iadd(this.m); } return res; }; Red.prototype.shl = function shl(a, num) { this._verify1(a); return this.imod(a.ushln(num)); }; Red.prototype.imul = function imul(a, b) { this._verify2(a, b); return this.imod(a.imul(b)); }; Red.prototype.mul = function mul(a, b) { this._verify2(a, b); return this.imod(a.mul(b)); }; Red.prototype.isqr = function isqr(a) { return this.imul(a, a.clone()); }; Red.prototype.sqr = function sqr(a) { return this.mul(a, a); }; Red.prototype.sqrt = function sqrt(a) { if (a.isZero()) return a.clone(); var mod3 = this.m.andln(3); assert(mod3 % 2 === 1); // Fast case if (mod3 === 3) { var pow = this.m.add(new BN(1)).iushrn(2); return this.pow(a, pow); } // Tonelli-Shanks algorithm (Totally unoptimized and slow) // // Find Q and S, that Q * 2 ^ S = (P - 1) var q = this.m.subn(1); var s = 0; while (!q.isZero() && q.andln(1) === 0) { s++; q.iushrn(1); } assert(!q.isZero()); var one = new BN(1).toRed(this); var nOne = one.redNeg(); // Find quadratic non-residue // NOTE: Max is such because of generalized Riemann hypothesis. var lpow = this.m.subn(1).iushrn(1); var z = this.m.bitLength(); z = new BN(2 * z * z).toRed(this); while (this.pow(z, lpow).cmp(nOne) !== 0) { z.redIAdd(nOne); } var c = this.pow(z, q); var r = this.pow(a, q.addn(1).iushrn(1)); var t = this.pow(a, q); var m = s; while (t.cmp(one) !== 0) { var tmp = t; for (var i = 0; tmp.cmp(one) !== 0; i++) { tmp = tmp.redSqr(); } assert(i < m); var b = this.pow(c, new BN(1).iushln(m - i - 1)); r = r.redMul(b); c = b.redSqr(); t = t.redMul(c); m = i; } return r; }; Red.prototype.invm = function invm(a) { var inv = a._invmp(this.m); if (inv.negative !== 0) { inv.negative = 0; return this.imod(inv).redNeg(); } else { return this.imod(inv); } }; Red.prototype.pow = function pow(a, num) { if (num.isZero()) return new BN(1).toRed(this); if (num.cmpn(1) === 0) return a.clone(); var windowSize = 4; var wnd = new Array(1 << windowSize); wnd[0] = new BN(1).toRed(this); wnd[1] = a; for (var i = 2; i < wnd.length; i++) { wnd[i] = this.mul(wnd[i - 1], a); } var res = wnd[0]; var current = 0; var currentLen = 0; var start = num.bitLength() % 26; if (start === 0) { start = 26; } for (i = num.length - 1; i >= 0; i--) { var word = num.words[i]; for (var j = start - 1; j >= 0; j--) { var bit = word >> j & 1; if (res !== wnd[0]) { res = this.sqr(res); } if (bit === 0 && current === 0) { currentLen = 0; continue; } current <<= 1; current |= bit; currentLen++; if (currentLen !== windowSize && (i !== 0 || j !== 0)) continue; res = this.mul(res, wnd[current]); currentLen = 0; current = 0; } start = 26; } return res; }; Red.prototype.convertTo = function convertTo(num) { var r = num.umod(this.m); return r === num ? r.clone() : r; }; Red.prototype.convertFrom = function convertFrom(num) { var res = num.clone(); res.red = null; return res; }; // // Montgomery method engine // BN.mont = function mont(num) { return new Mont(num); }; function Mont(m) { Red.call(this, m); this.shift = this.m.bitLength(); if (this.shift % 26 !== 0) { this.shift += 26 - this.shift % 26; } this.r = new BN(1).iushln(this.shift); this.r2 = this.imod(this.r.sqr()); this.rinv = this.r._invmp(this.m); this.minv = this.rinv.mul(this.r).isubn(1).div(this.m); this.minv = this.minv.umod(this.r); this.minv = this.r.sub(this.minv); } inherits(Mont, Red); Mont.prototype.convertTo = function convertTo(num) { return this.imod(num.ushln(this.shift)); }; Mont.prototype.convertFrom = function convertFrom(num) { var r = this.imod(num.mul(this.rinv)); r.red = null; return r; }; Mont.prototype.imul = function imul(a, b) { if (a.isZero() || b.isZero()) { a.words[0] = 0; a.length = 1; return a; } var t = a.imul(b); var c = t.maskn(this.shift).mul(this.minv).imaskn(this.shift).mul(this.m); var u = t.isub(c).iushrn(this.shift); var res = u; if (u.cmp(this.m) >= 0) { res = u.isub(this.m); } else if (u.cmpn(0) < 0) { res = u.iadd(this.m); } return res._forceRed(this); }; Mont.prototype.mul = function mul(a, b) { if (a.isZero() || b.isZero()) return new BN(0)._forceRed(this); var t = a.mul(b); var c = t.maskn(this.shift).mul(this.minv).imaskn(this.shift).mul(this.m); var u = t.isub(c).iushrn(this.shift); var res = u; if (u.cmp(this.m) >= 0) { res = u.isub(this.m); } else if (u.cmpn(0) < 0) { res = u.iadd(this.m); } return res._forceRed(this); }; Mont.prototype.invm = function invm(a) { // (AR)^-1 * R^2 = (A^-1 * R^-1) * R^2 = A^-1 * R var res = this.imod(a._invmp(this.m).mul(this.r2)); return res._forceRed(this); }; })( false || module, void 0); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(78)(module))) /***/ }), /* 128 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const encoders = exports; encoders.der = __webpack_require__(129); encoders.pem = __webpack_require__(264); /***/ }), /* 129 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const inherits = __webpack_require__(2); const Buffer = __webpack_require__(0).Buffer; const Node = __webpack_require__(79); // Import DER constants const der = __webpack_require__(81); function DEREncoder(entity) { this.enc = 'der'; this.name = entity.name; this.entity = entity; // Construct base tree this.tree = new DERNode(); this.tree._init(entity.body); } module.exports = DEREncoder; DEREncoder.prototype.encode = function encode(data, reporter) { return this.tree._encode(data, reporter).join(); }; // Tree methods function DERNode(parent) { Node.call(this, 'der', parent); } inherits(DERNode, Node); DERNode.prototype._encodeComposite = function encodeComposite(tag, primitive, cls, content) { const encodedTag = encodeTag(tag, primitive, cls, this.reporter); // Short form if (content.length < 0x80) { const header = new Buffer(2); header[0] = encodedTag; header[1] = content.length; return this._createEncoderBuffer([header, content]); } // Long form // Count octets required to store length let lenOctets = 1; for (let i = content.length; i >= 0x100; i >>= 8) lenOctets++; const header = new Buffer(1 + 1 + lenOctets); header[0] = encodedTag; header[1] = 0x80 | lenOctets; for (let i = 1 + lenOctets, j = content.length; j > 0; i--, j >>= 8) header[i] = j & 0xff; return this._createEncoderBuffer([header, content]); }; DERNode.prototype._encodeStr = function encodeStr(str, tag) { if (tag === 'bitstr') { return this._createEncoderBuffer([str.unused | 0, str.data]); } else if (tag === 'bmpstr') { const buf = new Buffer(str.length * 2); for (let i = 0; i < str.length; i++) { buf.writeUInt16BE(str.charCodeAt(i), i * 2); } return this._createEncoderBuffer(buf); } else if (tag === 'numstr') { if (!this._isNumstr(str)) { return this.reporter.error('Encoding of string type: numstr supports ' + 'only digits and space'); } return this._createEncoderBuffer(str); } else if (tag === 'printstr') { if (!this._isPrintstr(str)) { return this.reporter.error('Encoding of string type: printstr supports ' + 'only latin upper and lower case letters, ' + 'digits, space, apostrophe, left and rigth ' + 'parenthesis, plus sign, comma, hyphen, ' + 'dot, slash, colon, equal sign, ' + 'question mark'); } return this._createEncoderBuffer(str); } else if (/str$/.test(tag)) { return this._createEncoderBuffer(str); } else if (tag === 'objDesc') { return this._createEncoderBuffer(str); } else { return this.reporter.error('Encoding of string type: ' + tag + ' unsupported'); } }; DERNode.prototype._encodeObjid = function encodeObjid(id, values, relative) { if (typeof id === 'string') { if (!values) return this.reporter.error('string objid given, but no values map found'); if (!values.hasOwnProperty(id)) return this.reporter.error('objid not found in values map'); id = values[id].split(/[\s.]+/g); for (let i = 0; i < id.length; i++) id[i] |= 0; } else if (Array.isArray(id)) { id = id.slice(); for (let i = 0; i < id.length; i++) id[i] |= 0; } if (!Array.isArray(id)) { return this.reporter.error('objid() should be either array or string, ' + 'got: ' + JSON.stringify(id)); } if (!relative) { if (id[1] >= 40) return this.reporter.error('Second objid identifier OOB'); id.splice(0, 2, id[0] * 40 + id[1]); } // Count number of octets let size = 0; for (let i = 0; i < id.length; i++) { let ident = id[i]; for (size++; ident >= 0x80; ident >>= 7) size++; } const objid = new Buffer(size); let offset = objid.length - 1; for (let i = id.length - 1; i >= 0; i--) { let ident = id[i]; objid[offset--] = ident & 0x7f; while ((ident >>= 7) > 0) objid[offset--] = 0x80 | ident & 0x7f; } return this._createEncoderBuffer(objid); }; function two(num) { if (num < 10) return '0' + num;else return num; } DERNode.prototype._encodeTime = function encodeTime(time, tag) { let str; const date = new Date(time); if (tag === 'gentime') { str = [two(date.getUTCFullYear()), two(date.getUTCMonth() + 1), two(date.getUTCDate()), two(date.getUTCHours()), two(date.getUTCMinutes()), two(date.getUTCSeconds()), 'Z'].join(''); } else if (tag === 'utctime') { str = [two(date.getUTCFullYear() % 100), two(date.getUTCMonth() + 1), two(date.getUTCDate()), two(date.getUTCHours()), two(date.getUTCMinutes()), two(date.getUTCSeconds()), 'Z'].join(''); } else { this.reporter.error('Encoding ' + tag + ' time is not supported yet'); } return this._encodeStr(str, 'octstr'); }; DERNode.prototype._encodeNull = function encodeNull() { return this._createEncoderBuffer(''); }; DERNode.prototype._encodeInt = function encodeInt(num, values) { if (typeof num === 'string') { if (!values) return this.reporter.error('String int or enum given, but no values map'); if (!values.hasOwnProperty(num)) { return this.reporter.error('Values map doesn\'t contain: ' + JSON.stringify(num)); } num = values[num]; } // Bignum, assume big endian if (typeof num !== 'number' && !Buffer.isBuffer(num)) { const numArray = num.toArray(); if (!num.sign && numArray[0] & 0x80) { numArray.unshift(0); } num = new Buffer(numArray); } if (Buffer.isBuffer(num)) { let size = num.length; if (num.length === 0) size++; const out = new Buffer(size); num.copy(out); if (num.length === 0) out[0] = 0; return this._createEncoderBuffer(out); } if (num < 0x80) return this._createEncoderBuffer(num); if (num < 0x100) return this._createEncoderBuffer([0, num]); let size = 1; for (let i = num; i >= 0x100; i >>= 8) size++; const out = new Array(size); for (let i = out.length - 1; i >= 0; i--) { out[i] = num & 0xff; num >>= 8; } if (out[0] & 0x80) { out.unshift(0); } return this._createEncoderBuffer(new Buffer(out)); }; DERNode.prototype._encodeBool = function encodeBool(value) { return this._createEncoderBuffer(value ? 0xff : 0); }; DERNode.prototype._use = function use(entity, obj) { if (typeof entity === 'function') entity = entity(obj); return entity._getEncoder('der').tree; }; DERNode.prototype._skipDefault = function skipDefault(dataBuffer, reporter, parent) { const state = this._baseState; let i; if (state['default'] === null) return false; const data = dataBuffer.join(); if (state.defaultBuffer === undefined) state.defaultBuffer = this._encodeValue(state['default'], reporter, parent).join(); if (data.length !== state.defaultBuffer.length) return false; for (i = 0; i < data.length; i++) if (data[i] !== state.defaultBuffer[i]) return false; return true; }; // Utility methods function encodeTag(tag, primitive, cls, reporter) { let res; if (tag === 'seqof') tag = 'seq';else if (tag === 'setof') tag = 'set'; if (der.tagByName.hasOwnProperty(tag)) res = der.tagByName[tag];else if (typeof tag === 'number' && (tag | 0) === tag) res = tag;else return reporter.error('Unknown tag: ' + tag); if (res >= 0x1f) return reporter.error('Multi-octet tag encoding unsupported'); if (!primitive) res |= 0x20; res |= der.tagClassByName[cls || 'universal'] << 6; return res; } /***/ }), /* 130 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const decoders = exports; decoders.der = __webpack_require__(131); decoders.pem = __webpack_require__(265); /***/ }), /* 131 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const inherits = __webpack_require__(2); const bignum = __webpack_require__(127); const DecoderBuffer = __webpack_require__(38).DecoderBuffer; const Node = __webpack_require__(79); // Import DER constants const der = __webpack_require__(81); function DERDecoder(entity) { this.enc = 'der'; this.name = entity.name; this.entity = entity; // Construct base tree this.tree = new DERNode(); this.tree._init(entity.body); } module.exports = DERDecoder; DERDecoder.prototype.decode = function decode(data, options) { if (!DecoderBuffer.isDecoderBuffer(data)) { data = new DecoderBuffer(data, options); } return this.tree._decode(data, options); }; // Tree methods function DERNode(parent) { Node.call(this, 'der', parent); } inherits(DERNode, Node); DERNode.prototype._peekTag = function peekTag(buffer, tag, any) { if (buffer.isEmpty()) return false; const state = buffer.save(); const decodedTag = derDecodeTag(buffer, 'Failed to peek tag: "' + tag + '"'); if (buffer.isError(decodedTag)) return decodedTag; buffer.restore(state); return decodedTag.tag === tag || decodedTag.tagStr === tag || decodedTag.tagStr + 'of' === tag || any; }; DERNode.prototype._decodeTag = function decodeTag(buffer, tag, any) { const decodedTag = derDecodeTag(buffer, 'Failed to decode tag of "' + tag + '"'); if (buffer.isError(decodedTag)) return decodedTag; let len = derDecodeLen(buffer, decodedTag.primitive, 'Failed to get length of "' + tag + '"'); // Failure if (buffer.isError(len)) return len; if (!any && decodedTag.tag !== tag && decodedTag.tagStr !== tag && decodedTag.tagStr + 'of' !== tag) { return buffer.error('Failed to match tag: "' + tag + '"'); } if (decodedTag.primitive || len !== null) return buffer.skip(len, 'Failed to match body of: "' + tag + '"'); // Indefinite length... find END tag const state = buffer.save(); const res = this._skipUntilEnd(buffer, 'Failed to skip indefinite length body: "' + this.tag + '"'); if (buffer.isError(res)) return res; len = buffer.offset - state.offset; buffer.restore(state); return buffer.skip(len, 'Failed to match body of: "' + tag + '"'); }; DERNode.prototype._skipUntilEnd = function skipUntilEnd(buffer, fail) { for (;;) { const tag = derDecodeTag(buffer, fail); if (buffer.isError(tag)) return tag; const len = derDecodeLen(buffer, tag.primitive, fail); if (buffer.isError(len)) return len; let res; if (tag.primitive || len !== null) res = buffer.skip(len);else res = this._skipUntilEnd(buffer, fail); // Failure if (buffer.isError(res)) return res; if (tag.tagStr === 'end') break; } }; DERNode.prototype._decodeList = function decodeList(buffer, tag, decoder, options) { const result = []; while (!buffer.isEmpty()) { const possibleEnd = this._peekTag(buffer, 'end'); if (buffer.isError(possibleEnd)) return possibleEnd; const res = decoder.decode(buffer, 'der', options); if (buffer.isError(res) && possibleEnd) break; result.push(res); } return result; }; DERNode.prototype._decodeStr = function decodeStr(buffer, tag) { if (tag === 'bitstr') { const unused = buffer.readUInt8(); if (buffer.isError(unused)) return unused; return { unused: unused, data: buffer.raw() }; } else if (tag === 'bmpstr') { const raw = buffer.raw(); if (raw.length % 2 === 1) return buffer.error('Decoding of string type: bmpstr length mismatch'); let str = ''; for (let i = 0; i < raw.length / 2; i++) { str += String.fromCharCode(raw.readUInt16BE(i * 2)); } return str; } else if (tag === 'numstr') { const numstr = buffer.raw().toString('ascii'); if (!this._isNumstr(numstr)) { return buffer.error('Decoding of string type: ' + 'numstr unsupported characters'); } return numstr; } else if (tag === 'octstr') { return buffer.raw(); } else if (tag === 'objDesc') { return buffer.raw(); } else if (tag === 'printstr') { const printstr = buffer.raw().toString('ascii'); if (!this._isPrintstr(printstr)) { return buffer.error('Decoding of string type: ' + 'printstr unsupported characters'); } return printstr; } else if (/str$/.test(tag)) { return buffer.raw().toString(); } else { return buffer.error('Decoding of string type: ' + tag + ' unsupported'); } }; DERNode.prototype._decodeObjid = function decodeObjid(buffer, values, relative) { let result; const identifiers = []; let ident = 0; let subident = 0; while (!buffer.isEmpty()) { subident = buffer.readUInt8(); ident <<= 7; ident |= subident & 0x7f; if ((subident & 0x80) === 0) { identifiers.push(ident); ident = 0; } } if (subident & 0x80) identifiers.push(ident); const first = identifiers[0] / 40 | 0; const second = identifiers[0] % 40; if (relative) result = identifiers;else result = [first, second].concat(identifiers.slice(1)); if (values) { let tmp = values[result.join(' ')]; if (tmp === undefined) tmp = values[result.join('.')]; if (tmp !== undefined) result = tmp; } return result; }; DERNode.prototype._decodeTime = function decodeTime(buffer, tag) { const str = buffer.raw().toString(); let year; let mon; let day; let hour; let min; let sec; if (tag === 'gentime') { year = str.slice(0, 4) | 0; mon = str.slice(4, 6) | 0; day = str.slice(6, 8) | 0; hour = str.slice(8, 10) | 0; min = str.slice(10, 12) | 0; sec = str.slice(12, 14) | 0; } else if (tag === 'utctime') { year = str.slice(0, 2) | 0; mon = str.slice(2, 4) | 0; day = str.slice(4, 6) | 0; hour = str.slice(6, 8) | 0; min = str.slice(8, 10) | 0; sec = str.slice(10, 12) | 0; if (year < 70) year = 2000 + year;else year = 1900 + year; } else { return buffer.error('Decoding ' + tag + ' time is not supported yet'); } return Date.UTC(year, mon - 1, day, hour, min, sec, 0); }; DERNode.prototype._decodeNull = function decodeNull() { return null; }; DERNode.prototype._decodeBool = function decodeBool(buffer) { const res = buffer.readUInt8(); if (buffer.isError(res)) return res;else return res !== 0; }; DERNode.prototype._decodeInt = function decodeInt(buffer, values) { // Bigint, return as it is (assume big endian) const raw = buffer.raw(); let res = new bignum(raw); if (values) res = values[res.toString(10)] || res; return res; }; DERNode.prototype._use = function use(entity, obj) { if (typeof entity === 'function') entity = entity(obj); return entity._getDecoder('der').tree; }; // Utility methods function derDecodeTag(buf, fail) { let tag = buf.readUInt8(fail); if (buf.isError(tag)) return tag; const cls = der.tagClass[tag >> 6]; const primitive = (tag & 0x20) === 0; // Multi-octet tag - load if ((tag & 0x1f) === 0x1f) { let oct = tag; tag = 0; while ((oct & 0x80) === 0x80) { oct = buf.readUInt8(fail); if (buf.isError(oct)) return oct; tag <<= 7; tag |= oct & 0x7f; } } else { tag &= 0x1f; } const tagStr = der.tag[tag]; return { cls: cls, primitive: primitive, tag: tag, tagStr: tagStr }; } function derDecodeLen(buf, primitive, fail) { let len = buf.readUInt8(fail); if (buf.isError(len)) return len; // Indefinite form if (!primitive && len === 0x80) return null; // Definite form if ((len & 0x80) === 0) { // Short form return len; } // Long form const num = len & 0x7f; if (num > 4) return buf.error('length octect is too long'); len = 0; for (let i = 0; i < num; i++) { len <<= 8; const j = buf.readUInt8(fail); if (buf.isError(j)) return j; len |= j; } return len; } /***/ }), /* 132 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const BN = __webpack_require__(77).bignum; // Convert a BN.js instance to a base64 encoded string without padding // Adapted from https://tools.ietf.org/html/draft-ietf-jose-json-web-signature-41#appendix-C exports.toBase64 = function toBase64(bn, len) { // if len is defined then the bytes are leading-0 padded to the length let s = bn.toArrayLike(Buffer, 'be', len).toString('base64'); return s.replace(/(=*)$/, '') // Remove any trailing '='s .replace(/\+/g, '-') // 62nd char of encoding .replace(/\//g, '_'); // 63rd char of encoding }; // Convert a base64 encoded string to a BN.js instance exports.toBn = function toBn(str) { return new BN(Buffer.from(str, 'base64')); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 133 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const multihash = __webpack_require__(14); const crypto = __webpack_require__(274); module.exports = Multihashing; /** * Hash the given `buf` using the algorithm specified * by `func`. * * @param {Buffer} buf - The value to hash. * @param {number|string} func - The algorithm to use. * @param {number} [length] - Optionally trim the result to this length. * @param {function(Error, Buffer)} callback * @returns {undefined} */ function Multihashing(buf, func, length, callback) { if (typeof length === 'function') { callback = length; length = undefined; } if (!callback) { throw new Error('Missing callback'); } Multihashing.digest(buf, func, length, (err, digest) => { if (err) { return callback(err); } callback(null, multihash.encode(digest, func, length)); }); } /** * The `buffer` module for easy use in the browser. * * @type {Buffer} */ Multihashing.Buffer = Buffer; // for browser things /** * Expose multihash itself, to avoid silly double requires. */ Multihashing.multihash = multihash; /** * @param {Buffer} buf - The value to hash. * @param {number|string} func - The algorithm to use. * @param {number} [length] - Optionally trim the result to this length. * @param {function(Error, Buffer)} callback * @returns {undefined} */ Multihashing.digest = function (buf, func, length, callback) { if (typeof length === 'function') { callback = length; length = undefined; } if (!callback) { throw new Error('Missing callback'); } let cb = callback; if (length) { cb = (err, digest) => { if (err) { return callback(err); } callback(null, digest.slice(0, length)); }; } let hash; try { hash = Multihashing.createHash(func); } catch (err) { return cb(err); } hash(buf, cb); }; /** * @param {string|number} func * * @returns {function} - The to `func` corresponding hash function. */ Multihashing.createHash = function (func) { func = multihash.coerceCode(func); if (!Multihashing.functions[func]) { throw new Error('multihash function ' + func + ' not yet supported'); } return Multihashing.functions[func]; }; /** * Mapping of multihash codes to their hashing functions. * @type {Object} */ Multihashing.functions = { // sha1 0x11: crypto.sha1, // sha2-256 0x12: crypto.sha2256, // sha2-512 0x13: crypto.sha2512, // sha3-512 0x14: crypto.sha3512, // sha3-384 0x15: crypto.sha3384, // sha3-256 0x16: crypto.sha3256, // sha3-224 0x17: crypto.sha3224, // shake-128 0x18: crypto.shake128, // shake-256 0x19: crypto.shake256, // keccak-224 0x1A: crypto.keccak224, // keccak-256 0x1B: crypto.keccak256, // keccak-384 0x1C: crypto.keccak384, // keccak-512 0x1D: crypto.keccak512, // murmur3-128 0x22: crypto.murmur3128, // murmur3-32 0x23: crypto.murmur332, // dbl-sha2-256 0x56: crypto.dblSha2256 // add blake functions }; crypto.addBlake(Multihashing.functions); Multihashing.validate = (data, hash, callback) => { let algo = multihash.decode(hash).name; Multihashing(data, algo, (err, newHash) => { if (err) return callback(err); callback(err, Buffer.compare(hash, newHash) === 0); }); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 134 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, Buffer) { exports.toCallback = doWork => { return function (input, callback) { let res; try { res = doWork(input); } catch (err) { process.nextTick(callback, err); return; } process.nextTick(callback, null, res); }; }; exports.toBuf = (doWork, other) => input => { let result = doWork(input, other); return Buffer.from(result, 'hex'); }; exports.fromString = (doWork, other) => _input => { const input = Buffer.isBuffer(_input) ? _input.toString() : _input; return doWork(input, other); }; exports.fromNumberTo32BitBuf = (doWork, other) => input => { let number = doWork(input, other); const bytes = new Array(4); for (let i = 0; i < 4; i++) { bytes[i] = number & 0xff; number = number >> 8; } return Buffer.from(bytes); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(0).Buffer)) /***/ }), /* 135 */ /***/ (function(module) { module.exports = JSON.parse("{\"COMPRESSED_TYPE_INVALID\":\"compressed should be a boolean\",\"EC_PRIVATE_KEY_TYPE_INVALID\":\"private key should be a Buffer\",\"EC_PRIVATE_KEY_LENGTH_INVALID\":\"private key length is invalid\",\"EC_PRIVATE_KEY_RANGE_INVALID\":\"private key range is invalid\",\"EC_PRIVATE_KEY_TWEAK_ADD_FAIL\":\"tweak out of range or resulting private key is invalid\",\"EC_PRIVATE_KEY_TWEAK_MUL_FAIL\":\"tweak out of range\",\"EC_PRIVATE_KEY_EXPORT_DER_FAIL\":\"couldn't export to DER format\",\"EC_PRIVATE_KEY_IMPORT_DER_FAIL\":\"couldn't import from DER format\",\"EC_PUBLIC_KEYS_TYPE_INVALID\":\"public keys should be an Array\",\"EC_PUBLIC_KEYS_LENGTH_INVALID\":\"public keys Array should have at least 1 element\",\"EC_PUBLIC_KEY_TYPE_INVALID\":\"public key should be a Buffer\",\"EC_PUBLIC_KEY_LENGTH_INVALID\":\"public key length is invalid\",\"EC_PUBLIC_KEY_PARSE_FAIL\":\"the public key could not be parsed or is invalid\",\"EC_PUBLIC_KEY_CREATE_FAIL\":\"private was invalid, try again\",\"EC_PUBLIC_KEY_TWEAK_ADD_FAIL\":\"tweak out of range or resulting public key is invalid\",\"EC_PUBLIC_KEY_TWEAK_MUL_FAIL\":\"tweak out of range\",\"EC_PUBLIC_KEY_COMBINE_FAIL\":\"the sum of the public keys is not valid\",\"ECDH_FAIL\":\"scalar was invalid (zero or overflow)\",\"ECDSA_SIGNATURE_TYPE_INVALID\":\"signature should be a Buffer\",\"ECDSA_SIGNATURE_LENGTH_INVALID\":\"signature length is invalid\",\"ECDSA_SIGNATURE_PARSE_FAIL\":\"couldn't parse signature\",\"ECDSA_SIGNATURE_PARSE_DER_FAIL\":\"couldn't parse DER signature\",\"ECDSA_SIGNATURE_SERIALIZE_DER_FAIL\":\"couldn't serialize signature to DER format\",\"ECDSA_SIGN_FAIL\":\"nonce generation function failed or private key is invalid\",\"ECDSA_RECOVER_FAIL\":\"couldn't recover public key from signature\",\"MSG32_TYPE_INVALID\":\"message should be a Buffer\",\"MSG32_LENGTH_INVALID\":\"message length is invalid\",\"OPTIONS_TYPE_INVALID\":\"options should be an Object\",\"OPTIONS_DATA_TYPE_INVALID\":\"options.data should be a Buffer\",\"OPTIONS_DATA_LENGTH_INVALID\":\"options.data length is invalid\",\"OPTIONS_NONCEFN_TYPE_INVALID\":\"options.noncefn should be a Function\",\"RECOVERY_ID_TYPE_INVALID\":\"recovery should be a Number\",\"RECOVERY_ID_VALUE_INVALID\":\"recovery should have value between -1 and 4\",\"TWEAK_TYPE_INVALID\":\"tweak should be a Buffer\",\"TWEAK_LENGTH_INVALID\":\"tweak length is invalid\"}"); /***/ }), /* 136 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var inherits = __webpack_require__(2); var HashBase = __webpack_require__(137); var Buffer = __webpack_require__(8).Buffer; var ARRAY16 = new Array(16); function MD5() { HashBase.call(this, 64); // state this._a = 0x67452301; this._b = 0xefcdab89; this._c = 0x98badcfe; this._d = 0x10325476; } inherits(MD5, HashBase); MD5.prototype._update = function () { var M = ARRAY16; for (var i = 0; i < 16; ++i) M[i] = this._block.readInt32LE(i * 4); var a = this._a; var b = this._b; var c = this._c; var d = this._d; a = fnF(a, b, c, d, M[0], 0xd76aa478, 7); d = fnF(d, a, b, c, M[1], 0xe8c7b756, 12); c = fnF(c, d, a, b, M[2], 0x242070db, 17); b = fnF(b, c, d, a, M[3], 0xc1bdceee, 22); a = fnF(a, b, c, d, M[4], 0xf57c0faf, 7); d = fnF(d, a, b, c, M[5], 0x4787c62a, 12); c = fnF(c, d, a, b, M[6], 0xa8304613, 17); b = fnF(b, c, d, a, M[7], 0xfd469501, 22); a = fnF(a, b, c, d, M[8], 0x698098d8, 7); d = fnF(d, a, b, c, M[9], 0x8b44f7af, 12); c = fnF(c, d, a, b, M[10], 0xffff5bb1, 17); b = fnF(b, c, d, a, M[11], 0x895cd7be, 22); a = fnF(a, b, c, d, M[12], 0x6b901122, 7); d = fnF(d, a, b, c, M[13], 0xfd987193, 12); c = fnF(c, d, a, b, M[14], 0xa679438e, 17); b = fnF(b, c, d, a, M[15], 0x49b40821, 22); a = fnG(a, b, c, d, M[1], 0xf61e2562, 5); d = fnG(d, a, b, c, M[6], 0xc040b340, 9); c = fnG(c, d, a, b, M[11], 0x265e5a51, 14); b = fnG(b, c, d, a, M[0], 0xe9b6c7aa, 20); a = fnG(a, b, c, d, M[5], 0xd62f105d, 5); d = fnG(d, a, b, c, M[10], 0x02441453, 9); c = fnG(c, d, a, b, M[15], 0xd8a1e681, 14); b = fnG(b, c, d, a, M[4], 0xe7d3fbc8, 20); a = fnG(a, b, c, d, M[9], 0x21e1cde6, 5); d = fnG(d, a, b, c, M[14], 0xc33707d6, 9); c = fnG(c, d, a, b, M[3], 0xf4d50d87, 14); b = fnG(b, c, d, a, M[8], 0x455a14ed, 20); a = fnG(a, b, c, d, M[13], 0xa9e3e905, 5); d = fnG(d, a, b, c, M[2], 0xfcefa3f8, 9); c = fnG(c, d, a, b, M[7], 0x676f02d9, 14); b = fnG(b, c, d, a, M[12], 0x8d2a4c8a, 20); a = fnH(a, b, c, d, M[5], 0xfffa3942, 4); d = fnH(d, a, b, c, M[8], 0x8771f681, 11); c = fnH(c, d, a, b, M[11], 0x6d9d6122, 16); b = fnH(b, c, d, a, M[14], 0xfde5380c, 23); a = fnH(a, b, c, d, M[1], 0xa4beea44, 4); d = fnH(d, a, b, c, M[4], 0x4bdecfa9, 11); c = fnH(c, d, a, b, M[7], 0xf6bb4b60, 16); b = fnH(b, c, d, a, M[10], 0xbebfbc70, 23); a = fnH(a, b, c, d, M[13], 0x289b7ec6, 4); d = fnH(d, a, b, c, M[0], 0xeaa127fa, 11); c = fnH(c, d, a, b, M[3], 0xd4ef3085, 16); b = fnH(b, c, d, a, M[6], 0x04881d05, 23); a = fnH(a, b, c, d, M[9], 0xd9d4d039, 4); d = fnH(d, a, b, c, M[12], 0xe6db99e5, 11); c = fnH(c, d, a, b, M[15], 0x1fa27cf8, 16); b = fnH(b, c, d, a, M[2], 0xc4ac5665, 23); a = fnI(a, b, c, d, M[0], 0xf4292244, 6); d = fnI(d, a, b, c, M[7], 0x432aff97, 10); c = fnI(c, d, a, b, M[14], 0xab9423a7, 15); b = fnI(b, c, d, a, M[5], 0xfc93a039, 21); a = fnI(a, b, c, d, M[12], 0x655b59c3, 6); d = fnI(d, a, b, c, M[3], 0x8f0ccc92, 10); c = fnI(c, d, a, b, M[10], 0xffeff47d, 15); b = fnI(b, c, d, a, M[1], 0x85845dd1, 21); a = fnI(a, b, c, d, M[8], 0x6fa87e4f, 6); d = fnI(d, a, b, c, M[15], 0xfe2ce6e0, 10); c = fnI(c, d, a, b, M[6], 0xa3014314, 15); b = fnI(b, c, d, a, M[13], 0x4e0811a1, 21); a = fnI(a, b, c, d, M[4], 0xf7537e82, 6); d = fnI(d, a, b, c, M[11], 0xbd3af235, 10); c = fnI(c, d, a, b, M[2], 0x2ad7d2bb, 15); b = fnI(b, c, d, a, M[9], 0xeb86d391, 21); this._a = this._a + a | 0; this._b = this._b + b | 0; this._c = this._c + c | 0; this._d = this._d + d | 0; }; MD5.prototype._digest = function () { // create padding and handle blocks this._block[this._blockOffset++] = 0x80; if (this._blockOffset > 56) { this._block.fill(0, this._blockOffset, 64); this._update(); this._blockOffset = 0; } this._block.fill(0, this._blockOffset, 56); this._block.writeUInt32LE(this._length[0], 56); this._block.writeUInt32LE(this._length[1], 60); this._update(); // produce result var buffer = Buffer.allocUnsafe(16); buffer.writeInt32LE(this._a, 0); buffer.writeInt32LE(this._b, 4); buffer.writeInt32LE(this._c, 8); buffer.writeInt32LE(this._d, 12); return buffer; }; function rotl(x, n) { return x << n | x >>> 32 - n; } function fnF(a, b, c, d, m, k, s) { return rotl(a + (b & c | ~b & d) + m + k | 0, s) + b | 0; } function fnG(a, b, c, d, m, k, s) { return rotl(a + (b & d | c & ~d) + m + k | 0, s) + b | 0; } function fnH(a, b, c, d, m, k, s) { return rotl(a + (b ^ c ^ d) + m + k | 0, s) + b | 0; } function fnI(a, b, c, d, m, k, s) { return rotl(a + (c ^ (b | ~d)) + m + k | 0, s) + b | 0; } module.exports = MD5; /***/ }), /* 137 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Buffer = __webpack_require__(8).Buffer; var Transform = __webpack_require__(138).Transform; var inherits = __webpack_require__(2); function throwIfNotStringOrBuffer(val, prefix) { if (!Buffer.isBuffer(val) && typeof val !== 'string') { throw new TypeError(prefix + ' must be a string or a buffer'); } } function HashBase(blockSize) { Transform.call(this); this._block = Buffer.allocUnsafe(blockSize); this._blockSize = blockSize; this._blockOffset = 0; this._length = [0, 0, 0, 0]; this._finalized = false; } inherits(HashBase, Transform); HashBase.prototype._transform = function (chunk, encoding, callback) { var error = null; try { this.update(chunk, encoding); } catch (err) { error = err; } callback(error); }; HashBase.prototype._flush = function (callback) { var error = null; try { this.push(this.digest()); } catch (err) { error = err; } callback(error); }; HashBase.prototype.update = function (data, encoding) { throwIfNotStringOrBuffer(data, 'Data'); if (this._finalized) throw new Error('Digest already called'); if (!Buffer.isBuffer(data)) data = Buffer.from(data, encoding); // consume data var block = this._block; var offset = 0; while (this._blockOffset + data.length - offset >= this._blockSize) { for (var i = this._blockOffset; i < this._blockSize;) block[i++] = data[offset++]; this._update(); this._blockOffset = 0; } while (offset < data.length) block[this._blockOffset++] = data[offset++]; // update length for (var j = 0, carry = data.length * 8; carry > 0; ++j) { this._length[j] += carry; carry = this._length[j] / 0x0100000000 | 0; if (carry > 0) this._length[j] -= 0x0100000000 * carry; } return this; }; HashBase.prototype._update = function () { throw new Error('_update is not implemented'); }; HashBase.prototype.digest = function (encoding) { if (this._finalized) throw new Error('Digest already called'); this._finalized = true; var digest = this._digest(); if (encoding !== undefined) digest = digest.toString(encoding); // reset state this._block.fill(0); this._blockOffset = 0; for (var i = 0; i < 4; ++i) this._length[i] = 0; return digest; }; HashBase.prototype._digest = function () { throw new Error('_digest is not implemented'); }; module.exports = HashBase; /***/ }), /* 138 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. module.exports = Stream; var EE = __webpack_require__(39).EventEmitter; var inherits = __webpack_require__(2); inherits(Stream, EE); Stream.Readable = __webpack_require__(82); Stream.Writable = __webpack_require__(289); Stream.Duplex = __webpack_require__(290); Stream.Transform = __webpack_require__(291); Stream.PassThrough = __webpack_require__(292); // Backwards-compat with node 0.4.x Stream.Stream = Stream; // old-style streams. Note that the pipe method (the only relevant // part of this class) is overridden in the Readable class. function Stream() { EE.call(this); } Stream.prototype.pipe = function (dest, options) { var source = this; function ondata(chunk) { if (dest.writable) { if (false === dest.write(chunk) && source.pause) { source.pause(); } } } source.on('data', ondata); function ondrain() { if (source.readable && source.resume) { source.resume(); } } dest.on('drain', ondrain); // If the 'end' option is not supplied, dest.end() will be called when // source gets the 'end' or 'close' events. Only dest.end() once. if (!dest._isStdio && (!options || options.end !== false)) { source.on('end', onend); source.on('close', onclose); } var didOnEnd = false; function onend() { if (didOnEnd) return; didOnEnd = true; dest.end(); } function onclose() { if (didOnEnd) return; didOnEnd = true; if (typeof dest.destroy === 'function') dest.destroy(); } // don't leave dangling pipes when there are errors. function onerror(er) { cleanup(); if (EE.listenerCount(this, 'error') === 0) { throw er; // Unhandled stream error in pipe. } } source.on('error', onerror); dest.on('error', onerror); // remove all the event listeners that were added. function cleanup() { source.removeListener('data', ondata); dest.removeListener('drain', ondrain); source.removeListener('end', onend); source.removeListener('close', onclose); source.removeListener('error', onerror); dest.removeListener('error', onerror); source.removeListener('end', cleanup); source.removeListener('close', cleanup); dest.removeListener('close', cleanup); } source.on('end', cleanup); source.on('close', cleanup); dest.on('close', cleanup); dest.emit('pipe', source); // Allow for unix-like usage: A.pipe(B).pipe(C) return dest; }; /***/ }), /* 139 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global, process) {// Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. /**/ var pna = __webpack_require__(51); /**/ module.exports = Readable; /**/ var isArray = __webpack_require__(108); /**/ /**/ var Duplex; /**/ Readable.ReadableState = ReadableState; /**/ var EE = __webpack_require__(39).EventEmitter; var EElistenerCount = function EElistenerCount(emitter, type) { return emitter.listeners(type).length; }; /**/ /**/ var Stream = __webpack_require__(140); /**/ /**/ var Buffer = __webpack_require__(83).Buffer; var OurUint8Array = global.Uint8Array || function () {}; function _uint8ArrayToBuffer(chunk) { return Buffer.from(chunk); } function _isUint8Array(obj) { return Buffer.isBuffer(obj) || obj instanceof OurUint8Array; } /**/ /**/ var util = __webpack_require__(40); util.inherits = __webpack_require__(2); /**/ /**/ var debugUtil = __webpack_require__(285); var debug = void 0; if (debugUtil && debugUtil.debuglog) { debug = debugUtil.debuglog('stream'); } else { debug = function debug() {}; } /**/ var BufferList = __webpack_require__(286); var destroyImpl = __webpack_require__(141); var StringDecoder; util.inherits(Readable, Stream); var kProxyEvents = ['error', 'close', 'destroy', 'pause', 'resume']; function prependListener(emitter, event, fn) { // Sadly this is not cacheable as some libraries bundle their own // event emitter implementation with them. if (typeof emitter.prependListener === 'function') return emitter.prependListener(event, fn); // This is a hack to make sure that our error handler is attached before any // userland ones. NEVER DO THIS. This is here only because this code needs // to continue to work with older versions of Node.js that do not include // the prependListener() method. The goal is to eventually remove this hack. if (!emitter._events || !emitter._events[event]) emitter.on(event, fn);else if (isArray(emitter._events[event])) emitter._events[event].unshift(fn);else emitter._events[event] = [fn, emitter._events[event]]; } function ReadableState(options, stream) { Duplex = Duplex || __webpack_require__(23); options = options || {}; // Duplex streams are both readable and writable, but share // the same options object. // However, some cases require setting options to different // values for the readable and the writable sides of the duplex stream. // These options can be provided separately as readableXXX and writableXXX. var isDuplex = stream instanceof Duplex; // object stream flag. Used to make read(n) ignore n and to // make all the buffer merging and length checks go away this.objectMode = !!options.objectMode; if (isDuplex) this.objectMode = this.objectMode || !!options.readableObjectMode; // the point at which it stops calling _read() to fill the buffer // Note: 0 is a valid value, means "don't call _read preemptively ever" var hwm = options.highWaterMark; var readableHwm = options.readableHighWaterMark; var defaultHwm = this.objectMode ? 16 : 16 * 1024; if (hwm || hwm === 0) this.highWaterMark = hwm;else if (isDuplex && (readableHwm || readableHwm === 0)) this.highWaterMark = readableHwm;else this.highWaterMark = defaultHwm; // cast to ints. this.highWaterMark = Math.floor(this.highWaterMark); // A linked list is used to store data chunks instead of an array because the // linked list can remove elements from the beginning faster than // array.shift() this.buffer = new BufferList(); this.length = 0; this.pipes = null; this.pipesCount = 0; this.flowing = null; this.ended = false; this.endEmitted = false; this.reading = false; // a flag to be able to tell if the event 'readable'/'data' is emitted // immediately, or on a later tick. We set this to true at first, because // any actions that shouldn't happen until "later" should generally also // not happen before the first read call. this.sync = true; // whenever we return null, then we set a flag to say // that we're awaiting a 'readable' event emission. this.needReadable = false; this.emittedReadable = false; this.readableListening = false; this.resumeScheduled = false; // has it been destroyed this.destroyed = false; // Crypto is kind of old and crusty. Historically, its default string // encoding is 'binary' so we have to make this configurable. // Everything else in the universe uses 'utf8', though. this.defaultEncoding = options.defaultEncoding || 'utf8'; // the number of writers that are awaiting a drain event in .pipe()s this.awaitDrain = 0; // if true, a maybeReadMore has been scheduled this.readingMore = false; this.decoder = null; this.encoding = null; if (options.encoding) { if (!StringDecoder) StringDecoder = __webpack_require__(24).StringDecoder; this.decoder = new StringDecoder(options.encoding); this.encoding = options.encoding; } } function Readable(options) { Duplex = Duplex || __webpack_require__(23); if (!(this instanceof Readable)) return new Readable(options); this._readableState = new ReadableState(options, this); // legacy this.readable = true; if (options) { if (typeof options.read === 'function') this._read = options.read; if (typeof options.destroy === 'function') this._destroy = options.destroy; } Stream.call(this); } Object.defineProperty(Readable.prototype, 'destroyed', { get: function get() { if (this._readableState === undefined) { return false; } return this._readableState.destroyed; }, set: function set(value) { // we ignore the value if the stream // has not been initialized yet if (!this._readableState) { return; } // backward compatibility, the user is explicitly // managing destroyed this._readableState.destroyed = value; } }); Readable.prototype.destroy = destroyImpl.destroy; Readable.prototype._undestroy = destroyImpl.undestroy; Readable.prototype._destroy = function (err, cb) { this.push(null); cb(err); }; // Manually shove something into the read() buffer. // This returns true if the highWaterMark has not been hit yet, // similar to how Writable.write() returns true if you should // write() some more. Readable.prototype.push = function (chunk, encoding) { var state = this._readableState; var skipChunkCheck; if (!state.objectMode) { if (typeof chunk === 'string') { encoding = encoding || state.defaultEncoding; if (encoding !== state.encoding) { chunk = Buffer.from(chunk, encoding); encoding = ''; } skipChunkCheck = true; } } else { skipChunkCheck = true; } return readableAddChunk(this, chunk, encoding, false, skipChunkCheck); }; // Unshift should *always* be something directly out of read() Readable.prototype.unshift = function (chunk) { return readableAddChunk(this, chunk, null, true, false); }; function readableAddChunk(stream, chunk, encoding, addToFront, skipChunkCheck) { var state = stream._readableState; if (chunk === null) { state.reading = false; onEofChunk(stream, state); } else { var er; if (!skipChunkCheck) er = chunkInvalid(state, chunk); if (er) { stream.emit('error', er); } else if (state.objectMode || chunk && chunk.length > 0) { if (typeof chunk !== 'string' && !state.objectMode && Object.getPrototypeOf(chunk) !== Buffer.prototype) { chunk = _uint8ArrayToBuffer(chunk); } if (addToFront) { if (state.endEmitted) stream.emit('error', new Error('stream.unshift() after end event'));else addChunk(stream, state, chunk, true); } else if (state.ended) { stream.emit('error', new Error('stream.push() after EOF')); } else { state.reading = false; if (state.decoder && !encoding) { chunk = state.decoder.write(chunk); if (state.objectMode || chunk.length !== 0) addChunk(stream, state, chunk, false);else maybeReadMore(stream, state); } else { addChunk(stream, state, chunk, false); } } } else if (!addToFront) { state.reading = false; } } return needMoreData(state); } function addChunk(stream, state, chunk, addToFront) { if (state.flowing && state.length === 0 && !state.sync) { stream.emit('data', chunk); stream.read(0); } else { // update the buffer info. state.length += state.objectMode ? 1 : chunk.length; if (addToFront) state.buffer.unshift(chunk);else state.buffer.push(chunk); if (state.needReadable) emitReadable(stream); } maybeReadMore(stream, state); } function chunkInvalid(state, chunk) { var er; if (!_isUint8Array(chunk) && typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) { er = new TypeError('Invalid non-string/buffer chunk'); } return er; } // if it's past the high water mark, we can push in some more. // Also, if we have no data yet, we can stand some // more bytes. This is to work around cases where hwm=0, // such as the repl. Also, if the push() triggered a // readable event, and the user called read(largeNumber) such that // needReadable was set, then we ought to push more, so that another // 'readable' event will be triggered. function needMoreData(state) { return !state.ended && (state.needReadable || state.length < state.highWaterMark || state.length === 0); } Readable.prototype.isPaused = function () { return this._readableState.flowing === false; }; // backwards compatibility. Readable.prototype.setEncoding = function (enc) { if (!StringDecoder) StringDecoder = __webpack_require__(24).StringDecoder; this._readableState.decoder = new StringDecoder(enc); this._readableState.encoding = enc; return this; }; // Don't raise the hwm > 8MB var MAX_HWM = 0x800000; function computeNewHighWaterMark(n) { if (n >= MAX_HWM) { n = MAX_HWM; } else { // Get the next highest power of 2 to prevent increasing hwm excessively in // tiny amounts n--; n |= n >>> 1; n |= n >>> 2; n |= n >>> 4; n |= n >>> 8; n |= n >>> 16; n++; } return n; } // This function is designed to be inlinable, so please take care when making // changes to the function body. function howMuchToRead(n, state) { if (n <= 0 || state.length === 0 && state.ended) return 0; if (state.objectMode) return 1; if (n !== n) { // Only flow one buffer at a time if (state.flowing && state.length) return state.buffer.head.data.length;else return state.length; } // If we're asking for more than the current hwm, then raise the hwm. if (n > state.highWaterMark) state.highWaterMark = computeNewHighWaterMark(n); if (n <= state.length) return n; // Don't have enough if (!state.ended) { state.needReadable = true; return 0; } return state.length; } // you can override either this method, or the async _read(n) below. Readable.prototype.read = function (n) { debug('read', n); n = parseInt(n, 10); var state = this._readableState; var nOrig = n; if (n !== 0) state.emittedReadable = false; // if we're doing read(0) to trigger a readable event, but we // already have a bunch of data in the buffer, then just trigger // the 'readable' event and move on. if (n === 0 && state.needReadable && (state.length >= state.highWaterMark || state.ended)) { debug('read: emitReadable', state.length, state.ended); if (state.length === 0 && state.ended) endReadable(this);else emitReadable(this); return null; } n = howMuchToRead(n, state); // if we've ended, and we're now clear, then finish it up. if (n === 0 && state.ended) { if (state.length === 0) endReadable(this); return null; } // All the actual chunk generation logic needs to be // *below* the call to _read. The reason is that in certain // synthetic stream cases, such as passthrough streams, _read // may be a completely synchronous operation which may change // the state of the read buffer, providing enough data when // before there was *not* enough. // // So, the steps are: // 1. Figure out what the state of things will be after we do // a read from the buffer. // // 2. If that resulting state will trigger a _read, then call _read. // Note that this may be asynchronous, or synchronous. Yes, it is // deeply ugly to write APIs this way, but that still doesn't mean // that the Readable class should behave improperly, as streams are // designed to be sync/async agnostic. // Take note if the _read call is sync or async (ie, if the read call // has returned yet), so that we know whether or not it's safe to emit // 'readable' etc. // // 3. Actually pull the requested chunks out of the buffer and return. // if we need a readable event, then we need to do some reading. var doRead = state.needReadable; debug('need readable', doRead); // if we currently have less than the highWaterMark, then also read some if (state.length === 0 || state.length - n < state.highWaterMark) { doRead = true; debug('length less than watermark', doRead); } // however, if we've ended, then there's no point, and if we're already // reading, then it's unnecessary. if (state.ended || state.reading) { doRead = false; debug('reading or ended', doRead); } else if (doRead) { debug('do read'); state.reading = true; state.sync = true; // if the length is currently zero, then we *need* a readable event. if (state.length === 0) state.needReadable = true; // call internal read method this._read(state.highWaterMark); state.sync = false; // If _read pushed data synchronously, then `reading` will be false, // and we need to re-evaluate how much data we can return to the user. if (!state.reading) n = howMuchToRead(nOrig, state); } var ret; if (n > 0) ret = fromList(n, state);else ret = null; if (ret === null) { state.needReadable = true; n = 0; } else { state.length -= n; } if (state.length === 0) { // If we have nothing in the buffer, then we want to know // as soon as we *do* get something into the buffer. if (!state.ended) state.needReadable = true; // If we tried to read() past the EOF, then emit end on the next tick. if (nOrig !== n && state.ended) endReadable(this); } if (ret !== null) this.emit('data', ret); return ret; }; function onEofChunk(stream, state) { if (state.ended) return; if (state.decoder) { var chunk = state.decoder.end(); if (chunk && chunk.length) { state.buffer.push(chunk); state.length += state.objectMode ? 1 : chunk.length; } } state.ended = true; // emit 'readable' now to make sure it gets picked up. emitReadable(stream); } // Don't emit readable right away in sync mode, because this can trigger // another read() call => stack overflow. This way, it might trigger // a nextTick recursion warning, but that's not so bad. function emitReadable(stream) { var state = stream._readableState; state.needReadable = false; if (!state.emittedReadable) { debug('emitReadable', state.flowing); state.emittedReadable = true; if (state.sync) pna.nextTick(emitReadable_, stream);else emitReadable_(stream); } } function emitReadable_(stream) { debug('emit readable'); stream.emit('readable'); flow(stream); } // at this point, the user has presumably seen the 'readable' event, // and called read() to consume some data. that may have triggered // in turn another _read(n) call, in which case reading = true if // it's in progress. // However, if we're not ended, or reading, and the length < hwm, // then go ahead and try to read some more preemptively. function maybeReadMore(stream, state) { if (!state.readingMore) { state.readingMore = true; pna.nextTick(maybeReadMore_, stream, state); } } function maybeReadMore_(stream, state) { var len = state.length; while (!state.reading && !state.flowing && !state.ended && state.length < state.highWaterMark) { debug('maybeReadMore read 0'); stream.read(0); if (len === state.length) // didn't get any data, stop spinning. break;else len = state.length; } state.readingMore = false; } // abstract method. to be overridden in specific implementation classes. // call cb(er, data) where data is <= n in length. // for virtual (non-string, non-buffer) streams, "length" is somewhat // arbitrary, and perhaps not very meaningful. Readable.prototype._read = function (n) { this.emit('error', new Error('_read() is not implemented')); }; Readable.prototype.pipe = function (dest, pipeOpts) { var src = this; var state = this._readableState; switch (state.pipesCount) { case 0: state.pipes = dest; break; case 1: state.pipes = [state.pipes, dest]; break; default: state.pipes.push(dest); break; } state.pipesCount += 1; debug('pipe count=%d opts=%j', state.pipesCount, pipeOpts); var doEnd = (!pipeOpts || pipeOpts.end !== false) && dest !== process.stdout && dest !== process.stderr; var endFn = doEnd ? onend : unpipe; if (state.endEmitted) pna.nextTick(endFn);else src.once('end', endFn); dest.on('unpipe', onunpipe); function onunpipe(readable, unpipeInfo) { debug('onunpipe'); if (readable === src) { if (unpipeInfo && unpipeInfo.hasUnpiped === false) { unpipeInfo.hasUnpiped = true; cleanup(); } } } function onend() { debug('onend'); dest.end(); } // when the dest drains, it reduces the awaitDrain counter // on the source. This would be more elegant with a .once() // handler in flow(), but adding and removing repeatedly is // too slow. var ondrain = pipeOnDrain(src); dest.on('drain', ondrain); var cleanedUp = false; function cleanup() { debug('cleanup'); // cleanup event handlers once the pipe is broken dest.removeListener('close', onclose); dest.removeListener('finish', onfinish); dest.removeListener('drain', ondrain); dest.removeListener('error', onerror); dest.removeListener('unpipe', onunpipe); src.removeListener('end', onend); src.removeListener('end', unpipe); src.removeListener('data', ondata); cleanedUp = true; // if the reader is waiting for a drain event from this // specific writer, then it would cause it to never start // flowing again. // So, if this is awaiting a drain, then we just call it now. // If we don't know, then assume that we are waiting for one. if (state.awaitDrain && (!dest._writableState || dest._writableState.needDrain)) ondrain(); } // If the user pushes more data while we're writing to dest then we'll end up // in ondata again. However, we only want to increase awaitDrain once because // dest will only emit one 'drain' event for the multiple writes. // => Introduce a guard on increasing awaitDrain. var increasedAwaitDrain = false; src.on('data', ondata); function ondata(chunk) { debug('ondata'); increasedAwaitDrain = false; var ret = dest.write(chunk); if (false === ret && !increasedAwaitDrain) { // If the user unpiped during `dest.write()`, it is possible // to get stuck in a permanently paused state if that write // also returned false. // => Check whether `dest` is still a piping destination. if ((state.pipesCount === 1 && state.pipes === dest || state.pipesCount > 1 && indexOf(state.pipes, dest) !== -1) && !cleanedUp) { debug('false write response, pause', src._readableState.awaitDrain); src._readableState.awaitDrain++; increasedAwaitDrain = true; } src.pause(); } } // if the dest has an error, then stop piping into it. // however, don't suppress the throwing behavior for this. function onerror(er) { debug('onerror', er); unpipe(); dest.removeListener('error', onerror); if (EElistenerCount(dest, 'error') === 0) dest.emit('error', er); } // Make sure our error handler is attached before userland ones. prependListener(dest, 'error', onerror); // Both close and finish should trigger unpipe, but only once. function onclose() { dest.removeListener('finish', onfinish); unpipe(); } dest.once('close', onclose); function onfinish() { debug('onfinish'); dest.removeListener('close', onclose); unpipe(); } dest.once('finish', onfinish); function unpipe() { debug('unpipe'); src.unpipe(dest); } // tell the dest that it's being piped to dest.emit('pipe', src); // start the flow if it hasn't been started already. if (!state.flowing) { debug('pipe resume'); src.resume(); } return dest; }; function pipeOnDrain(src) { return function () { var state = src._readableState; debug('pipeOnDrain', state.awaitDrain); if (state.awaitDrain) state.awaitDrain--; if (state.awaitDrain === 0 && EElistenerCount(src, 'data')) { state.flowing = true; flow(src); } }; } Readable.prototype.unpipe = function (dest) { var state = this._readableState; var unpipeInfo = { hasUnpiped: false }; // if we're not piping anywhere, then do nothing. if (state.pipesCount === 0) return this; // just one destination. most common case. if (state.pipesCount === 1) { // passed in one, but it's not the right one. if (dest && dest !== state.pipes) return this; if (!dest) dest = state.pipes; // got a match. state.pipes = null; state.pipesCount = 0; state.flowing = false; if (dest) dest.emit('unpipe', this, unpipeInfo); return this; } // slow case. multiple pipe destinations. if (!dest) { // remove all. var dests = state.pipes; var len = state.pipesCount; state.pipes = null; state.pipesCount = 0; state.flowing = false; for (var i = 0; i < len; i++) { dests[i].emit('unpipe', this, unpipeInfo); } return this; } // try to find the right one. var index = indexOf(state.pipes, dest); if (index === -1) return this; state.pipes.splice(index, 1); state.pipesCount -= 1; if (state.pipesCount === 1) state.pipes = state.pipes[0]; dest.emit('unpipe', this, unpipeInfo); return this; }; // set up data events if they are asked for // Ensure readable listeners eventually get something Readable.prototype.on = function (ev, fn) { var res = Stream.prototype.on.call(this, ev, fn); if (ev === 'data') { // Start flowing on next tick if stream isn't explicitly paused if (this._readableState.flowing !== false) this.resume(); } else if (ev === 'readable') { var state = this._readableState; if (!state.endEmitted && !state.readableListening) { state.readableListening = state.needReadable = true; state.emittedReadable = false; if (!state.reading) { pna.nextTick(nReadingNextTick, this); } else if (state.length) { emitReadable(this); } } } return res; }; Readable.prototype.addListener = Readable.prototype.on; function nReadingNextTick(self) { debug('readable nexttick read 0'); self.read(0); } // pause() and resume() are remnants of the legacy readable stream API // If the user uses them, then switch into old mode. Readable.prototype.resume = function () { var state = this._readableState; if (!state.flowing) { debug('resume'); state.flowing = true; resume(this, state); } return this; }; function resume(stream, state) { if (!state.resumeScheduled) { state.resumeScheduled = true; pna.nextTick(resume_, stream, state); } } function resume_(stream, state) { if (!state.reading) { debug('resume read 0'); stream.read(0); } state.resumeScheduled = false; state.awaitDrain = 0; stream.emit('resume'); flow(stream); if (state.flowing && !state.reading) stream.read(0); } Readable.prototype.pause = function () { debug('call pause flowing=%j', this._readableState.flowing); if (false !== this._readableState.flowing) { debug('pause'); this._readableState.flowing = false; this.emit('pause'); } return this; }; function flow(stream) { var state = stream._readableState; debug('flow', state.flowing); while (state.flowing && stream.read() !== null) {} } // wrap an old-style stream as the async data source. // This is *not* part of the readable stream interface. // It is an ugly unfortunate mess of history. Readable.prototype.wrap = function (stream) { var _this = this; var state = this._readableState; var paused = false; stream.on('end', function () { debug('wrapped end'); if (state.decoder && !state.ended) { var chunk = state.decoder.end(); if (chunk && chunk.length) _this.push(chunk); } _this.push(null); }); stream.on('data', function (chunk) { debug('wrapped data'); if (state.decoder) chunk = state.decoder.write(chunk); // don't skip over falsy values in objectMode if (state.objectMode && (chunk === null || chunk === undefined)) return;else if (!state.objectMode && (!chunk || !chunk.length)) return; var ret = _this.push(chunk); if (!ret) { paused = true; stream.pause(); } }); // proxy all the other methods. // important when wrapping filters and duplexes. for (var i in stream) { if (this[i] === undefined && typeof stream[i] === 'function') { this[i] = function (method) { return function () { return stream[method].apply(stream, arguments); }; }(i); } } // proxy certain important events. for (var n = 0; n < kProxyEvents.length; n++) { stream.on(kProxyEvents[n], this.emit.bind(this, kProxyEvents[n])); } // when we try to consume some more bytes, simply unpause the // underlying stream. this._read = function (n) { debug('wrapped _read', n); if (paused) { paused = false; stream.resume(); } }; return this; }; Object.defineProperty(Readable.prototype, 'readableHighWaterMark', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._readableState.highWaterMark; } }); // exposed for testing purposes only. Readable._fromList = fromList; // Pluck off n bytes from an array of buffers. // Length is the combined lengths of all the buffers in the list. // This function is designed to be inlinable, so please take care when making // changes to the function body. function fromList(n, state) { // nothing buffered if (state.length === 0) return null; var ret; if (state.objectMode) ret = state.buffer.shift();else if (!n || n >= state.length) { // read it all, truncate the list if (state.decoder) ret = state.buffer.join('');else if (state.buffer.length === 1) ret = state.buffer.head.data;else ret = state.buffer.concat(state.length); state.buffer.clear(); } else { // read part of list ret = fromListPartial(n, state.buffer, state.decoder); } return ret; } // Extracts only enough buffered data to satisfy the amount requested. // This function is designed to be inlinable, so please take care when making // changes to the function body. function fromListPartial(n, list, hasStrings) { var ret; if (n < list.head.data.length) { // slice is the same for buffers and strings ret = list.head.data.slice(0, n); list.head.data = list.head.data.slice(n); } else if (n === list.head.data.length) { // first chunk is a perfect match ret = list.shift(); } else { // result spans more than one buffer ret = hasStrings ? copyFromBufferString(n, list) : copyFromBuffer(n, list); } return ret; } // Copies a specified amount of characters from the list of buffered data // chunks. // This function is designed to be inlinable, so please take care when making // changes to the function body. function copyFromBufferString(n, list) { var p = list.head; var c = 1; var ret = p.data; n -= ret.length; while (p = p.next) { var str = p.data; var nb = n > str.length ? str.length : n; if (nb === str.length) ret += str;else ret += str.slice(0, n); n -= nb; if (n === 0) { if (nb === str.length) { ++c; if (p.next) list.head = p.next;else list.head = list.tail = null; } else { list.head = p; p.data = str.slice(nb); } break; } ++c; } list.length -= c; return ret; } // Copies a specified amount of bytes from the list of buffered data chunks. // This function is designed to be inlinable, so please take care when making // changes to the function body. function copyFromBuffer(n, list) { var ret = Buffer.allocUnsafe(n); var p = list.head; var c = 1; p.data.copy(ret); n -= p.data.length; while (p = p.next) { var buf = p.data; var nb = n > buf.length ? buf.length : n; buf.copy(ret, ret.length - n, 0, nb); n -= nb; if (n === 0) { if (nb === buf.length) { ++c; if (p.next) list.head = p.next;else list.head = list.tail = null; } else { list.head = p; p.data = buf.slice(nb); } break; } ++c; } list.length -= c; return ret; } function endReadable(stream) { var state = stream._readableState; // If we get here before consuming all the bytes, then that is a // bug in node. Should never happen. if (state.length > 0) throw new Error('"endReadable()" called on non-empty stream'); if (!state.endEmitted) { state.ended = true; pna.nextTick(endReadableNT, state, stream); } } function endReadableNT(state, stream) { // Check that we didn't get one last unshift. if (!state.endEmitted && state.length === 0) { state.endEmitted = true; stream.readable = false; stream.emit('end'); } } function indexOf(xs, x) { for (var i = 0, l = xs.length; i < l; i++) { if (xs[i] === x) return i; } return -1; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10), __webpack_require__(4))) /***/ }), /* 140 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = __webpack_require__(39).EventEmitter; /***/ }), /* 141 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /**/ var pna = __webpack_require__(51); /**/ // undocumented cb() API, needed for core, not for public API function destroy(err, cb) { var _this = this; var readableDestroyed = this._readableState && this._readableState.destroyed; var writableDestroyed = this._writableState && this._writableState.destroyed; if (readableDestroyed || writableDestroyed) { if (cb) { cb(err); } else if (err && (!this._writableState || !this._writableState.errorEmitted)) { pna.nextTick(emitErrorNT, this, err); } return this; } // we set destroyed to true before firing error callbacks in order // to make it re-entrance safe in case destroy() is called within callbacks if (this._readableState) { this._readableState.destroyed = true; } // if this is a duplex stream mark the writable part as destroyed as well if (this._writableState) { this._writableState.destroyed = true; } this._destroy(err || null, function (err) { if (!cb && err) { pna.nextTick(emitErrorNT, _this, err); if (_this._writableState) { _this._writableState.errorEmitted = true; } } else if (cb) { cb(err); } }); return this; } function undestroy() { if (this._readableState) { this._readableState.destroyed = false; this._readableState.reading = false; this._readableState.ended = false; this._readableState.endEmitted = false; } if (this._writableState) { this._writableState.destroyed = false; this._writableState.ended = false; this._writableState.ending = false; this._writableState.finished = false; this._writableState.errorEmitted = false; } } function emitErrorNT(self, err) { self.emit('error', err); } module.exports = { destroy: destroy, undestroy: undestroy }; /***/ }), /* 142 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global) { /** * Module exports. */ module.exports = deprecate; /** * Mark that a method should not be used. * Returns a modified function which warns once by default. * * If `localStorage.noDeprecation = true` is set, then it is a no-op. * * If `localStorage.throwDeprecation = true` is set, then deprecated functions * will throw an Error when invoked. * * If `localStorage.traceDeprecation = true` is set, then deprecated functions * will invoke `console.trace()` instead of `console.error()`. * * @param {Function} fn - the function to deprecate * @param {String} msg - the string to print to the console when `fn` is invoked * @returns {Function} a new "deprecated" version of `fn` * @api public */ function deprecate(fn, msg) { if (config('noDeprecation')) { return fn; } var warned = false; function deprecated() { if (!warned) { if (config('throwDeprecation')) { throw new Error(msg); } else if (config('traceDeprecation')) { console.trace(msg); } else { console.warn(msg); } warned = true; } return fn.apply(this, arguments); } return deprecated; } /** * Checks `localStorage` for boolean values for the given `name`. * * @param {String} name * @returns {Boolean} * @api private */ function config(name) { // accessing global.localStorage can trigger a DOMException in sandboxed iframes try { if (!global.localStorage) return false; } catch (_) { return false; } var val = global.localStorage[name]; if (null == val) return false; return String(val).toLowerCase() === 'true'; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10))) /***/ }), /* 143 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // a transform stream is a readable/writable stream where you do // something with the data. Sometimes it's called a "filter", // but that's not a great name for it, since that implies a thing where // some bits pass through, and others are simply ignored. (That would // be a valid example of a transform, of course.) // // While the output is causally related to the input, it's not a // necessarily symmetric or synchronous transformation. For example, // a zlib stream might take multiple plain-text writes(), and then // emit a single compressed chunk some time in the future. // // Here's how this works: // // The Transform stream has all the aspects of the readable and writable // stream classes. When you write(chunk), that calls _write(chunk,cb) // internally, and returns false if there's a lot of pending writes // buffered up. When you call read(), that calls _read(n) until // there's enough pending readable data buffered up. // // In a transform stream, the written data is placed in a buffer. When // _read(n) is called, it transforms the queued up data, calling the // buffered _write cb's as it consumes chunks. If consuming a single // written chunk would result in multiple output chunks, then the first // outputted bit calls the readcb, and subsequent chunks just go into // the read buffer, and will cause it to emit 'readable' if necessary. // // This way, back-pressure is actually determined by the reading side, // since _read has to be called to start processing a new chunk. However, // a pathological inflate type of transform can cause excessive buffering // here. For example, imagine a stream where every byte of input is // interpreted as an integer from 0-255, and then results in that many // bytes of output. Writing the 4 bytes {ff,ff,ff,ff} would result in // 1kb of data being output. In this case, you could write a very small // amount of input, and end up with a very large amount of output. In // such a pathological inflating mechanism, there'd be no way to tell // the system to stop doing the transform. A single 4MB write could // cause the system to run out of memory. // // However, even in such a pathological case, only a single written chunk // would be consumed, and then the rest would wait (un-transformed) until // the results of the previous transformed chunk were consumed. module.exports = Transform; var Duplex = __webpack_require__(23); /**/ var util = __webpack_require__(40); util.inherits = __webpack_require__(2); /**/ util.inherits(Transform, Duplex); function afterTransform(er, data) { var ts = this._transformState; ts.transforming = false; var cb = ts.writecb; if (!cb) { return this.emit('error', new Error('write callback called multiple times')); } ts.writechunk = null; ts.writecb = null; if (data != null) // single equals check for both `null` and `undefined` this.push(data); cb(er); var rs = this._readableState; rs.reading = false; if (rs.needReadable || rs.length < rs.highWaterMark) { this._read(rs.highWaterMark); } } function Transform(options) { if (!(this instanceof Transform)) return new Transform(options); Duplex.call(this, options); this._transformState = { afterTransform: afterTransform.bind(this), needTransform: false, transforming: false, writecb: null, writechunk: null, writeencoding: null }; // start out asking for a readable event once data is transformed. this._readableState.needReadable = true; // we have implemented the _read method, and done the other things // that Readable wants before the first _read call, so unset the // sync guard flag. this._readableState.sync = false; if (options) { if (typeof options.transform === 'function') this._transform = options.transform; if (typeof options.flush === 'function') this._flush = options.flush; } // When the writable side finishes, then flush out anything remaining. this.on('prefinish', prefinish); } function prefinish() { var _this = this; if (typeof this._flush === 'function') { this._flush(function (er, data) { done(_this, er, data); }); } else { done(this, null, null); } } Transform.prototype.push = function (chunk, encoding) { this._transformState.needTransform = false; return Duplex.prototype.push.call(this, chunk, encoding); }; // This is the part where you do stuff! // override this function in implementation classes. // 'chunk' is an input chunk. // // Call `push(newChunk)` to pass along transformed output // to the readable side. You may call 'push' zero or more times. // // Call `cb(err)` when you are done with this chunk. If you pass // an error, then that'll put the hurt on the whole operation. If you // never call cb(), then you'll never get another chunk. Transform.prototype._transform = function (chunk, encoding, cb) { throw new Error('_transform() is not implemented'); }; Transform.prototype._write = function (chunk, encoding, cb) { var ts = this._transformState; ts.writecb = cb; ts.writechunk = chunk; ts.writeencoding = encoding; if (!ts.transforming) { var rs = this._readableState; if (ts.needTransform || rs.needReadable || rs.length < rs.highWaterMark) this._read(rs.highWaterMark); } }; // Doesn't matter what the args are here. // _transform does all the work. // That we got here means that the readable side wants more data. Transform.prototype._read = function (n) { var ts = this._transformState; if (ts.writechunk !== null && ts.writecb && !ts.transforming) { ts.transforming = true; this._transform(ts.writechunk, ts.writeencoding, ts.afterTransform); } else { // mark that we need a transform, so that any data that comes in // will get processed, now that we've asked for it. ts.needTransform = true; } }; Transform.prototype._destroy = function (err, cb) { var _this2 = this; Duplex.prototype._destroy.call(this, err, function (err2) { cb(err2); _this2.emit('close'); }); }; function done(stream, er, data) { if (er) return stream.emit('error', er); if (data != null) // single equals check for both `null` and `undefined` stream.push(data); // if there's nothing in the write buffer, then that means // that nothing more will ever be provided if (stream._writableState.length) throw new Error('Calling transform done when ws.length != 0'); if (stream._transformState.transforming) throw new Error('Calling transform done when still transforming'); return stream.push(null); } /***/ }), /* 144 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Buffer = __webpack_require__(0).Buffer; var inherits = __webpack_require__(2); var HashBase = __webpack_require__(137); var ARRAY16 = new Array(16); var zl = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 7, 4, 13, 1, 10, 6, 15, 3, 12, 0, 9, 5, 2, 14, 11, 8, 3, 10, 14, 4, 9, 15, 8, 1, 2, 7, 0, 6, 13, 11, 5, 12, 1, 9, 11, 10, 0, 8, 12, 4, 13, 3, 7, 15, 14, 5, 6, 2, 4, 0, 5, 9, 7, 12, 2, 10, 14, 1, 3, 8, 11, 6, 15, 13]; var zr = [5, 14, 7, 0, 9, 2, 11, 4, 13, 6, 15, 8, 1, 10, 3, 12, 6, 11, 3, 7, 0, 13, 5, 10, 14, 15, 8, 12, 4, 9, 1, 2, 15, 5, 1, 3, 7, 14, 6, 9, 11, 8, 12, 2, 10, 0, 4, 13, 8, 6, 4, 1, 3, 11, 15, 0, 5, 12, 2, 13, 9, 7, 10, 14, 12, 15, 10, 4, 1, 5, 8, 7, 6, 2, 13, 14, 0, 3, 9, 11]; var sl = [11, 14, 15, 12, 5, 8, 7, 9, 11, 13, 14, 15, 6, 7, 9, 8, 7, 6, 8, 13, 11, 9, 7, 15, 7, 12, 15, 9, 11, 7, 13, 12, 11, 13, 6, 7, 14, 9, 13, 15, 14, 8, 13, 6, 5, 12, 7, 5, 11, 12, 14, 15, 14, 15, 9, 8, 9, 14, 5, 6, 8, 6, 5, 12, 9, 15, 5, 11, 6, 8, 13, 12, 5, 12, 13, 14, 11, 8, 5, 6]; var sr = [8, 9, 9, 11, 13, 15, 15, 5, 7, 7, 8, 11, 14, 14, 12, 6, 9, 13, 15, 7, 12, 8, 9, 11, 7, 7, 12, 7, 6, 15, 13, 11, 9, 7, 15, 11, 8, 6, 6, 14, 12, 13, 5, 14, 13, 13, 7, 5, 15, 5, 8, 11, 14, 14, 6, 14, 6, 9, 12, 9, 12, 5, 15, 8, 8, 5, 12, 9, 12, 5, 14, 6, 8, 13, 6, 5, 15, 13, 11, 11]; var hl = [0x00000000, 0x5a827999, 0x6ed9eba1, 0x8f1bbcdc, 0xa953fd4e]; var hr = [0x50a28be6, 0x5c4dd124, 0x6d703ef3, 0x7a6d76e9, 0x00000000]; function RIPEMD160() { HashBase.call(this, 64); // state this._a = 0x67452301; this._b = 0xefcdab89; this._c = 0x98badcfe; this._d = 0x10325476; this._e = 0xc3d2e1f0; } inherits(RIPEMD160, HashBase); RIPEMD160.prototype._update = function () { var words = ARRAY16; for (var j = 0; j < 16; ++j) words[j] = this._block.readInt32LE(j * 4); var al = this._a | 0; var bl = this._b | 0; var cl = this._c | 0; var dl = this._d | 0; var el = this._e | 0; var ar = this._a | 0; var br = this._b | 0; var cr = this._c | 0; var dr = this._d | 0; var er = this._e | 0; // computation for (var i = 0; i < 80; i += 1) { var tl; var tr; if (i < 16) { tl = fn1(al, bl, cl, dl, el, words[zl[i]], hl[0], sl[i]); tr = fn5(ar, br, cr, dr, er, words[zr[i]], hr[0], sr[i]); } else if (i < 32) { tl = fn2(al, bl, cl, dl, el, words[zl[i]], hl[1], sl[i]); tr = fn4(ar, br, cr, dr, er, words[zr[i]], hr[1], sr[i]); } else if (i < 48) { tl = fn3(al, bl, cl, dl, el, words[zl[i]], hl[2], sl[i]); tr = fn3(ar, br, cr, dr, er, words[zr[i]], hr[2], sr[i]); } else if (i < 64) { tl = fn4(al, bl, cl, dl, el, words[zl[i]], hl[3], sl[i]); tr = fn2(ar, br, cr, dr, er, words[zr[i]], hr[3], sr[i]); } else { // if (i<80) { tl = fn5(al, bl, cl, dl, el, words[zl[i]], hl[4], sl[i]); tr = fn1(ar, br, cr, dr, er, words[zr[i]], hr[4], sr[i]); } al = el; el = dl; dl = rotl(cl, 10); cl = bl; bl = tl; ar = er; er = dr; dr = rotl(cr, 10); cr = br; br = tr; } // update state var t = this._b + cl + dr | 0; this._b = this._c + dl + er | 0; this._c = this._d + el + ar | 0; this._d = this._e + al + br | 0; this._e = this._a + bl + cr | 0; this._a = t; }; RIPEMD160.prototype._digest = function () { // create padding and handle blocks this._block[this._blockOffset++] = 0x80; if (this._blockOffset > 56) { this._block.fill(0, this._blockOffset, 64); this._update(); this._blockOffset = 0; } this._block.fill(0, this._blockOffset, 56); this._block.writeUInt32LE(this._length[0], 56); this._block.writeUInt32LE(this._length[1], 60); this._update(); // produce result var buffer = Buffer.alloc ? Buffer.alloc(20) : new Buffer(20); buffer.writeInt32LE(this._a, 0); buffer.writeInt32LE(this._b, 4); buffer.writeInt32LE(this._c, 8); buffer.writeInt32LE(this._d, 12); buffer.writeInt32LE(this._e, 16); return buffer; }; function rotl(x, n) { return x << n | x >>> 32 - n; } function fn1(a, b, c, d, e, m, k, s) { return rotl(a + (b ^ c ^ d) + m + k | 0, s) + e | 0; } function fn2(a, b, c, d, e, m, k, s) { return rotl(a + (b & c | ~b & d) + m + k | 0, s) + e | 0; } function fn3(a, b, c, d, e, m, k, s) { return rotl(a + ((b | ~c) ^ d) + m + k | 0, s) + e | 0; } function fn4(a, b, c, d, e, m, k, s) { return rotl(a + (b & d | c & ~d) + m + k | 0, s) + e | 0; } function fn5(a, b, c, d, e, m, k, s) { return rotl(a + (b ^ (c | ~d)) + m + k | 0, s) + e | 0; } module.exports = RIPEMD160; /***/ }), /* 145 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var _exports = module.exports = function SHA(algorithm) { algorithm = algorithm.toLowerCase(); var Algorithm = _exports[algorithm]; if (!Algorithm) throw new Error(algorithm + ' is not supported (we accept pull requests)'); return new Algorithm(); }; _exports.sha = __webpack_require__(293); _exports.sha1 = __webpack_require__(294); _exports.sha224 = __webpack_require__(295); _exports.sha256 = __webpack_require__(146); _exports.sha384 = __webpack_require__(296); _exports.sha512 = __webpack_require__(147); /***/ }), /* 146 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * A JavaScript implementation of the Secure Hash Algorithm, SHA-256, as defined * in FIPS 180-2 * Version 2.2-beta Copyright Angel Marin, Paul Johnston 2000 - 2009. * Other contributors: Greg Holt, Andrew Kepert, Ydnar, Lostinet * */ var inherits = __webpack_require__(2); var Hash = __webpack_require__(30); var Buffer = __webpack_require__(8).Buffer; var K = [0x428A2F98, 0x71374491, 0xB5C0FBCF, 0xE9B5DBA5, 0x3956C25B, 0x59F111F1, 0x923F82A4, 0xAB1C5ED5, 0xD807AA98, 0x12835B01, 0x243185BE, 0x550C7DC3, 0x72BE5D74, 0x80DEB1FE, 0x9BDC06A7, 0xC19BF174, 0xE49B69C1, 0xEFBE4786, 0x0FC19DC6, 0x240CA1CC, 0x2DE92C6F, 0x4A7484AA, 0x5CB0A9DC, 0x76F988DA, 0x983E5152, 0xA831C66D, 0xB00327C8, 0xBF597FC7, 0xC6E00BF3, 0xD5A79147, 0x06CA6351, 0x14292967, 0x27B70A85, 0x2E1B2138, 0x4D2C6DFC, 0x53380D13, 0x650A7354, 0x766A0ABB, 0x81C2C92E, 0x92722C85, 0xA2BFE8A1, 0xA81A664B, 0xC24B8B70, 0xC76C51A3, 0xD192E819, 0xD6990624, 0xF40E3585, 0x106AA070, 0x19A4C116, 0x1E376C08, 0x2748774C, 0x34B0BCB5, 0x391C0CB3, 0x4ED8AA4A, 0x5B9CCA4F, 0x682E6FF3, 0x748F82EE, 0x78A5636F, 0x84C87814, 0x8CC70208, 0x90BEFFFA, 0xA4506CEB, 0xBEF9A3F7, 0xC67178F2]; var W = new Array(64); function Sha256() { this.init(); this._w = W; // new Array(64) Hash.call(this, 64, 56); } inherits(Sha256, Hash); Sha256.prototype.init = function () { this._a = 0x6a09e667; this._b = 0xbb67ae85; this._c = 0x3c6ef372; this._d = 0xa54ff53a; this._e = 0x510e527f; this._f = 0x9b05688c; this._g = 0x1f83d9ab; this._h = 0x5be0cd19; return this; }; function ch(x, y, z) { return z ^ x & (y ^ z); } function maj(x, y, z) { return x & y | z & (x | y); } function sigma0(x) { return (x >>> 2 | x << 30) ^ (x >>> 13 | x << 19) ^ (x >>> 22 | x << 10); } function sigma1(x) { return (x >>> 6 | x << 26) ^ (x >>> 11 | x << 21) ^ (x >>> 25 | x << 7); } function gamma0(x) { return (x >>> 7 | x << 25) ^ (x >>> 18 | x << 14) ^ x >>> 3; } function gamma1(x) { return (x >>> 17 | x << 15) ^ (x >>> 19 | x << 13) ^ x >>> 10; } Sha256.prototype._update = function (M) { var W = this._w; var a = this._a | 0; var b = this._b | 0; var c = this._c | 0; var d = this._d | 0; var e = this._e | 0; var f = this._f | 0; var g = this._g | 0; var h = this._h | 0; for (var i = 0; i < 16; ++i) W[i] = M.readInt32BE(i * 4); for (; i < 64; ++i) W[i] = gamma1(W[i - 2]) + W[i - 7] + gamma0(W[i - 15]) + W[i - 16] | 0; for (var j = 0; j < 64; ++j) { var T1 = h + sigma1(e) + ch(e, f, g) + K[j] + W[j] | 0; var T2 = sigma0(a) + maj(a, b, c) | 0; h = g; g = f; f = e; e = d + T1 | 0; d = c; c = b; b = a; a = T1 + T2 | 0; } this._a = a + this._a | 0; this._b = b + this._b | 0; this._c = c + this._c | 0; this._d = d + this._d | 0; this._e = e + this._e | 0; this._f = f + this._f | 0; this._g = g + this._g | 0; this._h = h + this._h | 0; }; Sha256.prototype._hash = function () { var H = Buffer.allocUnsafe(32); H.writeInt32BE(this._a, 0); H.writeInt32BE(this._b, 4); H.writeInt32BE(this._c, 8); H.writeInt32BE(this._d, 12); H.writeInt32BE(this._e, 16); H.writeInt32BE(this._f, 20); H.writeInt32BE(this._g, 24); H.writeInt32BE(this._h, 28); return H; }; module.exports = Sha256; /***/ }), /* 147 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var inherits = __webpack_require__(2); var Hash = __webpack_require__(30); var Buffer = __webpack_require__(8).Buffer; var K = [0x428a2f98, 0xd728ae22, 0x71374491, 0x23ef65cd, 0xb5c0fbcf, 0xec4d3b2f, 0xe9b5dba5, 0x8189dbbc, 0x3956c25b, 0xf348b538, 0x59f111f1, 0xb605d019, 0x923f82a4, 0xaf194f9b, 0xab1c5ed5, 0xda6d8118, 0xd807aa98, 0xa3030242, 0x12835b01, 0x45706fbe, 0x243185be, 0x4ee4b28c, 0x550c7dc3, 0xd5ffb4e2, 0x72be5d74, 0xf27b896f, 0x80deb1fe, 0x3b1696b1, 0x9bdc06a7, 0x25c71235, 0xc19bf174, 0xcf692694, 0xe49b69c1, 0x9ef14ad2, 0xefbe4786, 0x384f25e3, 0x0fc19dc6, 0x8b8cd5b5, 0x240ca1cc, 0x77ac9c65, 0x2de92c6f, 0x592b0275, 0x4a7484aa, 0x6ea6e483, 0x5cb0a9dc, 0xbd41fbd4, 0x76f988da, 0x831153b5, 0x983e5152, 0xee66dfab, 0xa831c66d, 0x2db43210, 0xb00327c8, 0x98fb213f, 0xbf597fc7, 0xbeef0ee4, 0xc6e00bf3, 0x3da88fc2, 0xd5a79147, 0x930aa725, 0x06ca6351, 0xe003826f, 0x14292967, 0x0a0e6e70, 0x27b70a85, 0x46d22ffc, 0x2e1b2138, 0x5c26c926, 0x4d2c6dfc, 0x5ac42aed, 0x53380d13, 0x9d95b3df, 0x650a7354, 0x8baf63de, 0x766a0abb, 0x3c77b2a8, 0x81c2c92e, 0x47edaee6, 0x92722c85, 0x1482353b, 0xa2bfe8a1, 0x4cf10364, 0xa81a664b, 0xbc423001, 0xc24b8b70, 0xd0f89791, 0xc76c51a3, 0x0654be30, 0xd192e819, 0xd6ef5218, 0xd6990624, 0x5565a910, 0xf40e3585, 0x5771202a, 0x106aa070, 0x32bbd1b8, 0x19a4c116, 0xb8d2d0c8, 0x1e376c08, 0x5141ab53, 0x2748774c, 0xdf8eeb99, 0x34b0bcb5, 0xe19b48a8, 0x391c0cb3, 0xc5c95a63, 0x4ed8aa4a, 0xe3418acb, 0x5b9cca4f, 0x7763e373, 0x682e6ff3, 0xd6b2b8a3, 0x748f82ee, 0x5defb2fc, 0x78a5636f, 0x43172f60, 0x84c87814, 0xa1f0ab72, 0x8cc70208, 0x1a6439ec, 0x90befffa, 0x23631e28, 0xa4506ceb, 0xde82bde9, 0xbef9a3f7, 0xb2c67915, 0xc67178f2, 0xe372532b, 0xca273ece, 0xea26619c, 0xd186b8c7, 0x21c0c207, 0xeada7dd6, 0xcde0eb1e, 0xf57d4f7f, 0xee6ed178, 0x06f067aa, 0x72176fba, 0x0a637dc5, 0xa2c898a6, 0x113f9804, 0xbef90dae, 0x1b710b35, 0x131c471b, 0x28db77f5, 0x23047d84, 0x32caab7b, 0x40c72493, 0x3c9ebe0a, 0x15c9bebc, 0x431d67c4, 0x9c100d4c, 0x4cc5d4be, 0xcb3e42b6, 0x597f299c, 0xfc657e2a, 0x5fcb6fab, 0x3ad6faec, 0x6c44198c, 0x4a475817]; var W = new Array(160); function Sha512() { this.init(); this._w = W; Hash.call(this, 128, 112); } inherits(Sha512, Hash); Sha512.prototype.init = function () { this._ah = 0x6a09e667; this._bh = 0xbb67ae85; this._ch = 0x3c6ef372; this._dh = 0xa54ff53a; this._eh = 0x510e527f; this._fh = 0x9b05688c; this._gh = 0x1f83d9ab; this._hh = 0x5be0cd19; this._al = 0xf3bcc908; this._bl = 0x84caa73b; this._cl = 0xfe94f82b; this._dl = 0x5f1d36f1; this._el = 0xade682d1; this._fl = 0x2b3e6c1f; this._gl = 0xfb41bd6b; this._hl = 0x137e2179; return this; }; function Ch(x, y, z) { return z ^ x & (y ^ z); } function maj(x, y, z) { return x & y | z & (x | y); } function sigma0(x, xl) { return (x >>> 28 | xl << 4) ^ (xl >>> 2 | x << 30) ^ (xl >>> 7 | x << 25); } function sigma1(x, xl) { return (x >>> 14 | xl << 18) ^ (x >>> 18 | xl << 14) ^ (xl >>> 9 | x << 23); } function Gamma0(x, xl) { return (x >>> 1 | xl << 31) ^ (x >>> 8 | xl << 24) ^ x >>> 7; } function Gamma0l(x, xl) { return (x >>> 1 | xl << 31) ^ (x >>> 8 | xl << 24) ^ (x >>> 7 | xl << 25); } function Gamma1(x, xl) { return (x >>> 19 | xl << 13) ^ (xl >>> 29 | x << 3) ^ x >>> 6; } function Gamma1l(x, xl) { return (x >>> 19 | xl << 13) ^ (xl >>> 29 | x << 3) ^ (x >>> 6 | xl << 26); } function getCarry(a, b) { return a >>> 0 < b >>> 0 ? 1 : 0; } Sha512.prototype._update = function (M) { var W = this._w; var ah = this._ah | 0; var bh = this._bh | 0; var ch = this._ch | 0; var dh = this._dh | 0; var eh = this._eh | 0; var fh = this._fh | 0; var gh = this._gh | 0; var hh = this._hh | 0; var al = this._al | 0; var bl = this._bl | 0; var cl = this._cl | 0; var dl = this._dl | 0; var el = this._el | 0; var fl = this._fl | 0; var gl = this._gl | 0; var hl = this._hl | 0; for (var i = 0; i < 32; i += 2) { W[i] = M.readInt32BE(i * 4); W[i + 1] = M.readInt32BE(i * 4 + 4); } for (; i < 160; i += 2) { var xh = W[i - 15 * 2]; var xl = W[i - 15 * 2 + 1]; var gamma0 = Gamma0(xh, xl); var gamma0l = Gamma0l(xl, xh); xh = W[i - 2 * 2]; xl = W[i - 2 * 2 + 1]; var gamma1 = Gamma1(xh, xl); var gamma1l = Gamma1l(xl, xh); // W[i] = gamma0 + W[i - 7] + gamma1 + W[i - 16] var Wi7h = W[i - 7 * 2]; var Wi7l = W[i - 7 * 2 + 1]; var Wi16h = W[i - 16 * 2]; var Wi16l = W[i - 16 * 2 + 1]; var Wil = gamma0l + Wi7l | 0; var Wih = gamma0 + Wi7h + getCarry(Wil, gamma0l) | 0; Wil = Wil + gamma1l | 0; Wih = Wih + gamma1 + getCarry(Wil, gamma1l) | 0; Wil = Wil + Wi16l | 0; Wih = Wih + Wi16h + getCarry(Wil, Wi16l) | 0; W[i] = Wih; W[i + 1] = Wil; } for (var j = 0; j < 160; j += 2) { Wih = W[j]; Wil = W[j + 1]; var majh = maj(ah, bh, ch); var majl = maj(al, bl, cl); var sigma0h = sigma0(ah, al); var sigma0l = sigma0(al, ah); var sigma1h = sigma1(eh, el); var sigma1l = sigma1(el, eh); // t1 = h + sigma1 + ch + K[j] + W[j] var Kih = K[j]; var Kil = K[j + 1]; var chh = Ch(eh, fh, gh); var chl = Ch(el, fl, gl); var t1l = hl + sigma1l | 0; var t1h = hh + sigma1h + getCarry(t1l, hl) | 0; t1l = t1l + chl | 0; t1h = t1h + chh + getCarry(t1l, chl) | 0; t1l = t1l + Kil | 0; t1h = t1h + Kih + getCarry(t1l, Kil) | 0; t1l = t1l + Wil | 0; t1h = t1h + Wih + getCarry(t1l, Wil) | 0; // t2 = sigma0 + maj var t2l = sigma0l + majl | 0; var t2h = sigma0h + majh + getCarry(t2l, sigma0l) | 0; hh = gh; hl = gl; gh = fh; gl = fl; fh = eh; fl = el; el = dl + t1l | 0; eh = dh + t1h + getCarry(el, dl) | 0; dh = ch; dl = cl; ch = bh; cl = bl; bh = ah; bl = al; al = t1l + t2l | 0; ah = t1h + t2h + getCarry(al, t1l) | 0; } this._al = this._al + al | 0; this._bl = this._bl + bl | 0; this._cl = this._cl + cl | 0; this._dl = this._dl + dl | 0; this._el = this._el + el | 0; this._fl = this._fl + fl | 0; this._gl = this._gl + gl | 0; this._hl = this._hl + hl | 0; this._ah = this._ah + ah + getCarry(this._al, al) | 0; this._bh = this._bh + bh + getCarry(this._bl, bl) | 0; this._ch = this._ch + ch + getCarry(this._cl, cl) | 0; this._dh = this._dh + dh + getCarry(this._dl, dl) | 0; this._eh = this._eh + eh + getCarry(this._el, el) | 0; this._fh = this._fh + fh + getCarry(this._fl, fl) | 0; this._gh = this._gh + gh + getCarry(this._gl, gl) | 0; this._hh = this._hh + hh + getCarry(this._hl, hl) | 0; }; Sha512.prototype._hash = function () { var H = Buffer.allocUnsafe(64); function writeInt64BE(h, l, offset) { H.writeInt32BE(h, offset); H.writeInt32BE(l, offset + 4); } writeInt64BE(this._ah, this._al, 0); writeInt64BE(this._bh, this._bl, 8); writeInt64BE(this._ch, this._cl, 16); writeInt64BE(this._dh, this._dl, 24); writeInt64BE(this._eh, this._el, 32); writeInt64BE(this._fh, this._fl, 40); writeInt64BE(this._gh, this._gl, 48); writeInt64BE(this._hh, this._hl, 56); return H; }; module.exports = Sha512; /***/ }), /* 148 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var Buffer = __webpack_require__(8).Buffer; var BN = __webpack_require__(52); var ECJPoint = __webpack_require__(149); function ECPoint(x, y) { if (x === null && y === null) { this.x = this.y = null; this.inf = true; } else { this.x = x; this.y = y; this.inf = false; } } ECPoint.fromPublicKey = function (publicKey) { var first = publicKey[0]; var x; var y; if (publicKey.length === 33 && (first === 0x02 || first === 0x03)) { x = BN.fromBuffer(publicKey.slice(1, 33)); // overflow if (x.ucmp(BN.p) >= 0) return null; // create from X y = x.redSqr().redMul(x).redIAdd7().redSqrt(); if (y === null) return null; if (first === 0x03 !== y.isOdd()) y = y.redNeg(); return new ECPoint(x, y); } if (publicKey.length === 65 && (first === 0x04 || first === 0x06 || first === 0x07)) { x = BN.fromBuffer(publicKey.slice(1, 33)); y = BN.fromBuffer(publicKey.slice(33, 65)); // overflow if (x.ucmp(BN.p) >= 0 || y.ucmp(BN.p) >= 0) return null; // is odd flag if ((first === 0x06 || first === 0x07) && y.isOdd() !== (first === 0x07)) return null; // x*x*x + 7 = y*y if (x.redSqr().redMul(x).redIAdd7().ucmp(y.redSqr()) !== 0) return null; return new ECPoint(x, y); } return null; }; ECPoint.prototype.toPublicKey = function (compressed) { var x = this.x; var y = this.y; var publicKey; if (compressed) { publicKey = Buffer.alloc(33); publicKey[0] = y.isOdd() ? 0x03 : 0x02; x.toBuffer().copy(publicKey, 1); } else { publicKey = Buffer.alloc(65); publicKey[0] = 0x04; x.toBuffer().copy(publicKey, 1); y.toBuffer().copy(publicKey, 33); } return publicKey; }; ECPoint.fromECJPoint = function (p) { if (p.inf) return new ECPoint(null, null); var zinv = p.z.redInvm(); var zinv2 = zinv.redSqr(); var ax = p.x.redMul(zinv2); var ay = p.y.redMul(zinv2).redMul(zinv); return new ECPoint(ax, ay); }; ECPoint.prototype.toECJPoint = function () { if (this.inf) return new ECJPoint(null, null, null); return new ECJPoint(this.x, this.y, ECJPoint.one); }; ECPoint.prototype.neg = function () { if (this.inf) return this; return new ECPoint(this.x, this.y.redNeg()); }; ECPoint.prototype.add = function (p) { // O + P = P if (this.inf) return p; // P + O = P if (p.inf) return this; if (this.x.ucmp(p.x) === 0) { // P + P = 2P if (this.y.ucmp(p.y) === 0) return this.dbl(); // P + (-P) = O return new ECPoint(null, null); } // s = (y - yp) / (x - xp) // nx = s^2 - x - xp // ny = s * (x - nx) - y var s = this.y.redSub(p.y); if (!s.isZero()) s = s.redMul(this.x.redSub(p.x).redInvm()); var nx = s.redSqr().redISub(this.x).redISub(p.x); var ny = s.redMul(this.x.redSub(nx)).redISub(this.y); return new ECPoint(nx, ny); }; ECPoint.prototype.dbl = function () { if (this.inf) return this; // 2P = O var yy = this.y.redAdd(this.y); if (yy.isZero()) return new ECPoint(null, null); // s = (3 * x^2) / (2 * y) // nx = s^2 - 2*x // ny = s * (x - nx) - y var x2 = this.x.redSqr(); var s = x2.redAdd(x2).redIAdd(x2).redMul(yy.redInvm()); var nx = s.redSqr().redISub(this.x.redAdd(this.x)); var ny = s.redMul(this.x.redSub(nx)).redISub(this.y); return new ECPoint(nx, ny); }; ECPoint.prototype.mul = function (num) { // Algorithm 3.36 Window NAF method for point multiplication var nafPoints = this._getNAFPoints(4); var points = nafPoints.points; // Get NAF form var naf = num.getNAF(nafPoints.wnd); // Add `this`*(N+1) for every w-NAF index var acc = new ECJPoint(null, null, null); for (var i = naf.length - 1; i >= 0; i--) { // Count zeroes for (var k = 0; i >= 0 && naf[i] === 0; i--, ++k); if (i >= 0) k += 1; acc = acc.dblp(k); if (i < 0) break; // J +- P var z = naf[i]; if (z > 0) { acc = acc.mixedAdd(points[z - 1 >> 1]); } else { acc = acc.mixedAdd(points[-z - 1 >> 1].neg()); } } return ECPoint.fromECJPoint(acc); }; ECPoint.prototype._getNAFPoints1 = function () { return { wnd: 1, points: [this] }; }; ECPoint.prototype._getNAFPoints = function (wnd) { var points = new Array((1 << wnd) - 1); points[0] = this; var dbl = this.dbl(); for (var i = 1; i < points.length; ++i) points[i] = points[i - 1].add(dbl); return { wnd: wnd, points: points }; }; module.exports = ECPoint; /***/ }), /* 149 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var BN = __webpack_require__(52); function ECJPoint(x, y, z) { if (x === null && y === null && z === null) { this.x = ECJPoint.one; this.y = ECJPoint.one; this.z = ECJPoint.zero; } else { this.x = x; this.y = y; this.z = z; } this.zOne = this.z === ECJPoint.one; } ECJPoint.zero = BN.fromNumber(0); ECJPoint.one = BN.fromNumber(1); ECJPoint.prototype.neg = function () { if (this.inf) return this; return new ECJPoint(this.x, this.y.redNeg(), this.z); }; ECJPoint.prototype.add = function (p) { // O + P = P if (this.inf) return p; // P + O = P if (p.inf) return this; // http://hyperelliptic.org/EFD/g1p/auto-shortw-jacobian-0.html#addition-add-1998-cmo-2 // 12M + 4S + 7A var pz2 = p.z.redSqr(); var z2 = this.z.redSqr(); var u1 = this.x.redMul(pz2); var u2 = p.x.redMul(z2); var s1 = this.y.redMul(pz2).redMul(p.z); var s2 = p.y.redMul(z2).redMul(this.z); var h = u1.redSub(u2); var r = s1.redSub(s2); if (h.isZero()) { if (r.isZero()) return this.dbl(); return new ECJPoint(null, null, null); } var h2 = h.redSqr(); var v = u1.redMul(h2); var h3 = h2.redMul(h); var nx = r.redSqr().redIAdd(h3).redISub(v).redISub(v); var ny = r.redMul(v.redISub(nx)).redISub(s1.redMul(h3)); var nz = this.z.redMul(p.z).redMul(h); return new ECJPoint(nx, ny, nz); }; ECJPoint.prototype.mixedAdd = function (p) { // O + P = P if (this.inf) return p.toECJPoint(); // P + O = P if (p.inf) return this; // http://hyperelliptic.org/EFD/g1p/auto-shortw-jacobian-0.html#addition-add-1998-cmo-2 // with p.z = 1 // 8M + 3S + 7A var z2 = this.z.redSqr(); var u1 = this.x; var u2 = p.x.redMul(z2); var s1 = this.y; var s2 = p.y.redMul(z2).redMul(this.z); var h = u1.redSub(u2); var r = s1.redSub(s2); if (h.isZero()) { if (r.isZero()) return this.dbl(); return new ECJPoint(null, null, null); } var h2 = h.redSqr(); var v = u1.redMul(h2); var h3 = h2.redMul(h); var nx = r.redSqr().redIAdd(h3).redISub(v).redISub(v); var ny = r.redMul(v.redISub(nx)).redISub(s1.redMul(h3)); var nz = this.z.redMul(h); return new ECJPoint(nx, ny, nz); }; ECJPoint.prototype.dbl = function () { if (this.inf) return this; var nx; var ny; var nz; // Z = 1 if (this.zOne) { // http://hyperelliptic.org/EFD/g1p/auto-shortw-jacobian-0.html#doubling-mdbl-2007-bl // 1M + 5S + 6A + 3*2 + 1*3 + 1*8 // XX = X1^2 var xx = this.x.redSqr(); // YY = Y1^2 var yy = this.y.redSqr(); // YYYY = YY^2 var yyyy = yy.redSqr(); // S = 2 * ((X1 + YY)^2 - XX - YYYY) var s = this.x.redAdd(yy).redSqr().redISub(xx).redISub(yyyy); s = s.redIAdd(s); // M = 3 * XX var m = xx.redAdd(xx).redIAdd(xx); // T = M ^ 2 - 2*S var t = m.redSqr().redISub(s).redISub(s); // 8 * YYYY var yyyy8 = yyyy.redIAdd(yyyy).redIAdd(yyyy).redIAdd(yyyy); // X3 = T nx = t; // Y3 = M * (S - T) - 8 * YYYY ny = m.redMul(s.redISub(t)).redISub(yyyy8); // Z3 = 2*Y1 nz = this.y.redAdd(this.y); } else { // http://hyperelliptic.org/EFD/g1p/auto-shortw-jacobian-0.html#doubling-dbl-2009-l // 2M + 5S + 6A + 3*2 + 1*3 + 1*8 // A = X1^2 var a = this.x.redSqr(); // B = Y1^2 var b = this.y.redSqr(); // C = B^2 var c = b.redSqr(); // D = 2 * ((X1 + B)^2 - A - C) var d = this.x.redAdd(b).redSqr().redISub(a).redISub(c); d = d.redIAdd(d); // E = 3 * A var e = a.redAdd(a).redIAdd(a); // F = E^2 var f = e.redSqr(); // 8 * C var c8 = c.redIAdd(c).redIAdd(c).redIAdd(c); // X3 = F - 2 * D nx = f.redISub(d).redISub(d); // Y3 = E * (D - X3) - 8 * C ny = e.redMul(d.redISub(nx)).redISub(c8); // Z3 = 2 * Y1 * Z1 nz = this.y.redMul(this.z); nz = nz.redIAdd(nz); } return new ECJPoint(nx, ny, nz); }; ECJPoint.prototype.dblp = function (pow) { if (pow === 0 || this.inf) return this; var point = this; for (var i = 0; i < pow; i++) point = point.dbl(); return point; }; Object.defineProperty(ECJPoint.prototype, 'inf', { enumerable: true, get: function get() { return this.z.isZero(); } }); module.exports = ECJPoint; /***/ }), /* 150 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Checks if `value` is the * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types) * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`) * * @static * @memberOf _ * @since 0.1.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is an object, else `false`. * @example * * _.isObject({}); * // => true * * _.isObject([1, 2, 3]); * // => true * * _.isObject(_.noop); * // => true * * _.isObject(null); * // => false */ function isObject(value) { var type = typeof value; return value != null && (type == 'object' || type == 'function'); } module.exports = isObject; /***/ }), /* 151 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = function (tasks, callback) { callback = (0, _once2.default)(callback || _noop2.default); if (!(0, _isArray2.default)(tasks)) return callback(new Error('First argument to waterfall must be an array of functions')); if (!tasks.length) return callback(); var taskIndex = 0; function nextTask(args) { var task = (0, _wrapAsync2.default)(tasks[taskIndex++]); args.push((0, _onlyOnce2.default)(next)); task.apply(null, args); } function next(err /*, ...args*/ ) { if (err || taskIndex === tasks.length) { return callback.apply(null, arguments); } nextTask((0, _slice2.default)(arguments, 1)); } nextTask([]); }; var _isArray = __webpack_require__(152); var _isArray2 = _interopRequireDefault(_isArray); var _noop = __webpack_require__(86); var _noop2 = _interopRequireDefault(_noop); var _once = __webpack_require__(153); var _once2 = _interopRequireDefault(_once); var _slice = __webpack_require__(50); var _slice2 = _interopRequireDefault(_slice); var _onlyOnce = __webpack_require__(87); var _onlyOnce2 = _interopRequireDefault(_onlyOnce); var _wrapAsync = __webpack_require__(88); var _wrapAsync2 = _interopRequireDefault(_wrapAsync); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } module.exports = exports['default']; /** * Runs the `tasks` array of functions in series, each passing their results to * the next in the array. However, if any of the `tasks` pass an error to their * own callback, the next function is not executed, and the main `callback` is * immediately called with the error. * * @name waterfall * @static * @memberOf module:ControlFlow * @method * @category Control Flow * @param {Array} tasks - An array of [async functions]{@link AsyncFunction} * to run. * Each function should complete with any number of `result` values. * The `result` values will be passed as arguments, in order, to the next task. * @param {Function} [callback] - An optional callback to run once all the * functions have completed. This will be passed the results of the last task's * callback. Invoked with (err, [results]). * @returns undefined * @example * * async.waterfall([ * function(callback) { * callback(null, 'one', 'two'); * }, * function(arg1, arg2, callback) { * // arg1 now equals 'one' and arg2 now equals 'two' * callback(null, 'three'); * }, * function(arg1, callback) { * // arg1 now equals 'three' * callback(null, 'done'); * } * ], function (err, result) { * // result now equals 'done' * }); * * // Or, with named functions: * async.waterfall([ * myFirstFunction, * mySecondFunction, * myLastFunction, * ], function (err, result) { * // result now equals 'done' * }); * function myFirstFunction(callback) { * callback(null, 'one', 'two'); * } * function mySecondFunction(arg1, arg2, callback) { * // arg1 now equals 'one' and arg2 now equals 'two' * callback(null, 'three'); * } * function myLastFunction(arg1, callback) { * // arg1 now equals 'three' * callback(null, 'done'); * } */ /***/ }), /* 152 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Checks if `value` is classified as an `Array` object. * * @static * @memberOf _ * @since 0.1.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is an array, else `false`. * @example * * _.isArray([1, 2, 3]); * // => true * * _.isArray(document.body.children); * // => false * * _.isArray('abc'); * // => false * * _.isArray(_.noop); * // => false */ var isArray = Array.isArray; module.exports = isArray; /***/ }), /* 153 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = once; function once(fn) { return function () { if (fn === null) return; var callFn = fn; fn = null; callFn.apply(this, arguments); }; } module.exports = exports["default"]; /***/ }), /* 154 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const multiaddr = __webpack_require__(15); function ensureMultiaddr(ma) { if (multiaddr.isMultiaddr(ma)) { return ma; } return multiaddr(ma); } module.exports = { ensureMultiaddr: ensureMultiaddr }; /***/ }), /* 155 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const promisify = __webpack_require__(1); const ConcatStream = __webpack_require__(42); const once = __webpack_require__(16); const { isSource } = __webpack_require__(90); const FileResultStreamConverter = __webpack_require__(25); const SendFilesStream = __webpack_require__(33); const validateAddInput = __webpack_require__(362); module.exports = send => { const createAddStream = SendFilesStream(send, 'add'); const add = promisify((_files, options, _callback) => { if (typeof options === 'function') { _callback = options; options = null; } const callback = once(_callback); if (!options) { options = {}; } options.converter = FileResultStreamConverter; try { validateAddInput(_files); } catch (err) { return callback(err); } const files = [].concat(_files); const stream = createAddStream({ qs: options }); const concat = ConcatStream(result => callback(null, result)); stream.once('error', callback); stream.pipe(concat); files.forEach(file => stream.write(file)); stream.end(); }); return function () { const args = Array.from(arguments); // If we files.add(), then promisify thinks the pull stream is // a callback! Add an empty options object in this case so that a promise // is returned. if (args.length === 1 && isSource(args[0])) { args.push({}); } return add.apply(null, args); }; }; /***/ }), /* 156 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global, process) {// Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. module.exports = Readable; /**/ var Duplex; /**/ Readable.ReadableState = ReadableState; /**/ var EE = __webpack_require__(39).EventEmitter; var EElistenerCount = function EElistenerCount(emitter, type) { return emitter.listeners(type).length; }; /**/ /**/ var Stream = __webpack_require__(157); /**/ var Buffer = __webpack_require__(0).Buffer; var OurUint8Array = global.Uint8Array || function () {}; function _uint8ArrayToBuffer(chunk) { return Buffer.from(chunk); } function _isUint8Array(obj) { return Buffer.isBuffer(obj) || obj instanceof OurUint8Array; } /**/ var debugUtil = __webpack_require__(319); var debug; if (debugUtil && debugUtil.debuglog) { debug = debugUtil.debuglog('stream'); } else { debug = function debug() {}; } /**/ var BufferList = __webpack_require__(320); var destroyImpl = __webpack_require__(158); var _require = __webpack_require__(159), getHighWaterMark = _require.getHighWaterMark; var _require$codes = __webpack_require__(31).codes, ERR_INVALID_ARG_TYPE = _require$codes.ERR_INVALID_ARG_TYPE, ERR_STREAM_PUSH_AFTER_EOF = _require$codes.ERR_STREAM_PUSH_AFTER_EOF, ERR_METHOD_NOT_IMPLEMENTED = _require$codes.ERR_METHOD_NOT_IMPLEMENTED, ERR_STREAM_UNSHIFT_AFTER_END_EVENT = _require$codes.ERR_STREAM_UNSHIFT_AFTER_END_EVENT; var _require2 = __webpack_require__(322), emitExperimentalWarning = _require2.emitExperimentalWarning; // Lazy loaded to improve the startup performance. var StringDecoder; var createReadableStreamAsyncIterator; __webpack_require__(2)(Readable, Stream); var kProxyEvents = ['error', 'close', 'destroy', 'pause', 'resume']; function prependListener(emitter, event, fn) { // Sadly this is not cacheable as some libraries bundle their own // event emitter implementation with them. if (typeof emitter.prependListener === 'function') return emitter.prependListener(event, fn); // This is a hack to make sure that our error handler is attached before any // userland ones. NEVER DO THIS. This is here only because this code needs // to continue to work with older versions of Node.js that do not include // the prependListener() method. The goal is to eventually remove this hack. if (!emitter._events || !emitter._events[event]) emitter.on(event, fn);else if (Array.isArray(emitter._events[event])) emitter._events[event].unshift(fn);else emitter._events[event] = [fn, emitter._events[event]]; } function ReadableState(options, stream, isDuplex) { Duplex = Duplex || __webpack_require__(32); options = options || {}; // Duplex streams are both readable and writable, but share // the same options object. // However, some cases require setting options to different // values for the readable and the writable sides of the duplex stream. // These options can be provided separately as readableXXX and writableXXX. if (typeof isDuplex !== 'boolean') isDuplex = stream instanceof Duplex; // object stream flag. Used to make read(n) ignore n and to // make all the buffer merging and length checks go away this.objectMode = !!options.objectMode; if (isDuplex) this.objectMode = this.objectMode || !!options.readableObjectMode; // the point at which it stops calling _read() to fill the buffer // Note: 0 is a valid value, means "don't call _read preemptively ever" this.highWaterMark = getHighWaterMark(this, options, 'readableHighWaterMark', isDuplex); // A linked list is used to store data chunks instead of an array because the // linked list can remove elements from the beginning faster than // array.shift() this.buffer = new BufferList(); this.length = 0; this.pipes = null; this.pipesCount = 0; this.flowing = null; this.ended = false; this.endEmitted = false; this.reading = false; // a flag to be able to tell if the event 'readable'/'data' is emitted // immediately, or on a later tick. We set this to true at first, because // any actions that shouldn't happen until "later" should generally also // not happen before the first read call. this.sync = true; // whenever we return null, then we set a flag to say // that we're awaiting a 'readable' event emission. this.needReadable = false; this.emittedReadable = false; this.readableListening = false; this.resumeScheduled = false; this.paused = true; // Should close be emitted on destroy. Defaults to true. this.emitClose = options.emitClose !== false; // has it been destroyed this.destroyed = false; // Crypto is kind of old and crusty. Historically, its default string // encoding is 'binary' so we have to make this configurable. // Everything else in the universe uses 'utf8', though. this.defaultEncoding = options.defaultEncoding || 'utf8'; // the number of writers that are awaiting a drain event in .pipe()s this.awaitDrain = 0; // if true, a maybeReadMore has been scheduled this.readingMore = false; this.decoder = null; this.encoding = null; if (options.encoding) { if (!StringDecoder) StringDecoder = __webpack_require__(24).StringDecoder; this.decoder = new StringDecoder(options.encoding); this.encoding = options.encoding; } } function Readable(options) { Duplex = Duplex || __webpack_require__(32); if (!(this instanceof Readable)) return new Readable(options); // Checking for a Stream.Duplex instance is faster here instead of inside // the ReadableState constructor, at least with V8 6.5 var isDuplex = this instanceof Duplex; this._readableState = new ReadableState(options, this, isDuplex); // legacy this.readable = true; if (options) { if (typeof options.read === 'function') this._read = options.read; if (typeof options.destroy === 'function') this._destroy = options.destroy; } Stream.call(this); } Object.defineProperty(Readable.prototype, 'destroyed', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { if (this._readableState === undefined) { return false; } return this._readableState.destroyed; }, set: function set(value) { // we ignore the value if the stream // has not been initialized yet if (!this._readableState) { return; } // backward compatibility, the user is explicitly // managing destroyed this._readableState.destroyed = value; } }); Readable.prototype.destroy = destroyImpl.destroy; Readable.prototype._undestroy = destroyImpl.undestroy; Readable.prototype._destroy = function (err, cb) { cb(err); }; // Manually shove something into the read() buffer. // This returns true if the highWaterMark has not been hit yet, // similar to how Writable.write() returns true if you should // write() some more. Readable.prototype.push = function (chunk, encoding) { var state = this._readableState; var skipChunkCheck; if (!state.objectMode) { if (typeof chunk === 'string') { encoding = encoding || state.defaultEncoding; if (encoding !== state.encoding) { chunk = Buffer.from(chunk, encoding); encoding = ''; } skipChunkCheck = true; } } else { skipChunkCheck = true; } return readableAddChunk(this, chunk, encoding, false, skipChunkCheck); }; // Unshift should *always* be something directly out of read() Readable.prototype.unshift = function (chunk) { return readableAddChunk(this, chunk, null, true, false); }; function readableAddChunk(stream, chunk, encoding, addToFront, skipChunkCheck) { debug('readableAddChunk', chunk); var state = stream._readableState; if (chunk === null) { state.reading = false; onEofChunk(stream, state); } else { var er; if (!skipChunkCheck) er = chunkInvalid(state, chunk); if (er) { stream.emit('error', er); } else if (state.objectMode || chunk && chunk.length > 0) { if (typeof chunk !== 'string' && !state.objectMode && Object.getPrototypeOf(chunk) !== Buffer.prototype) { chunk = _uint8ArrayToBuffer(chunk); } if (addToFront) { if (state.endEmitted) stream.emit('error', new ERR_STREAM_UNSHIFT_AFTER_END_EVENT());else addChunk(stream, state, chunk, true); } else if (state.ended) { stream.emit('error', new ERR_STREAM_PUSH_AFTER_EOF()); } else if (state.destroyed) { return false; } else { state.reading = false; if (state.decoder && !encoding) { chunk = state.decoder.write(chunk); if (state.objectMode || chunk.length !== 0) addChunk(stream, state, chunk, false);else maybeReadMore(stream, state); } else { addChunk(stream, state, chunk, false); } } } else if (!addToFront) { state.reading = false; maybeReadMore(stream, state); } } // We can push more data if we are below the highWaterMark. // Also, if we have no data yet, we can stand some more bytes. // This is to work around cases where hwm=0, such as the repl. return !state.ended && (state.length < state.highWaterMark || state.length === 0); } function addChunk(stream, state, chunk, addToFront) { if (state.flowing && state.length === 0 && !state.sync) { state.awaitDrain = 0; stream.emit('data', chunk); } else { // update the buffer info. state.length += state.objectMode ? 1 : chunk.length; if (addToFront) state.buffer.unshift(chunk);else state.buffer.push(chunk); if (state.needReadable) emitReadable(stream); } maybeReadMore(stream, state); } function chunkInvalid(state, chunk) { var er; if (!_isUint8Array(chunk) && typeof chunk !== 'string' && chunk !== undefined && !state.objectMode) { er = new ERR_INVALID_ARG_TYPE('chunk', ['string', 'Buffer', 'Uint8Array'], chunk); } return er; } Readable.prototype.isPaused = function () { return this._readableState.flowing === false; }; // backwards compatibility. Readable.prototype.setEncoding = function (enc) { if (!StringDecoder) StringDecoder = __webpack_require__(24).StringDecoder; this._readableState.decoder = new StringDecoder(enc); // if setEncoding(null), decoder.encoding equals utf8 this._readableState.encoding = this._readableState.decoder.encoding; return this; }; // Don't raise the hwm > 8MB var MAX_HWM = 0x800000; function computeNewHighWaterMark(n) { if (n >= MAX_HWM) { n = MAX_HWM; } else { // Get the next highest power of 2 to prevent increasing hwm excessively in // tiny amounts n--; n |= n >>> 1; n |= n >>> 2; n |= n >>> 4; n |= n >>> 8; n |= n >>> 16; n++; } return n; } // This function is designed to be inlinable, so please take care when making // changes to the function body. function howMuchToRead(n, state) { if (n <= 0 || state.length === 0 && state.ended) return 0; if (state.objectMode) return 1; if (n !== n) { // Only flow one buffer at a time if (state.flowing && state.length) return state.buffer.head.data.length;else return state.length; } // If we're asking for more than the current hwm, then raise the hwm. if (n > state.highWaterMark) state.highWaterMark = computeNewHighWaterMark(n); if (n <= state.length) return n; // Don't have enough if (!state.ended) { state.needReadable = true; return 0; } return state.length; } // you can override either this method, or the async _read(n) below. Readable.prototype.read = function (n) { debug('read', n); n = parseInt(n, 10); var state = this._readableState; var nOrig = n; if (n !== 0) state.emittedReadable = false; // if we're doing read(0) to trigger a readable event, but we // already have a bunch of data in the buffer, then just trigger // the 'readable' event and move on. if (n === 0 && state.needReadable && ((state.highWaterMark !== 0 ? state.length >= state.highWaterMark : state.length > 0) || state.ended)) { debug('read: emitReadable', state.length, state.ended); if (state.length === 0 && state.ended) endReadable(this);else emitReadable(this); return null; } n = howMuchToRead(n, state); // if we've ended, and we're now clear, then finish it up. if (n === 0 && state.ended) { if (state.length === 0) endReadable(this); return null; } // All the actual chunk generation logic needs to be // *below* the call to _read. The reason is that in certain // synthetic stream cases, such as passthrough streams, _read // may be a completely synchronous operation which may change // the state of the read buffer, providing enough data when // before there was *not* enough. // // So, the steps are: // 1. Figure out what the state of things will be after we do // a read from the buffer. // // 2. If that resulting state will trigger a _read, then call _read. // Note that this may be asynchronous, or synchronous. Yes, it is // deeply ugly to write APIs this way, but that still doesn't mean // that the Readable class should behave improperly, as streams are // designed to be sync/async agnostic. // Take note if the _read call is sync or async (ie, if the read call // has returned yet), so that we know whether or not it's safe to emit // 'readable' etc. // // 3. Actually pull the requested chunks out of the buffer and return. // if we need a readable event, then we need to do some reading. var doRead = state.needReadable; debug('need readable', doRead); // if we currently have less than the highWaterMark, then also read some if (state.length === 0 || state.length - n < state.highWaterMark) { doRead = true; debug('length less than watermark', doRead); } // however, if we've ended, then there's no point, and if we're already // reading, then it's unnecessary. if (state.ended || state.reading) { doRead = false; debug('reading or ended', doRead); } else if (doRead) { debug('do read'); state.reading = true; state.sync = true; // if the length is currently zero, then we *need* a readable event. if (state.length === 0) state.needReadable = true; // call internal read method this._read(state.highWaterMark); state.sync = false; // If _read pushed data synchronously, then `reading` will be false, // and we need to re-evaluate how much data we can return to the user. if (!state.reading) n = howMuchToRead(nOrig, state); } var ret; if (n > 0) ret = fromList(n, state);else ret = null; if (ret === null) { state.needReadable = true; n = 0; } else { state.length -= n; state.awaitDrain = 0; } if (state.length === 0) { // If we have nothing in the buffer, then we want to know // as soon as we *do* get something into the buffer. if (!state.ended) state.needReadable = true; // If we tried to read() past the EOF, then emit end on the next tick. if (nOrig !== n && state.ended) endReadable(this); } if (ret !== null) this.emit('data', ret); return ret; }; function onEofChunk(stream, state) { if (state.ended) return; if (state.decoder) { var chunk = state.decoder.end(); if (chunk && chunk.length) { state.buffer.push(chunk); state.length += state.objectMode ? 1 : chunk.length; } } state.ended = true; if (state.sync) { // if we are sync, wait until next tick to emit the data. // Otherwise we risk emitting data in the flow() // the readable code triggers during a read() call emitReadable(stream); } else { // emit 'readable' now to make sure it gets picked up. state.needReadable = false; if (!state.emittedReadable) { state.emittedReadable = true; emitReadable_(stream); } } } // Don't emit readable right away in sync mode, because this can trigger // another read() call => stack overflow. This way, it might trigger // a nextTick recursion warning, but that's not so bad. function emitReadable(stream) { var state = stream._readableState; state.needReadable = false; if (!state.emittedReadable) { debug('emitReadable', state.flowing); state.emittedReadable = true; process.nextTick(emitReadable_, stream); } } function emitReadable_(stream) { var state = stream._readableState; debug('emitReadable_', state.destroyed, state.length, state.ended); if (!state.destroyed && (state.length || state.ended)) { stream.emit('readable'); } // The stream needs another readable event if // 1. It is not flowing, as the flow mechanism will take // care of it. // 2. It is not ended. // 3. It is below the highWaterMark, so we can schedule // another readable later. state.needReadable = !state.flowing && !state.ended && state.length <= state.highWaterMark; flow(stream); } // at this point, the user has presumably seen the 'readable' event, // and called read() to consume some data. that may have triggered // in turn another _read(n) call, in which case reading = true if // it's in progress. // However, if we're not ended, or reading, and the length < hwm, // then go ahead and try to read some more preemptively. function maybeReadMore(stream, state) { if (!state.readingMore) { state.readingMore = true; process.nextTick(maybeReadMore_, stream, state); } } function maybeReadMore_(stream, state) { // Attempt to read more data if we should. // // The conditions for reading more data are (one of): // - Not enough data buffered (state.length < state.highWaterMark). The loop // is responsible for filling the buffer with enough data if such data // is available. If highWaterMark is 0 and we are not in the flowing mode // we should _not_ attempt to buffer any extra data. We'll get more data // when the stream consumer calls read() instead. // - No data in the buffer, and the stream is in flowing mode. In this mode // the loop below is responsible for ensuring read() is called. Failing to // call read here would abort the flow and there's no other mechanism for // continuing the flow if the stream consumer has just subscribed to the // 'data' event. // // In addition to the above conditions to keep reading data, the following // conditions prevent the data from being read: // - The stream has ended (state.ended). // - There is already a pending 'read' operation (state.reading). This is a // case where the the stream has called the implementation defined _read() // method, but they are processing the call asynchronously and have _not_ // called push() with new data. In this case we skip performing more // read()s. The execution ends in this method again after the _read() ends // up calling push() with more data. while (!state.reading && !state.ended && (state.length < state.highWaterMark || state.flowing && state.length === 0)) { var len = state.length; debug('maybeReadMore read 0'); stream.read(0); if (len === state.length) // didn't get any data, stop spinning. break; } state.readingMore = false; } // abstract method. to be overridden in specific implementation classes. // call cb(er, data) where data is <= n in length. // for virtual (non-string, non-buffer) streams, "length" is somewhat // arbitrary, and perhaps not very meaningful. Readable.prototype._read = function (n) { this.emit('error', new ERR_METHOD_NOT_IMPLEMENTED('_read()')); }; Readable.prototype.pipe = function (dest, pipeOpts) { var src = this; var state = this._readableState; switch (state.pipesCount) { case 0: state.pipes = dest; break; case 1: state.pipes = [state.pipes, dest]; break; default: state.pipes.push(dest); break; } state.pipesCount += 1; debug('pipe count=%d opts=%j', state.pipesCount, pipeOpts); var doEnd = (!pipeOpts || pipeOpts.end !== false) && dest !== process.stdout && dest !== process.stderr; var endFn = doEnd ? onend : unpipe; if (state.endEmitted) process.nextTick(endFn);else src.once('end', endFn); dest.on('unpipe', onunpipe); function onunpipe(readable, unpipeInfo) { debug('onunpipe'); if (readable === src) { if (unpipeInfo && unpipeInfo.hasUnpiped === false) { unpipeInfo.hasUnpiped = true; cleanup(); } } } function onend() { debug('onend'); dest.end(); } // when the dest drains, it reduces the awaitDrain counter // on the source. This would be more elegant with a .once() // handler in flow(), but adding and removing repeatedly is // too slow. var ondrain = pipeOnDrain(src); dest.on('drain', ondrain); var cleanedUp = false; function cleanup() { debug('cleanup'); // cleanup event handlers once the pipe is broken dest.removeListener('close', onclose); dest.removeListener('finish', onfinish); dest.removeListener('drain', ondrain); dest.removeListener('error', onerror); dest.removeListener('unpipe', onunpipe); src.removeListener('end', onend); src.removeListener('end', unpipe); src.removeListener('data', ondata); cleanedUp = true; // if the reader is waiting for a drain event from this // specific writer, then it would cause it to never start // flowing again. // So, if this is awaiting a drain, then we just call it now. // If we don't know, then assume that we are waiting for one. if (state.awaitDrain && (!dest._writableState || dest._writableState.needDrain)) ondrain(); } src.on('data', ondata); function ondata(chunk) { debug('ondata'); var ret = dest.write(chunk); debug('dest.write', ret); if (ret === false) { // If the user unpiped during `dest.write()`, it is possible // to get stuck in a permanently paused state if that write // also returned false. // => Check whether `dest` is still a piping destination. if ((state.pipesCount === 1 && state.pipes === dest || state.pipesCount > 1 && indexOf(state.pipes, dest) !== -1) && !cleanedUp) { debug('false write response, pause', state.awaitDrain); state.awaitDrain++; } src.pause(); } } // if the dest has an error, then stop piping into it. // however, don't suppress the throwing behavior for this. function onerror(er) { debug('onerror', er); unpipe(); dest.removeListener('error', onerror); if (EElistenerCount(dest, 'error') === 0) dest.emit('error', er); } // Make sure our error handler is attached before userland ones. prependListener(dest, 'error', onerror); // Both close and finish should trigger unpipe, but only once. function onclose() { dest.removeListener('finish', onfinish); unpipe(); } dest.once('close', onclose); function onfinish() { debug('onfinish'); dest.removeListener('close', onclose); unpipe(); } dest.once('finish', onfinish); function unpipe() { debug('unpipe'); src.unpipe(dest); } // tell the dest that it's being piped to dest.emit('pipe', src); // start the flow if it hasn't been started already. if (!state.flowing) { debug('pipe resume'); src.resume(); } return dest; }; function pipeOnDrain(src) { return function pipeOnDrainFunctionResult() { var state = src._readableState; debug('pipeOnDrain', state.awaitDrain); if (state.awaitDrain) state.awaitDrain--; if (state.awaitDrain === 0 && EElistenerCount(src, 'data')) { state.flowing = true; flow(src); } }; } Readable.prototype.unpipe = function (dest) { var state = this._readableState; var unpipeInfo = { hasUnpiped: false }; // if we're not piping anywhere, then do nothing. if (state.pipesCount === 0) return this; // just one destination. most common case. if (state.pipesCount === 1) { // passed in one, but it's not the right one. if (dest && dest !== state.pipes) return this; if (!dest) dest = state.pipes; // got a match. state.pipes = null; state.pipesCount = 0; state.flowing = false; if (dest) dest.emit('unpipe', this, unpipeInfo); return this; } // slow case. multiple pipe destinations. if (!dest) { // remove all. var dests = state.pipes; var len = state.pipesCount; state.pipes = null; state.pipesCount = 0; state.flowing = false; for (var i = 0; i < len; i++) { dests[i].emit('unpipe', this, { hasUnpiped: false }); } return this; } // try to find the right one. var index = indexOf(state.pipes, dest); if (index === -1) return this; state.pipes.splice(index, 1); state.pipesCount -= 1; if (state.pipesCount === 1) state.pipes = state.pipes[0]; dest.emit('unpipe', this, unpipeInfo); return this; }; // set up data events if they are asked for // Ensure readable listeners eventually get something Readable.prototype.on = function (ev, fn) { var res = Stream.prototype.on.call(this, ev, fn); var state = this._readableState; if (ev === 'data') { // update readableListening so that resume() may be a no-op // a few lines down. This is needed to support once('readable'). state.readableListening = this.listenerCount('readable') > 0; // Try start flowing on next tick if stream isn't explicitly paused if (state.flowing !== false) this.resume(); } else if (ev === 'readable') { if (!state.endEmitted && !state.readableListening) { state.readableListening = state.needReadable = true; state.flowing = false; state.emittedReadable = false; debug('on readable', state.length, state.reading); if (state.length) { emitReadable(this); } else if (!state.reading) { process.nextTick(nReadingNextTick, this); } } } return res; }; Readable.prototype.addListener = Readable.prototype.on; Readable.prototype.removeListener = function (ev, fn) { var res = Stream.prototype.removeListener.call(this, ev, fn); if (ev === 'readable') { // We need to check if there is someone still listening to // readable and reset the state. However this needs to happen // after readable has been emitted but before I/O (nextTick) to // support once('readable', fn) cycles. This means that calling // resume within the same tick will have no // effect. process.nextTick(updateReadableListening, this); } return res; }; Readable.prototype.removeAllListeners = function (ev) { var res = Stream.prototype.removeAllListeners.apply(this, arguments); if (ev === 'readable' || ev === undefined) { // We need to check if there is someone still listening to // readable and reset the state. However this needs to happen // after readable has been emitted but before I/O (nextTick) to // support once('readable', fn) cycles. This means that calling // resume within the same tick will have no // effect. process.nextTick(updateReadableListening, this); } return res; }; function updateReadableListening(self) { var state = self._readableState; state.readableListening = self.listenerCount('readable') > 0; if (state.resumeScheduled && !state.paused) { // flowing needs to be set to true now, otherwise // the upcoming resume will not flow. state.flowing = true; // crude way to check if we should resume } else if (self.listenerCount('data') > 0) { self.resume(); } } function nReadingNextTick(self) { debug('readable nexttick read 0'); self.read(0); } // pause() and resume() are remnants of the legacy readable stream API // If the user uses them, then switch into old mode. Readable.prototype.resume = function () { var state = this._readableState; if (!state.flowing) { debug('resume'); // we flow only if there is no one listening // for readable, but we still have to call // resume() state.flowing = !state.readableListening; resume(this, state); } state.paused = false; return this; }; function resume(stream, state) { if (!state.resumeScheduled) { state.resumeScheduled = true; process.nextTick(resume_, stream, state); } } function resume_(stream, state) { debug('resume', state.reading); if (!state.reading) { stream.read(0); } state.resumeScheduled = false; stream.emit('resume'); flow(stream); if (state.flowing && !state.reading) stream.read(0); } Readable.prototype.pause = function () { debug('call pause flowing=%j', this._readableState.flowing); if (this._readableState.flowing !== false) { debug('pause'); this._readableState.flowing = false; this.emit('pause'); } this._readableState.paused = true; return this; }; function flow(stream) { var state = stream._readableState; debug('flow', state.flowing); while (state.flowing && stream.read() !== null) { ; } } // wrap an old-style stream as the async data source. // This is *not* part of the readable stream interface. // It is an ugly unfortunate mess of history. Readable.prototype.wrap = function (stream) { var _this = this; var state = this._readableState; var paused = false; stream.on('end', function () { debug('wrapped end'); if (state.decoder && !state.ended) { var chunk = state.decoder.end(); if (chunk && chunk.length) _this.push(chunk); } _this.push(null); }); stream.on('data', function (chunk) { debug('wrapped data'); if (state.decoder) chunk = state.decoder.write(chunk); // don't skip over falsy values in objectMode if (state.objectMode && (chunk === null || chunk === undefined)) return;else if (!state.objectMode && (!chunk || !chunk.length)) return; var ret = _this.push(chunk); if (!ret) { paused = true; stream.pause(); } }); // proxy all the other methods. // important when wrapping filters and duplexes. for (var i in stream) { if (this[i] === undefined && typeof stream[i] === 'function') { this[i] = function methodWrap(method) { return function methodWrapReturnFunction() { return stream[method].apply(stream, arguments); }; }(i); } } // proxy certain important events. for (var n = 0; n < kProxyEvents.length; n++) { stream.on(kProxyEvents[n], this.emit.bind(this, kProxyEvents[n])); } // when we try to consume some more bytes, simply unpause the // underlying stream. this._read = function (n) { debug('wrapped _read', n); if (paused) { paused = false; stream.resume(); } }; return this; }; if (typeof Symbol === 'function') { Readable.prototype[Symbol.asyncIterator] = function () { emitExperimentalWarning('Readable[Symbol.asyncIterator]'); if (createReadableStreamAsyncIterator === undefined) { createReadableStreamAsyncIterator = __webpack_require__(323); } return createReadableStreamAsyncIterator(this); }; } Object.defineProperty(Readable.prototype, 'readableHighWaterMark', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._readableState.highWaterMark; } }); Object.defineProperty(Readable.prototype, 'readableBuffer', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._readableState && this._readableState.buffer; } }); Object.defineProperty(Readable.prototype, 'readableFlowing', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._readableState.flowing; }, set: function set(state) { if (this._readableState) { this._readableState.flowing = state; } } }); // exposed for testing purposes only. Readable._fromList = fromList; Object.defineProperty(Readable.prototype, 'readableLength', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._readableState.length; } }); // Pluck off n bytes from an array of buffers. // Length is the combined lengths of all the buffers in the list. // This function is designed to be inlinable, so please take care when making // changes to the function body. function fromList(n, state) { // nothing buffered if (state.length === 0) return null; var ret; if (state.objectMode) ret = state.buffer.shift();else if (!n || n >= state.length) { // read it all, truncate the list if (state.decoder) ret = state.buffer.join('');else if (state.buffer.length === 1) ret = state.buffer.first();else ret = state.buffer.concat(state.length); state.buffer.clear(); } else { // read part of list ret = state.buffer.consume(n, state.decoder); } return ret; } function endReadable(stream) { var state = stream._readableState; debug('endReadable', state.endEmitted); if (!state.endEmitted) { state.ended = true; process.nextTick(endReadableNT, state, stream); } } function endReadableNT(state, stream) { debug('endReadableNT', state.endEmitted, state.length); // Check that we didn't get one last unshift. if (!state.endEmitted && state.length === 0) { state.endEmitted = true; stream.readable = false; stream.emit('end'); } } function indexOf(xs, x) { for (var i = 0, l = xs.length; i < l; i++) { if (xs[i] === x) return i; } return -1; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10), __webpack_require__(4))) /***/ }), /* 157 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = __webpack_require__(39).EventEmitter; /***/ }), /* 158 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) { // undocumented cb() API, needed for core, not for public API function destroy(err, cb) { var _this = this; var readableDestroyed = this._readableState && this._readableState.destroyed; var writableDestroyed = this._writableState && this._writableState.destroyed; if (readableDestroyed || writableDestroyed) { if (cb) { cb(err); } else if (err && (!this._writableState || !this._writableState.errorEmitted)) { process.nextTick(emitErrorNT, this, err); } return this; } // we set destroyed to true before firing error callbacks in order // to make it re-entrance safe in case destroy() is called within callbacks if (this._readableState) { this._readableState.destroyed = true; } // if this is a duplex stream mark the writable part as destroyed as well if (this._writableState) { this._writableState.destroyed = true; } this._destroy(err || null, function (err) { if (!cb && err) { process.nextTick(emitErrorAndCloseNT, _this, err); if (_this._writableState) { _this._writableState.errorEmitted = true; } } else if (cb) { process.nextTick(emitCloseNT, _this); cb(err); } else { process.nextTick(emitCloseNT, _this); } }); return this; } function emitErrorAndCloseNT(self, err) { emitErrorNT(self, err); emitCloseNT(self); } function emitCloseNT(self) { if (self._writableState && !self._writableState.emitClose) return; if (self._readableState && !self._readableState.emitClose) return; self.emit('close'); } function undestroy() { if (this._readableState) { this._readableState.destroyed = false; this._readableState.reading = false; this._readableState.ended = false; this._readableState.endEmitted = false; } if (this._writableState) { this._writableState.destroyed = false; this._writableState.ended = false; this._writableState.ending = false; this._writableState.finalCalled = false; this._writableState.prefinished = false; this._writableState.finished = false; this._writableState.errorEmitted = false; } } function emitErrorNT(self, err) { self.emit('error', err); } module.exports = { destroy: destroy, undestroy: undestroy }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4))) /***/ }), /* 159 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var ERR_INVALID_OPT_VALUE = __webpack_require__(31).codes.ERR_INVALID_OPT_VALUE; function highWaterMarkFrom(options, isDuplex, duplexKey) { return options.highWaterMark != null ? options.highWaterMark : isDuplex ? options[duplexKey] : null; } function getHighWaterMark(state, options, duplexKey, isDuplex) { var hwm = highWaterMarkFrom(options, isDuplex, duplexKey); if (hwm != null) { if (!(isFinite(hwm) && Math.floor(hwm) === hwm) || hwm < 0) { var name = isDuplex ? duplexKey : 'highWaterMark'; throw new ERR_INVALID_OPT_VALUE(name, hwm); } return Math.floor(hwm); } // Default value return state.objectMode ? 16 : 16 * 1024; } module.exports = { getHighWaterMark: getHighWaterMark }; /***/ }), /* 160 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global, process) {// Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // A bit simpler than readable streams. // Implement an async ._write(chunk, encoding, cb), and it'll handle all // the drain event emission and buffering. module.exports = Writable; /* */ function WriteReq(chunk, encoding, cb) { this.chunk = chunk; this.encoding = encoding; this.callback = cb; this.next = null; } // It seems a linked list but it is not // there will be only 2 of these for each stream function CorkedRequest(state) { var _this = this; this.next = null; this.entry = null; this.finish = function () { onCorkedFinish(_this, state); }; } /* */ /**/ var Duplex; /**/ Writable.WritableState = WritableState; /**/ var internalUtil = { deprecate: __webpack_require__(142) }; /**/ /**/ var Stream = __webpack_require__(157); /**/ var Buffer = __webpack_require__(0).Buffer; var OurUint8Array = global.Uint8Array || function () {}; function _uint8ArrayToBuffer(chunk) { return Buffer.from(chunk); } function _isUint8Array(obj) { return Buffer.isBuffer(obj) || obj instanceof OurUint8Array; } var destroyImpl = __webpack_require__(158); var _require = __webpack_require__(159), getHighWaterMark = _require.getHighWaterMark; var _require$codes = __webpack_require__(31).codes, ERR_INVALID_ARG_TYPE = _require$codes.ERR_INVALID_ARG_TYPE, ERR_METHOD_NOT_IMPLEMENTED = _require$codes.ERR_METHOD_NOT_IMPLEMENTED, ERR_MULTIPLE_CALLBACK = _require$codes.ERR_MULTIPLE_CALLBACK, ERR_STREAM_CANNOT_PIPE = _require$codes.ERR_STREAM_CANNOT_PIPE, ERR_STREAM_DESTROYED = _require$codes.ERR_STREAM_DESTROYED, ERR_STREAM_NULL_VALUES = _require$codes.ERR_STREAM_NULL_VALUES, ERR_STREAM_WRITE_AFTER_END = _require$codes.ERR_STREAM_WRITE_AFTER_END, ERR_UNKNOWN_ENCODING = _require$codes.ERR_UNKNOWN_ENCODING; __webpack_require__(2)(Writable, Stream); function nop() {} function WritableState(options, stream, isDuplex) { Duplex = Duplex || __webpack_require__(32); options = options || {}; // Duplex streams are both readable and writable, but share // the same options object. // However, some cases require setting options to different // values for the readable and the writable sides of the duplex stream, // e.g. options.readableObjectMode vs. options.writableObjectMode, etc. if (typeof isDuplex !== 'boolean') isDuplex = stream instanceof Duplex; // object stream flag to indicate whether or not this stream // contains buffers or objects. this.objectMode = !!options.objectMode; if (isDuplex) this.objectMode = this.objectMode || !!options.writableObjectMode; // the point at which write() starts returning false // Note: 0 is a valid value, means that we always return false if // the entire buffer is not flushed immediately on write() this.highWaterMark = getHighWaterMark(this, options, 'writableHighWaterMark', isDuplex); // if _final has been called this.finalCalled = false; // drain event flag. this.needDrain = false; // at the start of calling end() this.ending = false; // when end() has been called, and returned this.ended = false; // when 'finish' is emitted this.finished = false; // has it been destroyed this.destroyed = false; // should we decode strings into buffers before passing to _write? // this is here so that some node-core streams can optimize string // handling at a lower level. var noDecode = options.decodeStrings === false; this.decodeStrings = !noDecode; // Crypto is kind of old and crusty. Historically, its default string // encoding is 'binary' so we have to make this configurable. // Everything else in the universe uses 'utf8', though. this.defaultEncoding = options.defaultEncoding || 'utf8'; // not an actual buffer we keep track of, but a measurement // of how much we're waiting to get pushed to some underlying // socket or file. this.length = 0; // a flag to see when we're in the middle of a write. this.writing = false; // when true all writes will be buffered until .uncork() call this.corked = 0; // a flag to be able to tell if the onwrite cb is called immediately, // or on a later tick. We set this to true at first, because any // actions that shouldn't happen until "later" should generally also // not happen before the first write call. this.sync = true; // a flag to know if we're processing previously buffered items, which // may call the _write() callback in the same tick, so that we don't // end up in an overlapped onwrite situation. this.bufferProcessing = false; // the callback that's passed to _write(chunk,cb) this.onwrite = function (er) { onwrite(stream, er); }; // the callback that the user supplies to write(chunk,encoding,cb) this.writecb = null; // the amount that is being written when _write is called. this.writelen = 0; this.bufferedRequest = null; this.lastBufferedRequest = null; // number of pending user-supplied write callbacks // this must be 0 before 'finish' can be emitted this.pendingcb = 0; // emit prefinish if the only thing we're waiting for is _write cbs // This is relevant for synchronous Transform streams this.prefinished = false; // True if the error was already emitted and should not be thrown again this.errorEmitted = false; // Should close be emitted on destroy. Defaults to true. this.emitClose = options.emitClose !== false; // count buffered requests this.bufferedRequestCount = 0; // allocate the first CorkedRequest, there is always // one allocated and free to use, and we maintain at most two this.corkedRequestsFree = new CorkedRequest(this); } WritableState.prototype.getBuffer = function getBuffer() { var current = this.bufferedRequest; var out = []; while (current) { out.push(current); current = current.next; } return out; }; (function () { try { Object.defineProperty(WritableState.prototype, 'buffer', { get: internalUtil.deprecate(function writableStateBufferGetter() { return this.getBuffer(); }, '_writableState.buffer is deprecated. Use _writableState.getBuffer ' + 'instead.', 'DEP0003') }); } catch (_) {} })(); // Test _writableState for inheritance to account for Duplex streams, // whose prototype chain only points to Readable. var realHasInstance; if (typeof Symbol === 'function' && Symbol.hasInstance && typeof Function.prototype[Symbol.hasInstance] === 'function') { realHasInstance = Function.prototype[Symbol.hasInstance]; Object.defineProperty(Writable, Symbol.hasInstance, { value: function value(object) { if (realHasInstance.call(this, object)) return true; if (this !== Writable) return false; return object && object._writableState instanceof WritableState; } }); } else { realHasInstance = function realHasInstance(object) { return object instanceof this; }; } function Writable(options) { Duplex = Duplex || __webpack_require__(32); // Writable ctor is applied to Duplexes, too. // `realHasInstance` is necessary because using plain `instanceof` // would return false, as no `_writableState` property is attached. // Trying to use the custom `instanceof` for Writable here will also break the // Node.js LazyTransform implementation, which has a non-trivial getter for // `_writableState` that would lead to infinite recursion. // Checking for a Stream.Duplex instance is faster here instead of inside // the WritableState constructor, at least with V8 6.5 var isDuplex = this instanceof Duplex; if (!isDuplex && !realHasInstance.call(Writable, this)) return new Writable(options); this._writableState = new WritableState(options, this, isDuplex); // legacy. this.writable = true; if (options) { if (typeof options.write === 'function') this._write = options.write; if (typeof options.writev === 'function') this._writev = options.writev; if (typeof options.destroy === 'function') this._destroy = options.destroy; if (typeof options.final === 'function') this._final = options.final; } Stream.call(this); } // Otherwise people can pipe Writable streams, which is just wrong. Writable.prototype.pipe = function () { this.emit('error', new ERR_STREAM_CANNOT_PIPE()); }; function writeAfterEnd(stream, cb) { var er = new ERR_STREAM_WRITE_AFTER_END(); // TODO: defer error events consistently everywhere, not just the cb stream.emit('error', er); process.nextTick(cb, er); } // Checks that a user-supplied chunk is valid, especially for the particular // mode the stream is in. Currently this means that `null` is never accepted // and undefined/non-string values are only allowed in object mode. function validChunk(stream, state, chunk, cb) { var er; if (chunk === null) { er = new ERR_STREAM_NULL_VALUES(); } else if (typeof chunk !== 'string' && !state.objectMode) { er = new ERR_INVALID_ARG_TYPE('chunk', ['string', 'Buffer'], chunk); } if (er) { stream.emit('error', er); process.nextTick(cb, er); return false; } return true; } Writable.prototype.write = function (chunk, encoding, cb) { var state = this._writableState; var ret = false; var isBuf = !state.objectMode && _isUint8Array(chunk); if (isBuf && !Buffer.isBuffer(chunk)) { chunk = _uint8ArrayToBuffer(chunk); } if (typeof encoding === 'function') { cb = encoding; encoding = null; } if (isBuf) encoding = 'buffer';else if (!encoding) encoding = state.defaultEncoding; if (typeof cb !== 'function') cb = nop; if (state.ending) writeAfterEnd(this, cb);else if (isBuf || validChunk(this, state, chunk, cb)) { state.pendingcb++; ret = writeOrBuffer(this, state, isBuf, chunk, encoding, cb); } return ret; }; Writable.prototype.cork = function () { this._writableState.corked++; }; Writable.prototype.uncork = function () { var state = this._writableState; if (state.corked) { state.corked--; if (!state.writing && !state.corked && !state.bufferProcessing && state.bufferedRequest) clearBuffer(this, state); } }; Writable.prototype.setDefaultEncoding = function setDefaultEncoding(encoding) { // node::ParseEncoding() requires lower case. if (typeof encoding === 'string') encoding = encoding.toLowerCase(); if (!(['hex', 'utf8', 'utf-8', 'ascii', 'binary', 'base64', 'ucs2', 'ucs-2', 'utf16le', 'utf-16le', 'raw'].indexOf((encoding + '').toLowerCase()) > -1)) throw new ERR_UNKNOWN_ENCODING(encoding); this._writableState.defaultEncoding = encoding; return this; }; Object.defineProperty(Writable.prototype, 'writableBuffer', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState && this._writableState.getBuffer(); } }); function decodeChunk(state, chunk, encoding) { if (!state.objectMode && state.decodeStrings !== false && typeof chunk === 'string') { chunk = Buffer.from(chunk, encoding); } return chunk; } Object.defineProperty(Writable.prototype, 'writableHighWaterMark', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState.highWaterMark; } }); // if we're already writing something, then just put this // in the queue, and wait our turn. Otherwise, call _write // If we return false, then we need a drain event, so set that flag. function writeOrBuffer(stream, state, isBuf, chunk, encoding, cb) { if (!isBuf) { var newChunk = decodeChunk(state, chunk, encoding); if (chunk !== newChunk) { isBuf = true; encoding = 'buffer'; chunk = newChunk; } } var len = state.objectMode ? 1 : chunk.length; state.length += len; var ret = state.length < state.highWaterMark; // we must ensure that previous needDrain will not be reset to false. if (!ret) state.needDrain = true; if (state.writing || state.corked) { var last = state.lastBufferedRequest; state.lastBufferedRequest = { chunk: chunk, encoding: encoding, isBuf: isBuf, callback: cb, next: null }; if (last) { last.next = state.lastBufferedRequest; } else { state.bufferedRequest = state.lastBufferedRequest; } state.bufferedRequestCount += 1; } else { doWrite(stream, state, false, len, chunk, encoding, cb); } return ret; } function doWrite(stream, state, writev, len, chunk, encoding, cb) { state.writelen = len; state.writecb = cb; state.writing = true; state.sync = true; if (state.destroyed) state.onwrite(new ERR_STREAM_DESTROYED('write'));else if (writev) stream._writev(chunk, state.onwrite);else stream._write(chunk, encoding, state.onwrite); state.sync = false; } function onwriteError(stream, state, sync, er, cb) { --state.pendingcb; if (sync) { // defer the callback if we are being called synchronously // to avoid piling up things on the stack process.nextTick(cb, er); // this can emit finish, and it will always happen // after error process.nextTick(finishMaybe, stream, state); stream._writableState.errorEmitted = true; stream.emit('error', er); } else { // the caller expect this to happen before if // it is async cb(er); stream._writableState.errorEmitted = true; stream.emit('error', er); // this can emit finish, but finish must // always follow error finishMaybe(stream, state); } } function onwriteStateUpdate(state) { state.writing = false; state.writecb = null; state.length -= state.writelen; state.writelen = 0; } function onwrite(stream, er) { var state = stream._writableState; var sync = state.sync; var cb = state.writecb; if (typeof cb !== 'function') throw new ERR_MULTIPLE_CALLBACK(); onwriteStateUpdate(state); if (er) onwriteError(stream, state, sync, er, cb);else { // Check if we're actually ready to finish, but don't emit yet var finished = needFinish(state) || stream.destroyed; if (!finished && !state.corked && !state.bufferProcessing && state.bufferedRequest) { clearBuffer(stream, state); } if (sync) { process.nextTick(afterWrite, stream, state, finished, cb); } else { afterWrite(stream, state, finished, cb); } } } function afterWrite(stream, state, finished, cb) { if (!finished) onwriteDrain(stream, state); state.pendingcb--; cb(); finishMaybe(stream, state); } // Must force callback to be called on nextTick, so that we don't // emit 'drain' before the write() consumer gets the 'false' return // value, and has a chance to attach a 'drain' listener. function onwriteDrain(stream, state) { if (state.length === 0 && state.needDrain) { state.needDrain = false; stream.emit('drain'); } } // if there's something in the buffer waiting, then process it function clearBuffer(stream, state) { state.bufferProcessing = true; var entry = state.bufferedRequest; if (stream._writev && entry && entry.next) { // Fast case, write everything using _writev() var l = state.bufferedRequestCount; var buffer = new Array(l); var holder = state.corkedRequestsFree; holder.entry = entry; var count = 0; var allBuffers = true; while (entry) { buffer[count] = entry; if (!entry.isBuf) allBuffers = false; entry = entry.next; count += 1; } buffer.allBuffers = allBuffers; doWrite(stream, state, true, state.length, buffer, '', holder.finish); // doWrite is almost always async, defer these to save a bit of time // as the hot path ends with doWrite state.pendingcb++; state.lastBufferedRequest = null; if (holder.next) { state.corkedRequestsFree = holder.next; holder.next = null; } else { state.corkedRequestsFree = new CorkedRequest(state); } state.bufferedRequestCount = 0; } else { // Slow case, write chunks one-by-one while (entry) { var chunk = entry.chunk; var encoding = entry.encoding; var cb = entry.callback; var len = state.objectMode ? 1 : chunk.length; doWrite(stream, state, false, len, chunk, encoding, cb); entry = entry.next; state.bufferedRequestCount--; // if we didn't call the onwrite immediately, then // it means that we need to wait until it does. // also, that means that the chunk and cb are currently // being processed, so move the buffer counter past them. if (state.writing) { break; } } if (entry === null) state.lastBufferedRequest = null; } state.bufferedRequest = entry; state.bufferProcessing = false; } Writable.prototype._write = function (chunk, encoding, cb) { cb(new ERR_METHOD_NOT_IMPLEMENTED('_write()')); }; Writable.prototype._writev = null; Writable.prototype.end = function (chunk, encoding, cb) { var state = this._writableState; if (typeof chunk === 'function') { cb = chunk; chunk = null; encoding = null; } else if (typeof encoding === 'function') { cb = encoding; encoding = null; } if (chunk !== null && chunk !== undefined) this.write(chunk, encoding); // .end() fully uncorks if (state.corked) { state.corked = 1; this.uncork(); } // ignore unnecessary end() calls. if (!state.ending) endWritable(this, state, cb); return this; }; Object.defineProperty(Writable.prototype, 'writableLength', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { return this._writableState.length; } }); function needFinish(state) { return state.ending && state.length === 0 && state.bufferedRequest === null && !state.finished && !state.writing; } function callFinal(stream, state) { stream._final(function (err) { state.pendingcb--; if (err) { stream.emit('error', err); } state.prefinished = true; stream.emit('prefinish'); finishMaybe(stream, state); }); } function prefinish(stream, state) { if (!state.prefinished && !state.finalCalled) { if (typeof stream._final === 'function' && !state.destroyed) { state.pendingcb++; state.finalCalled = true; process.nextTick(callFinal, stream, state); } else { state.prefinished = true; stream.emit('prefinish'); } } } function finishMaybe(stream, state) { var need = needFinish(state); if (need) { prefinish(stream, state); if (state.pendingcb === 0) { state.finished = true; stream.emit('finish'); } } return need; } function endWritable(stream, state, cb) { state.ending = true; finishMaybe(stream, state); if (cb) { if (state.finished) process.nextTick(cb);else stream.once('finish', cb); } state.ended = true; stream.writable = false; } function onCorkedFinish(corkReq, state, err) { var entry = corkReq.entry; corkReq.entry = null; while (entry) { var cb = entry.callback; state.pendingcb--; cb(err); entry = entry.next; } // reuse the free corkReq. state.corkedRequestsFree.next = corkReq; } Object.defineProperty(Writable.prototype, 'destroyed', { // making it explicit this property is not enumerable // because otherwise some prototype manipulation in // userland will fail enumerable: false, get: function get() { if (this._writableState === undefined) { return false; } return this._writableState.destroyed; }, set: function set(value) { // we ignore the value if the stream // has not been initialized yet if (!this._writableState) { return; } // backward compatibility, the user is explicitly // managing destroyed this._writableState.destroyed = value; } }); Writable.prototype.destroy = destroyImpl.destroy; Writable.prototype._undestroy = destroyImpl.undestroy; Writable.prototype._destroy = function (err, cb) { cb(err); }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10), __webpack_require__(4))) /***/ }), /* 161 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. // a transform stream is a readable/writable stream where you do // something with the data. Sometimes it's called a "filter", // but that's not a great name for it, since that implies a thing where // some bits pass through, and others are simply ignored. (That would // be a valid example of a transform, of course.) // // While the output is causally related to the input, it's not a // necessarily symmetric or synchronous transformation. For example, // a zlib stream might take multiple plain-text writes(), and then // emit a single compressed chunk some time in the future. // // Here's how this works: // // The Transform stream has all the aspects of the readable and writable // stream classes. When you write(chunk), that calls _write(chunk,cb) // internally, and returns false if there's a lot of pending writes // buffered up. When you call read(), that calls _read(n) until // there's enough pending readable data buffered up. // // In a transform stream, the written data is placed in a buffer. When // _read(n) is called, it transforms the queued up data, calling the // buffered _write cb's as it consumes chunks. If consuming a single // written chunk would result in multiple output chunks, then the first // outputted bit calls the readcb, and subsequent chunks just go into // the read buffer, and will cause it to emit 'readable' if necessary. // // This way, back-pressure is actually determined by the reading side, // since _read has to be called to start processing a new chunk. However, // a pathological inflate type of transform can cause excessive buffering // here. For example, imagine a stream where every byte of input is // interpreted as an integer from 0-255, and then results in that many // bytes of output. Writing the 4 bytes {ff,ff,ff,ff} would result in // 1kb of data being output. In this case, you could write a very small // amount of input, and end up with a very large amount of output. In // such a pathological inflating mechanism, there'd be no way to tell // the system to stop doing the transform. A single 4MB write could // cause the system to run out of memory. // // However, even in such a pathological case, only a single written chunk // would be consumed, and then the rest would wait (un-transformed) until // the results of the previous transformed chunk were consumed. module.exports = Transform; var _require$codes = __webpack_require__(31).codes, ERR_METHOD_NOT_IMPLEMENTED = _require$codes.ERR_METHOD_NOT_IMPLEMENTED, ERR_MULTIPLE_CALLBACK = _require$codes.ERR_MULTIPLE_CALLBACK, ERR_TRANSFORM_ALREADY_TRANSFORMING = _require$codes.ERR_TRANSFORM_ALREADY_TRANSFORMING, ERR_TRANSFORM_WITH_LENGTH_0 = _require$codes.ERR_TRANSFORM_WITH_LENGTH_0; var Duplex = __webpack_require__(32); __webpack_require__(2)(Transform, Duplex); function afterTransform(er, data) { var ts = this._transformState; ts.transforming = false; var cb = ts.writecb; if (cb === null) { return this.emit('error', new ERR_MULTIPLE_CALLBACK()); } ts.writechunk = null; ts.writecb = null; if (data != null) // single equals check for both `null` and `undefined` this.push(data); cb(er); var rs = this._readableState; rs.reading = false; if (rs.needReadable || rs.length < rs.highWaterMark) { this._read(rs.highWaterMark); } } function Transform(options) { if (!(this instanceof Transform)) return new Transform(options); Duplex.call(this, options); this._transformState = { afterTransform: afterTransform.bind(this), needTransform: false, transforming: false, writecb: null, writechunk: null, writeencoding: null }; // start out asking for a readable event once data is transformed. this._readableState.needReadable = true; // we have implemented the _read method, and done the other things // that Readable wants before the first _read call, so unset the // sync guard flag. this._readableState.sync = false; if (options) { if (typeof options.transform === 'function') this._transform = options.transform; if (typeof options.flush === 'function') this._flush = options.flush; } // When the writable side finishes, then flush out anything remaining. this.on('prefinish', prefinish); } function prefinish() { var _this = this; if (typeof this._flush === 'function' && !this._readableState.destroyed) { this._flush(function (er, data) { done(_this, er, data); }); } else { done(this, null, null); } } Transform.prototype.push = function (chunk, encoding) { this._transformState.needTransform = false; return Duplex.prototype.push.call(this, chunk, encoding); }; // This is the part where you do stuff! // override this function in implementation classes. // 'chunk' is an input chunk. // // Call `push(newChunk)` to pass along transformed output // to the readable side. You may call 'push' zero or more times. // // Call `cb(err)` when you are done with this chunk. If you pass // an error, then that'll put the hurt on the whole operation. If you // never call cb(), then you'll never get another chunk. Transform.prototype._transform = function (chunk, encoding, cb) { cb(new ERR_METHOD_NOT_IMPLEMENTED('_transform()')); }; Transform.prototype._write = function (chunk, encoding, cb) { var ts = this._transformState; ts.writecb = cb; ts.writechunk = chunk; ts.writeencoding = encoding; if (!ts.transforming) { var rs = this._readableState; if (ts.needTransform || rs.needReadable || rs.length < rs.highWaterMark) this._read(rs.highWaterMark); } }; // Doesn't matter what the args are here. // _transform does all the work. // That we got here means that the readable side wants more data. Transform.prototype._read = function (n) { var ts = this._transformState; if (ts.writechunk !== null && !ts.transforming) { ts.transforming = true; this._transform(ts.writechunk, ts.writeencoding, ts.afterTransform); } else { // mark that we need a transform, so that any data that comes in // will get processed, now that we've asked for it. ts.needTransform = true; } }; Transform.prototype._destroy = function (err, cb) { Duplex.prototype._destroy.call(this, err, function (err2) { cb(err2); }); }; function done(stream, er, data) { if (er) return stream.emit('error', er); if (data != null) // single equals check for both `null` and `undefined` stream.push(data); // TODO(BridgeAR): Write a test for these two error cases // if there's nothing in the write buffer, then that means // that nothing more will ever be provided if (stream._writableState.length) throw new ERR_TRANSFORM_WITH_LENGTH_0(); if (stream._transformState.transforming) throw new ERR_TRANSFORM_ALREADY_TRANSFORMING(); return stream.push(null); } /***/ }), /* 162 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var isFunction = __webpack_require__(331), isLength = __webpack_require__(166); /** * Checks if `value` is array-like. A value is considered array-like if it's * not a function and has a `value.length` that's an integer greater than or * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`. * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is array-like, else `false`. * @example * * _.isArrayLike([1, 2, 3]); * // => true * * _.isArrayLike(document.body.children); * // => true * * _.isArrayLike('abc'); * // => true * * _.isArrayLike(_.noop); * // => false */ function isArrayLike(value) { return value != null && isLength(value.length) && !isFunction(value); } module.exports = isArrayLike; /***/ }), /* 163 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var root = __webpack_require__(164); /** Built-in value references. */ var Symbol = root.Symbol; module.exports = Symbol; /***/ }), /* 164 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var freeGlobal = __webpack_require__(165); /** Detect free variable `self`. */ var freeSelf = typeof self == 'object' && self && self.Object === Object && self; /** Used as a reference to the global object. */ var root = freeGlobal || freeSelf || Function('return this')(); module.exports = root; /***/ }), /* 165 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global) { /** Detect free variable `global` from Node.js. */ var freeGlobal = typeof global == 'object' && global && global.Object === Object && global; module.exports = freeGlobal; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10))) /***/ }), /* 166 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** Used as references for various `Number` constants. */ var MAX_SAFE_INTEGER = 9007199254740991; /** * Checks if `value` is a valid array-like length. * * **Note:** This method is loosely based on * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength). * * @static * @memberOf _ * @since 4.0.0 * @category Lang * @param {*} value The value to check. * @returns {boolean} Returns `true` if `value` is a valid length, else `false`. * @example * * _.isLength(3); * // => true * * _.isLength(Number.MIN_VALUE); * // => false * * _.isLength(Infinity); * // => false * * _.isLength('3'); * // => false */ function isLength(value) { return typeof value == 'number' && value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER; } module.exports = isLength; /***/ }), /* 167 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var toString = Object.prototype.toString; module.exports = function kindOf(val) { if (val === void 0) return 'undefined'; if (val === null) return 'null'; var type = typeof val; if (type === 'boolean') return 'boolean'; if (type === 'string') return 'string'; if (type === 'number') return 'number'; if (type === 'symbol') return 'symbol'; if (type === 'function') { return isGeneratorFn(val) ? 'generatorfunction' : 'function'; } if (isArray(val)) return 'array'; if (isBuffer(val)) return 'buffer'; if (isArguments(val)) return 'arguments'; if (isDate(val)) return 'date'; if (isError(val)) return 'error'; if (isRegexp(val)) return 'regexp'; switch (ctorName(val)) { case 'Symbol': return 'symbol'; case 'Promise': return 'promise'; // Set, Map, WeakSet, WeakMap case 'WeakMap': return 'weakmap'; case 'WeakSet': return 'weakset'; case 'Map': return 'map'; case 'Set': return 'set'; // 8-bit typed arrays case 'Int8Array': return 'int8array'; case 'Uint8Array': return 'uint8array'; case 'Uint8ClampedArray': return 'uint8clampedarray'; // 16-bit typed arrays case 'Int16Array': return 'int16array'; case 'Uint16Array': return 'uint16array'; // 32-bit typed arrays case 'Int32Array': return 'int32array'; case 'Uint32Array': return 'uint32array'; case 'Float32Array': return 'float32array'; case 'Float64Array': return 'float64array'; } if (isGeneratorObj(val)) { return 'generator'; } // Non-plain objects type = toString.call(val); switch (type) { case '[object Object]': return 'object'; // iterators case '[object Map Iterator]': return 'mapiterator'; case '[object Set Iterator]': return 'setiterator'; case '[object String Iterator]': return 'stringiterator'; case '[object Array Iterator]': return 'arrayiterator'; } // other return type.slice(8, -1).toLowerCase().replace(/\s/g, ''); }; function ctorName(val) { return val.constructor ? val.constructor.name : null; } function isArray(val) { if (Array.isArray) return Array.isArray(val); return val instanceof Array; } function isError(val) { return val instanceof Error || typeof val.message === 'string' && val.constructor && typeof val.constructor.stackTraceLimit === 'number'; } function isDate(val) { if (val instanceof Date) return true; return typeof val.toDateString === 'function' && typeof val.getDate === 'function' && typeof val.setDate === 'function'; } function isRegexp(val) { if (val instanceof RegExp) return true; return typeof val.flags === 'string' && typeof val.ignoreCase === 'boolean' && typeof val.multiline === 'boolean' && typeof val.global === 'boolean'; } function isGeneratorFn(name, val) { return ctorName(name) === 'GeneratorFunction'; } function isGeneratorObj(val) { return typeof val.throw === 'function' && typeof val.return === 'function' && typeof val.next === 'function'; } function isArguments(val) { try { if (typeof val.length === 'number' && typeof val.callee === 'function') { return true; } } catch (err) { if (err.message.indexOf('callee') !== -1) { return true; } } return false; } /** * If you need to support Safari 5-7 (8-10 yr-old browser), * take a look at https://github.com/feross/is-buffer */ function isBuffer(val) { if (val.constructor && typeof val.constructor.isBuffer === 'function') { return val.constructor.isBuffer(val); } return false; } /***/ }), /* 168 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = { supportsFileReader: typeof self !== 'undefined' && 'FileReader' in self }; /***/ }), /* 169 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const defaultBase = self.location ? self.location.protocol + '//' + self.location.host : ''; const URL = self.URL; class URLWithLegacySupport { constructor(url) { let base = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : defaultBase; this.super = new URL(url, base); this.path = this.pathname + this.search; this.auth = this.username && this.password ? this.username + ':' + this.password : null; this.query = this.search && this.search.startsWith('?') ? this.search.slice(1) : null; } get hash() { return this.super.hash; } get host() { return this.super.host; } get hostname() { return this.super.hostname; } get href() { return this.super.href; } get origin() { return this.super.origin; } get password() { return this.super.password; } get pathname() { return this.super.pathname; } get port() { return this.super.port; } get protocol() { return this.super.protocol; } get search() { return this.super.search; } get searchParams() { return this.super.searchParams; } get username() { return this.super.username; } set hash(hash) { this.super.hash = hash; } set host(host) { this.super.host = host; } set hostname(hostname) { this.super.hostname = hostname; } set href(href) { this.super.href = href; } set origin(origin) { this.super.origin = origin; } set password(password) { this.super.password = password; } set pathname(pathname) { this.super.pathname = pathname; } set port(port) { this.super.port = port; } set protocol(protocol) { this.super.protocol = protocol; } set search(search) { this.super.search = search; } set searchParams(searchParams) { this.super.searchParams = searchParams; } set username(username) { this.super.username = username; } createObjectURL(o) { return this.super.createObjectURL(o); } revokeObjectURL(o) { this.super.revokeObjectURL(o); } toJSON() { return this.super.toJSON(); } toString() { return this.super.toString(); } format() { return this.toString(); } } function format(obj) { if (typeof obj === 'string') { const url = new URL(obj); return url.toString(); } if (!(obj instanceof URL)) { const userPass = obj.username && obj.password ? "".concat(obj.username, ":").concat(obj.password, "@") : ''; const auth = obj.auth ? obj.auth + '@' : ''; const port = obj.port ? ':' + obj.port : ''; const protocol = obj.protocol ? obj.protocol + '//' : ''; const host = obj.host || ''; const hostname = obj.hostname || ''; const search = obj.search || (obj.query ? '?' + obj.query : ''); const hash = obj.hash || ''; const pathname = obj.pathname || ''; const path = obj.path || pathname + search; return "".concat(protocol).concat(userPass || auth).concat(host || hostname + port).concat(path).concat(hash); } } module.exports = { URLWithLegacySupport, URLSearchParams: self.URLSearchParams, defaultBase, format }; /***/ }), /* 170 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const http = __webpack_require__(370); const https = http; const URL = self.URL; module.exports = { http, https, getRequest: (options, cb) => { let protocol = 'http:'; if (typeof options === 'string') { const url = new URL(options); protocol = url.protocol; } else if (options.protocol) { protocol = options.protocol; } return protocol === 'http:' ? http.request(options, cb) : https.request(options, cb); } }; /***/ }), /* 171 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function isFunction(value) { return typeof value === 'function'; } module.exports = { fetch: 'fetch' in self && isFunction(self.fecth), writableStream: 'WritableStream' in self && isFunction(self.WritableStream), abortController: 'AbortController' in self && isFunction(self.AbortController), arrayBuffer: 'ArrayBuffer' in self }; /***/ }), /* 172 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, Buffer) { var capability = __webpack_require__(171); var inherits = __webpack_require__(2); var stream = __webpack_require__(6); var IncomingMessage = function IncomingMessage(response, mode, fetchTimer) { stream.Readable.call(this); this._mode = mode; this.headers = {}; this.rawHeaders = []; this.trailers = {}; this.rawTrailers = []; // Fake the 'close' event, but only once 'end' fires this.on('end', () => { // The nextTick is necessary to prevent the 'request' module from causing an infinite loop process.nextTick(() => this.emit('close')); }); this._fetchResponse = response; this.url = response.url; this.statusCode = response.status; this.statusMessage = response.statusText; response.headers.forEach((header, key) => { this.headers[key.toLowerCase()] = header; this.rawHeaders.push(key, header); }); if (capability.writableStream) { var writable = new WritableStream({ write: chunk => { return new Promise((resolve, reject) => { if (this._destroyed) { reject(); } else if (this.push(Buffer.from(chunk))) { resolve(); } else { this._resumeFetch = resolve; } }); }, close: () => { clearTimeout(fetchTimer); if (!this._destroyed) { this.push(null); } }, abort: err => { if (!this._destroyed) { this.emit('error', err); } } }); try { response.body.pipeTo(writable).catch(err => { console.log(err); self.clearTimeout(fetchTimer); if (!this._destroyed) { this.emit('error', err); } }); return; } catch (e) {} // pipeTo method isn't defined. Can't find a better way to feature test this } // fallback for when writableStream or pipeTo aren't available var reader = response.body.getReader(); function read(context) { reader.read().then(result => { if (context._destroyed) { return; } if (result.done) { clearTimeout(fetchTimer); context.push(null); return; } context.push(Buffer.from(result.value)); read(context); }).catch(err => { clearTimeout(fetchTimer); if (!context._destroyed) { context.emit('error', err); } }); } read(this); }; inherits(IncomingMessage, stream.Readable); IncomingMessage.prototype._read = function () { var resolve = this._resumeFetch; if (resolve) { this._resumeFetch = null; resolve(); } }; module.exports = IncomingMessage; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(0).Buffer)) /***/ }), /* 173 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { var DuplexStream = __webpack_require__(6).Duplex, util = __webpack_require__(54); function BufferList(callback) { if (!(this instanceof BufferList)) return new BufferList(callback); this._bufs = []; this.length = 0; if (typeof callback == 'function') { this._callback = callback; var piper = function piper(err) { if (this._callback) { this._callback(err); this._callback = null; } }.bind(this); this.on('pipe', function onPipe(src) { src.on('error', piper); }); this.on('unpipe', function onUnpipe(src) { src.removeListener('error', piper); }); } else { this.append(callback); } DuplexStream.call(this); } util.inherits(BufferList, DuplexStream); BufferList.prototype._offset = function _offset(offset) { var tot = 0, i = 0, _t; if (offset === 0) return [0, 0]; for (; i < this._bufs.length; i++) { _t = tot + this._bufs[i].length; if (offset < _t || i == this._bufs.length - 1) { return [i, offset - tot]; } tot = _t; } }; BufferList.prototype._reverseOffset = function (blOffset) { var bufferId = blOffset[0]; var offset = blOffset[1]; for (var i = 0; i < bufferId; i++) { offset += this._bufs[i].length; } return offset; }; BufferList.prototype.append = function append(buf) { var i = 0; if (Buffer.isBuffer(buf)) { this._appendBuffer(buf); } else if (Array.isArray(buf)) { for (; i < buf.length; i++) this.append(buf[i]); } else if (buf instanceof BufferList) { // unwrap argument into individual BufferLists for (; i < buf._bufs.length; i++) this.append(buf._bufs[i]); } else if (buf != null) { // coerce number arguments to strings, since Buffer(number) does // uninitialized memory allocation if (typeof buf == 'number') buf = buf.toString(); this._appendBuffer(Buffer.from(buf)); } return this; }; BufferList.prototype._appendBuffer = function appendBuffer(buf) { this._bufs.push(buf); this.length += buf.length; }; BufferList.prototype._write = function _write(buf, encoding, callback) { this._appendBuffer(buf); if (typeof callback == 'function') callback(); }; BufferList.prototype._read = function _read(size) { if (!this.length) return this.push(null); size = Math.min(size, this.length); this.push(this.slice(0, size)); this.consume(size); }; BufferList.prototype.end = function end(chunk) { DuplexStream.prototype.end.call(this, chunk); if (this._callback) { this._callback(null, this.slice()); this._callback = null; } }; BufferList.prototype.get = function get(index) { if (index > this.length || index < 0) { return undefined; } var offset = this._offset(index); return this._bufs[offset[0]][offset[1]]; }; BufferList.prototype.slice = function slice(start, end) { if (typeof start == 'number' && start < 0) start += this.length; if (typeof end == 'number' && end < 0) end += this.length; return this.copy(null, 0, start, end); }; BufferList.prototype.copy = function copy(dst, dstStart, srcStart, srcEnd) { if (typeof srcStart != 'number' || srcStart < 0) srcStart = 0; if (typeof srcEnd != 'number' || srcEnd > this.length) srcEnd = this.length; if (srcStart >= this.length) return dst || Buffer.alloc(0); if (srcEnd <= 0) return dst || Buffer.alloc(0); var copy = !!dst, off = this._offset(srcStart), len = srcEnd - srcStart, bytes = len, bufoff = copy && dstStart || 0, start = off[1], l, i; // copy/slice everything if (srcStart === 0 && srcEnd == this.length) { if (!copy) { // slice, but full concat if multiple buffers return this._bufs.length === 1 ? this._bufs[0] : Buffer.concat(this._bufs, this.length); } // copy, need to copy individual buffers for (i = 0; i < this._bufs.length; i++) { this._bufs[i].copy(dst, bufoff); bufoff += this._bufs[i].length; } return dst; } // easy, cheap case where it's a subset of one of the buffers if (bytes <= this._bufs[off[0]].length - start) { return copy ? this._bufs[off[0]].copy(dst, dstStart, start, start + bytes) : this._bufs[off[0]].slice(start, start + bytes); } if (!copy) // a slice, we need something to copy in to dst = Buffer.allocUnsafe(len); for (i = off[0]; i < this._bufs.length; i++) { l = this._bufs[i].length - start; if (bytes > l) { this._bufs[i].copy(dst, bufoff, start); } else { this._bufs[i].copy(dst, bufoff, start, start + bytes); break; } bufoff += l; bytes -= l; if (start) start = 0; } return dst; }; BufferList.prototype.shallowSlice = function shallowSlice(start, end) { start = start || 0; end = typeof end !== 'number' ? this.length : end; if (start < 0) start += this.length; if (end < 0) end += this.length; if (start === end) { return new BufferList(); } var startOffset = this._offset(start), endOffset = this._offset(end), buffers = this._bufs.slice(startOffset[0], endOffset[0] + 1); if (endOffset[1] == 0) buffers.pop();else buffers[buffers.length - 1] = buffers[buffers.length - 1].slice(0, endOffset[1]); if (startOffset[1] != 0) buffers[0] = buffers[0].slice(startOffset[1]); return new BufferList(buffers); }; BufferList.prototype.toString = function toString(encoding, start, end) { return this.slice(start, end).toString(encoding); }; BufferList.prototype.consume = function consume(bytes) { while (this._bufs.length) { if (bytes >= this._bufs[0].length) { bytes -= this._bufs[0].length; this.length -= this._bufs[0].length; this._bufs.shift(); } else { this._bufs[0] = this._bufs[0].slice(bytes); this.length -= bytes; break; } } return this; }; BufferList.prototype.duplicate = function duplicate() { var i = 0, copy = new BufferList(); for (; i < this._bufs.length; i++) copy.append(this._bufs[i]); return copy; }; BufferList.prototype._destroy = function _destroy(err, cb) { this._bufs.length = 0; this.length = 0; cb(err); }; BufferList.prototype.indexOf = function (search, offset, encoding) { if (encoding === undefined && typeof offset === 'string') { encoding = offset; offset = undefined; } if (typeof search === 'function' || Array.isArray(search)) { throw new TypeError('The "value" argument must be one of type string, Buffer, BufferList, or Uint8Array.'); } else if (typeof search === 'number') { search = Buffer.from([search]); } else if (typeof search === 'string') { search = Buffer.from(search, encoding); } else if (search instanceof BufferList) { search = search.slice(); } else if (!Buffer.isBuffer(search)) { search = Buffer.from(search); } offset = Number(offset || 0); if (isNaN(offset)) { offset = 0; } if (offset < 0) { offset = this.length + offset; } if (offset < 0) { offset = 0; } if (search.length === 0) { return offset > this.length ? this.length : offset; } var blOffset = this._offset(offset); var blIndex = blOffset[0]; // index of which internal buffer we're working on var buffOffset = blOffset[1]; // offset of the internal buffer we're working on // scan over each buffer for (blIndex; blIndex < this._bufs.length; blIndex++) { var buff = this._bufs[blIndex]; while (buffOffset < buff.length) { var availableWindow = buff.length - buffOffset; if (availableWindow >= search.length) { var nativeSearchResult = buff.indexOf(search, buffOffset); if (nativeSearchResult !== -1) { return this._reverseOffset([blIndex, nativeSearchResult]); } buffOffset = buff.length - search.length + 1; // end of native search window } else { var revOffset = this._reverseOffset([blIndex, buffOffset]); if (this._match(revOffset, search)) { return revOffset; } buffOffset++; } } buffOffset = 0; } return -1; }; BufferList.prototype._match = function (offset, search) { if (this.length - offset < search.length) { return false; } for (var searchOffset = 0; searchOffset < search.length; searchOffset++) { if (this.get(offset + searchOffset) !== search[searchOffset]) { return false; } } return true; }; (function () { var methods = { 'readDoubleBE': 8, 'readDoubleLE': 8, 'readFloatBE': 4, 'readFloatLE': 4, 'readInt32BE': 4, 'readInt32LE': 4, 'readUInt32BE': 4, 'readUInt32LE': 4, 'readInt16BE': 2, 'readInt16LE': 2, 'readUInt16BE': 2, 'readUInt16LE': 2, 'readInt8': 1, 'readUInt8': 1, 'readIntBE': null, 'readIntLE': null, 'readUIntBE': null, 'readUIntLE': null }; for (var m in methods) { (function (m) { if (methods[m] === null) { BufferList.prototype[m] = function (offset, byteLength) { return this.slice(offset, offset + byteLength)[m](0, byteLength); }; } else { BufferList.prototype[m] = function (offset) { return this.slice(offset, offset + methods[m])[m](0); }; } })(m); } })(); module.exports = BufferList; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 174 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var once = __webpack_require__(16); var noop = function noop() {}; var isRequest = function isRequest(stream) { return stream.setHeader && typeof stream.abort === 'function'; }; var isChildProcess = function isChildProcess(stream) { return stream.stdio && Array.isArray(stream.stdio) && stream.stdio.length === 3; }; var eos = function eos(stream, opts, callback) { if (typeof opts === 'function') return eos(stream, null, opts); if (!opts) opts = {}; callback = once(callback || noop); var ws = stream._writableState; var rs = stream._readableState; var readable = opts.readable || opts.readable !== false && stream.readable; var writable = opts.writable || opts.writable !== false && stream.writable; var onlegacyfinish = function onlegacyfinish() { if (!stream.writable) onfinish(); }; var onfinish = function onfinish() { writable = false; if (!readable) callback.call(stream); }; var onend = function onend() { readable = false; if (!writable) callback.call(stream); }; var onexit = function onexit(exitCode) { callback.call(stream, exitCode ? new Error('exited with error code: ' + exitCode) : null); }; var onerror = function onerror(err) { callback.call(stream, err); }; var onclose = function onclose() { if (readable && !(rs && rs.ended)) return callback.call(stream, new Error('premature close')); if (writable && !(ws && ws.ended)) return callback.call(stream, new Error('premature close')); }; var onrequest = function onrequest() { stream.req.on('finish', onfinish); }; if (isRequest(stream)) { stream.on('complete', onfinish); stream.on('abort', onclose); if (stream.req) onrequest();else stream.on('request', onrequest); } else if (writable && !ws) { // legacy streams stream.on('end', onlegacyfinish); stream.on('close', onlegacyfinish); } if (isChildProcess(stream)) stream.on('exit', onexit); stream.on('end', onend); stream.on('finish', onfinish); if (opts.error !== false) stream.on('error', onerror); stream.on('close', onclose); return function () { stream.removeListener('complete', onfinish); stream.removeListener('abort', onclose); stream.removeListener('request', onrequest); if (stream.req) stream.req.removeListener('finish', onfinish); stream.removeListener('end', onlegacyfinish); stream.removeListener('close', onlegacyfinish); stream.removeListener('finish', onfinish); stream.removeListener('exit', onexit); stream.removeListener('end', onend); stream.removeListener('error', onerror); stream.removeListener('close', onclose); }; }; module.exports = eos; /***/ }), /* 175 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function () { var _read, _cb, abortCb, _end; var read = function read(end, cb) { if (!_read) { if (end) { _end = end; abortCb = cb; } else _cb = cb; } else _read(end, cb); }; read.resolve = function (read) { if (_read) throw new Error('already resolved'); _read = read; if (!_read) throw new Error('no read cannot resolve!' + _read); if (_cb) read(null, _cb); if (abortCb) read(_end, abortCb); }; read.abort = function (err) { read.resolve(function (_, cb) { cb(err || true); }); }; return read; }; /***/ }), /* 176 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function (stream) { var read, started = false; function consume(_read) { if (!_read) throw new Error('must be passed a readable'); read = _read; if (started) stream(read); } consume.resolve = consume.ready = consume.start = function (_stream) { started = true; stream = _stream || stream; if (read) stream(read); return consume; }; return consume; }; /***/ }), /* 177 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { var alloc = Buffer.alloc; var ZEROS = '0000000000000000000'; var SEVENS = '7777777777777777777'; var ZERO_OFFSET = '0'.charCodeAt(0); var USTAR_MAGIC = Buffer.from('ustar\x00', 'binary'); var USTAR_VER = Buffer.from('00', 'binary'); var GNU_MAGIC = Buffer.from('ustar\x20', 'binary'); var GNU_VER = Buffer.from('\x20\x00', 'binary'); var MASK = parseInt('7777', 8); var MAGIC_OFFSET = 257; var VERSION_OFFSET = 263; var clamp = function clamp(index, len, defaultValue) { if (typeof index !== 'number') return defaultValue; index = ~~index; // Coerce to integer. if (index >= len) return len; if (index >= 0) return index; index += len; if (index >= 0) return index; return 0; }; var toType = function toType(flag) { switch (flag) { case 0: return 'file'; case 1: return 'link'; case 2: return 'symlink'; case 3: return 'character-device'; case 4: return 'block-device'; case 5: return 'directory'; case 6: return 'fifo'; case 7: return 'contiguous-file'; case 72: return 'pax-header'; case 55: return 'pax-global-header'; case 27: return 'gnu-long-link-path'; case 28: case 30: return 'gnu-long-path'; } return null; }; var toTypeflag = function toTypeflag(flag) { switch (flag) { case 'file': return 0; case 'link': return 1; case 'symlink': return 2; case 'character-device': return 3; case 'block-device': return 4; case 'directory': return 5; case 'fifo': return 6; case 'contiguous-file': return 7; case 'pax-header': return 72; } return 0; }; var indexOf = function indexOf(block, num, offset, end) { for (; offset < end; offset++) { if (block[offset] === num) return offset; } return end; }; var cksum = function cksum(block) { var sum = 8 * 32; for (var i = 0; i < 148; i++) sum += block[i]; for (var j = 156; j < 512; j++) sum += block[j]; return sum; }; var encodeOct = function encodeOct(val, n) { val = val.toString(8); if (val.length > n) return SEVENS.slice(0, n) + ' ';else return ZEROS.slice(0, n - val.length) + val + ' '; }; /* Copied from the node-tar repo and modified to meet * tar-stream coding standard. * * Source: https://github.com/npm/node-tar/blob/51b6627a1f357d2eb433e7378e5f05e83b7aa6cd/lib/header.js#L349 */ function parse256(buf) { // first byte MUST be either 80 or FF // 80 for positive, FF for 2's comp var positive; if (buf[0] === 0x80) positive = true;else if (buf[0] === 0xFF) positive = false;else return null; // build up a base-256 tuple from the least sig to the highest var zero = false; var tuple = []; for (var i = buf.length - 1; i > 0; i--) { var byte = buf[i]; if (positive) tuple.push(byte);else if (zero && byte === 0) tuple.push(0);else if (zero) { zero = false; tuple.push(0x100 - byte); } else tuple.push(0xFF - byte); } var sum = 0; var l = tuple.length; for (i = 0; i < l; i++) { sum += tuple[i] * Math.pow(256, i); } return positive ? sum : -1 * sum; } var decodeOct = function decodeOct(val, offset, length) { val = val.slice(offset, offset + length); offset = 0; // If prefixed with 0x80 then parse as a base-256 integer if (val[offset] & 0x80) { return parse256(val); } else { // Older versions of tar can prefix with spaces while (offset < val.length && val[offset] === 32) offset++; var end = clamp(indexOf(val, 32, offset, val.length), val.length, val.length); while (offset < end && val[offset] === 0) offset++; if (end === offset) return 0; return parseInt(val.slice(offset, end).toString(), 8); } }; var decodeStr = function decodeStr(val, offset, length, encoding) { return val.slice(offset, indexOf(val, 0, offset, offset + length)).toString(encoding); }; var addLength = function addLength(str) { var len = Buffer.byteLength(str); var digits = Math.floor(Math.log(len) / Math.log(10)) + 1; if (len + digits >= Math.pow(10, digits)) digits++; return len + digits + str; }; exports.decodeLongPath = function (buf, encoding) { return decodeStr(buf, 0, buf.length, encoding); }; exports.encodePax = function (opts) { // TODO: encode more stuff in pax var result = ''; if (opts.name) result += addLength(' path=' + opts.name + '\n'); if (opts.linkname) result += addLength(' linkpath=' + opts.linkname + '\n'); var pax = opts.pax; if (pax) { for (var key in pax) { result += addLength(' ' + key + '=' + pax[key] + '\n'); } } return Buffer.from(result); }; exports.decodePax = function (buf) { var result = {}; while (buf.length) { var i = 0; while (i < buf.length && buf[i] !== 32) i++; var len = parseInt(buf.slice(0, i).toString(), 10); if (!len) return result; var b = buf.slice(i + 1, len - 1).toString(); var keyIndex = b.indexOf('='); if (keyIndex === -1) return result; result[b.slice(0, keyIndex)] = b.slice(keyIndex + 1); buf = buf.slice(len); } return result; }; exports.encode = function (opts) { var buf = alloc(512); var name = opts.name; var prefix = ''; if (opts.typeflag === 5 && name[name.length - 1] !== '/') name += '/'; if (Buffer.byteLength(name) !== name.length) return null; // utf-8 while (Buffer.byteLength(name) > 100) { var i = name.indexOf('/'); if (i === -1) return null; prefix += prefix ? '/' + name.slice(0, i) : name.slice(0, i); name = name.slice(i + 1); } if (Buffer.byteLength(name) > 100 || Buffer.byteLength(prefix) > 155) return null; if (opts.linkname && Buffer.byteLength(opts.linkname) > 100) return null; buf.write(name); buf.write(encodeOct(opts.mode & MASK, 6), 100); buf.write(encodeOct(opts.uid, 6), 108); buf.write(encodeOct(opts.gid, 6), 116); buf.write(encodeOct(opts.size, 11), 124); buf.write(encodeOct(opts.mtime.getTime() / 1000 | 0, 11), 136); buf[156] = ZERO_OFFSET + toTypeflag(opts.type); if (opts.linkname) buf.write(opts.linkname, 157); USTAR_MAGIC.copy(buf, MAGIC_OFFSET); USTAR_VER.copy(buf, VERSION_OFFSET); if (opts.uname) buf.write(opts.uname, 265); if (opts.gname) buf.write(opts.gname, 297); buf.write(encodeOct(opts.devmajor || 0, 6), 329); buf.write(encodeOct(opts.devminor || 0, 6), 337); if (prefix) buf.write(prefix, 345); buf.write(encodeOct(cksum(buf), 6), 148); return buf; }; exports.decode = function (buf, filenameEncoding) { var typeflag = buf[156] === 0 ? 0 : buf[156] - ZERO_OFFSET; var name = decodeStr(buf, 0, 100, filenameEncoding); var mode = decodeOct(buf, 100, 8); var uid = decodeOct(buf, 108, 8); var gid = decodeOct(buf, 116, 8); var size = decodeOct(buf, 124, 12); var mtime = decodeOct(buf, 136, 12); var type = toType(typeflag); var linkname = buf[157] === 0 ? null : decodeStr(buf, 157, 100, filenameEncoding); var uname = decodeStr(buf, 265, 32); var gname = decodeStr(buf, 297, 32); var devmajor = decodeOct(buf, 329, 8); var devminor = decodeOct(buf, 337, 8); var c = cksum(buf); // checksum is still initial value if header was null. if (c === 8 * 32) return null; // valid checksum if (c !== decodeOct(buf, 148, 8)) throw new Error('Invalid tar header. Maybe the tar is corrupted or it needs to be gunzipped?'); if (USTAR_MAGIC.compare(buf, MAGIC_OFFSET, MAGIC_OFFSET + 6) === 0) { // ustar (posix) format. // prepend prefix, if present. if (buf[345]) name = decodeStr(buf, 345, 155, filenameEncoding) + '/' + name; } else if (GNU_MAGIC.compare(buf, MAGIC_OFFSET, MAGIC_OFFSET + 6) === 0 && GNU_VER.compare(buf, VERSION_OFFSET, VERSION_OFFSET + 2) === 0) {// 'gnu'/'oldgnu' format. Similar to ustar, but has support for incremental and // multi-volume tarballs. } else { throw new Error('Invalid tar header: unknown format.'); } // to support old tar versions that use trailing / to indicate dirs if (typeflag === 0 && name && name[name.length - 1] === '/') typeflag = 5; return { name: name, mode: mode, uid: uid, gid: gid, size: size, mtime: new Date(1000 * mtime), type: type, linkname: linkname, uname: uname, gname: gname, devmajor: devmajor, devminor: devminor }; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 178 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const pkg = __webpack_require__(389); exports = module.exports = () => { return { 'api-path': '/api/v0/', 'user-agent': "/node-".concat(pkg.name, "/").concat(pkg.version, "/"), host: 'localhost', port: '5001', protocol: 'http' }; }; /***/ }), /* 179 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const Qs = __webpack_require__(390); const qsDefaultEncoder = __webpack_require__(59).encode; const isNode = __webpack_require__(56); const ndjson = __webpack_require__(97); const pump = __webpack_require__(11); const once = __webpack_require__(16); const { getRequest } = __webpack_require__(170); const streamToValue = __webpack_require__(26); const streamToJsonValue = __webpack_require__(395); const log = __webpack_require__(98)('ipfs-http-client:request'); // -- Internal function hasJSONHeaders(res) { return res.headers['content-type'] && res.headers['content-type'].indexOf('application/json') === 0; } function parseError(res, cb) { const error = new Error("Server responded with ".concat(res.statusCode)); error.statusCode = res.statusCode; if (!hasJSONHeaders(res)) { return streamToValue(res, (err, data) => { // eslint-disable-line handle-callback-err // the `err` here refers to errors in stream processing, which // we ignore here, since we already have a valid `error` response // from the server above that we have to report to the caller. if (data && data.length) { error.message = data.toString(); } cb(error); }); } streamToJsonValue(res, (err, payload) => { if (err) { return cb(err); } if (payload) { error.code = payload.Code; error.message = payload.Message || payload.toString(); error.type = payload.Type; } cb(error); }); } function onRes(buffer, cb) { return res => { const stream = Boolean(res.headers['x-stream-output']); const chunkedObjects = Boolean(res.headers['x-chunked-output']); const isJson = hasJSONHeaders(res); if (res.req) { log(res.req.method, "".concat(res.req.getHeaders().host).concat(res.req.path), res.statusCode, res.statusMessage); } else { log(res.url, res.statusCode, res.statusMessage); } if (res.statusCode >= 400 || !res.statusCode) { return parseError(res, cb); } // Return the response stream directly if (stream && !buffer) { return cb(null, res); } // Return a stream of JSON objects if (chunkedObjects && isJson) { const outputStream = ndjson.parse(); pump(res, outputStream); res.on('end', () => { let err = res.trailers['x-stream-error']; if (err) { // Not all errors are JSON try { err = JSON.parse(err); } catch (e) { err = { Message: err }; } outputStream.emit('error', new Error(err.Message)); } }); return cb(null, outputStream); } // Return a JSON object if (isJson) { return streamToJsonValue(res, cb); } // Return a value return streamToValue(res, cb); }; } function requestAPI(config, options, callback) { callback = once(callback); options.qs = options.qs || {}; if (Array.isArray(options.path)) { options.path = options.path.join('/'); } if (options.args && !Array.isArray(options.args)) { options.args = [options.args]; } if (options.args) { options.qs.arg = options.args; } if (options.progress) { options.qs.progress = true; } if (options.qs.r) { options.qs.recursive = options.qs.r; // From IPFS 0.4.0, it throws an error when both r and recursive are passed delete options.qs.r; } options.qs['stream-channels'] = true; if (options.stream) { options.buffer = false; } // this option is only used internally, not passed to daemon delete options.qs.followSymlinks; const method = 'POST'; const headers = Object.assign({}, config.headers); if (isNode) { // Browsers do not allow you to modify the user agent headers['User-Agent'] = config['user-agent']; } if (options.multipart) { if (!options.multipartBoundary) { return callback(new Error('No multipartBoundary')); } headers['Content-Type'] = "multipart/form-data; boundary=".concat(options.multipartBoundary); } const qs = Qs.stringify(options.qs, { arrayFormat: 'repeat', encoder: data => { // TODO: future releases of qs will provide the default // encoder as a 2nd argument to this function; it will // no longer be necessary to import qsDefaultEncoder if (Buffer.isBuffer(data)) { let uriEncoded = ''; for (const byte of data) { // https://tools.ietf.org/html/rfc3986#page-14 // ALPHA (%41-%5A and %61-%7A), DIGIT (%30-%39), hyphen (%2D), period (%2E), underscore (%5F), or tilde (%7E) if (byte >= 0x41 && byte <= 0x5A || byte >= 0x61 && byte <= 0x7A || byte >= 0x30 && byte <= 0x39 || byte === 0x2D || byte === 0x2E || byte === 0x5F || byte === 0x7E) { uriEncoded += String.fromCharCode(byte); } else { const hex = byte.toString(16); // String.prototype.padStart() not widely supported yet const padded = hex.length === 1 ? "0".concat(hex) : hex; uriEncoded += "%".concat(padded); } } return uriEncoded; } return qsDefaultEncoder(data); } }); const reqOptions = { hostname: config.host, path: "".concat(config['api-path']).concat(options.path, "?").concat(qs), port: config.port, method: method, headers: headers, protocol: "".concat(config.protocol, ":") }; const req = getRequest(reqOptions, onRes(options.buffer, callback)); req.on('error', err => { callback(err); }); if (!options.stream) { req.end(); } return req; } // // -- Module Interface exports = module.exports = config => { /* * options: { * path: // API path (like /add or /config) - type: string * args: // Arguments to the command - type: object * qs: // Opts as query string opts to the command --something - type: object * files: // files to be sent - type: string, buffer or array of strings or buffers * buffer: // buffer the request before sending it - type: bool * } */ const send = (options, callback) => { if (typeof options !== 'object') { return callback(new Error('no options were passed')); } return requestAPI(config, options, callback); }; // Send a HTTP request and pass via a transform function // to convert the response data to wanted format before // returning it to the callback. // Eg. send.andTransform({}, (e) => JSON.parse(e), (err, res) => ...) send.andTransform = (options, transform, callback) => { return send(options, (err, res) => { if (err) { return callback(err); } transform(res, callback); }); }; return send; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 180 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var replace = String.prototype.replace; var percentTwenties = /%20/g; var util = __webpack_require__(59); var Format = { RFC1738: 'RFC1738', RFC3986: 'RFC3986' }; module.exports = util.assign({ 'default': Format.RFC3986, formatters: { RFC1738: function RFC1738(value) { return replace.call(value, percentTwenties, '+'); }, RFC3986: function RFC3986(value) { return String(value); } } }, Format); /***/ }), /* 181 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function abortCb(cb, abort, onAbort) { cb(abort); onAbort && onAbort(abort === true ? null : abort); return; }; /***/ }), /* 182 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var sources = __webpack_require__(403); var sinks = __webpack_require__(409); var throughs = __webpack_require__(415); exports = module.exports = __webpack_require__(57); exports.pull = exports; for (var k in sources) exports[k] = sources[k]; for (var k in throughs) exports[k] = throughs[k]; for (var k in sinks) exports[k] = sinks[k]; /***/ }), /* 183 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var abortCb = __webpack_require__(181); module.exports = function once(value, onAbort) { return function (abort, cb) { if (abort) return abortCb(cb, abort, onAbort); if (value != null) { var _value = value; value = null; cb(null, _value); } else cb(true); }; }; /***/ }), /* 184 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var prop = __webpack_require__(43); function id(e) { return e; } module.exports = function tester(test) { return 'object' === typeof test && 'function' === typeof test.test //regexp ? function (data) { return test.test(data); } : prop(test) || id; }; /***/ }), /* 185 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function id(e) { return e; } var prop = __webpack_require__(43); var filter = __webpack_require__(101); //drop items you have already seen. module.exports = function unique(field, invert) { field = prop(field) || id; var seen = {}; return filter(function (data) { var key = field(data); if (seen[key]) return !!invert; //false, by default else seen[key] = true; return !invert; //true by default }); }; /***/ }), /* 186 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = args => { const callback = args.pop(); let opts = {}; let sources = []; if (!Array.isArray(args[args.length - 1]) && typeof args[args.length - 1] === 'object') { opts = args.pop(); } if (args.length === 1 && Array.isArray(args[0])) { // support ipfs.file.cp([src, dest], opts, cb) sources = args[0]; } else { // support ipfs.file.cp(src, dest, opts, cb) and ipfs.file.cp(src1, src2, dest, opts, cb) sources = args; } return { callback, sources, opts }; }; /***/ }), /* 187 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const { Transform, PassThrough } = __webpack_require__(6); const pump = __webpack_require__(11); const ndjson = __webpack_require__(97); const isStream = __webpack_require__(55); const toEntry = entry => { return { name: entry.Name, type: entry.Type, size: entry.Size, hash: entry.Hash }; }; module.exports = send => { return (args, opts) => { opts = opts || {}; const transform = new Transform({ objectMode: true, transform(entry, encoding, callback) { callback(null, toEntry(entry)); } }); const output = new PassThrough({ objectMode: true }); send({ path: 'files/ls', args: args, qs: Object.assign({}, opts, { stream: true }) }, (err, res) => { if (err) { return output.destroy(err); } if (isStream(res)) { const parse = ndjson.parse(); pump(res, parse, transform, output); } else { const entries = res.Entries || []; entries.forEach(entry => { output.write(toEntry(entry)); }); output.end(); } }); return output; }; }; /***/ }), /* 188 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const moduleConfig = __webpack_require__(3); module.exports = arg => { const send = moduleConfig(arg); return { get: __webpack_require__(439)(send), stat: __webpack_require__(440)(send), put: __webpack_require__(441)(send) }; }; /***/ }), /* 189 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const CID = __webpack_require__(5); const withIs = __webpack_require__(27); /** * Represents an immutable block of data that is uniquely referenced with a cid. * * @constructor * @param {Buffer} data - The data to be stored in the block as a buffer. * @param {CID} cid - The cid of the data * * @example * const block = new Block(new Buffer('a012d83b20f9371...')) */ class Block { constructor(data, cid) { if (!data || !Buffer.isBuffer(data)) { throw new Error('first argument must be a buffer'); } if (!cid || !CID.isCID(cid)) { throw new Error('second argument must be a CID'); } this._data = data; this._cid = cid; } /** * The data of this block. * * @type {Buffer} */ get data() { return this._data; } set data(val) { throw new Error('Tried to change an immutable block'); } /** * The cid of the data this block represents. * * @type {CID} */ get cid() { return this._cid; } set cid(val) { throw new Error('Tried to change an immutable block'); } } module.exports = withIs(Block, { className: 'Block', symbolName: '@ipfs/js-ipfs-block/block' }); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 190 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Make certain getters enumnerable * * This can be used to add additional getters that are enumerable and hence * show up on an `Object.keys()` call. * * @param {Object} object - The object it should be applied to * @param {Array.} fields - The fields that should be made enumnerable */ const addEnumerableGetters = (object, fields) => { for (const field of fields) { let prop; let proto = object; // Walk up the proottype chain until a property with the given name is // found while (prop === undefined) { proto = Object.getPrototypeOf(proto); if (proto === null) { throw new Error("no getter named '".concat(field, "' found")); } prop = Object.getOwnPropertyDescriptor(proto, field); } // There is a property with the correct name, but it's not a getter if (prop.get === undefined) { throw new Error("no getter named '".concat(field, "' found")); } Object.defineProperty(object, field, { enumerable: true, get: prop.get }); } }; /** * Makes all properties with a leading underscore non-enumerable. * * @param {Object} object - The object it should be applied to */ const hidePrivateFields = object => { for (const key in object) { if (key[0] === '_') { Object.defineProperty(object, key, { enumerable: false }); } } }; module.exports = { addEnumerableGetters, hidePrivateFields }; /***/ }), /* 191 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.util = __webpack_require__(192); exports.resolver = __webpack_require__(469); exports.codec = exports.util.codec; exports.defaultHashAlg = exports.util.defaultHashAlg; /***/ }), /* 192 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const cbor = __webpack_require__(463); const multicodec = __webpack_require__(37); const multihashing = __webpack_require__(102); const CID = __webpack_require__(5); const isCircular = __webpack_require__(467); // https://github.com/ipfs/go-ipfs/issues/3570#issuecomment-273931692 const CID_CBOR_TAG = 42; function tagCID(cid) { if (typeof cid === 'string') { cid = new CID(cid).buffer; } else if (CID.isCID(cid)) { cid = cid.buffer; } return new cbor.Tagged(CID_CBOR_TAG, Buffer.concat([Buffer.from('00', 'hex'), // thanks jdag cid])); } function replaceCIDbyTAG(dagNode) { let circular; try { circular = isCircular(dagNode); } catch (e) { circular = false; } if (circular) { throw new Error('The object passed has circular references'); } function transform(obj) { if (!obj || Buffer.isBuffer(obj) || typeof obj === 'string') { return obj; } if (Array.isArray(obj)) { return obj.map(transform); } if (CID.isCID(obj)) { return tagCID(obj); } const keys = Object.keys(obj); if (keys.length > 0) { // Recursive transform const out = {}; keys.forEach(key => { if (typeof obj[key] === 'object') { out[key] = transform(obj[key]); } else { out[key] = obj[key]; } }); return out; } else { return obj; } } return transform(dagNode); } exports = module.exports; exports.codec = multicodec.DAG_CBOR; exports.defaultHashAlg = multicodec.SHA2_256; const defaultTags = { [CID_CBOR_TAG]: val => { // remove that 0 val = val.slice(1); return new CID(val); } }; const defaultSize = 64 * 1024; // current decoder heap size, 64 Kb let currentSize = defaultSize; const defaultMaxSize = 64 * 1024 * 1024; // max heap size when auto-growing, 64 Mb let maxSize = defaultMaxSize; let decoder = null; /** * Configure the underlying CBOR decoder. * * @param {Object} [options] - The options the decoder takes. The decoder will reset to the defaul values if no options are given. * @param {number} [options.size=65536] - The current heap size used in CBOR parsing, this may grow automatically as larger blocks are encountered up to `maxSize` * @param {number} [options.maxSize=67108864] - The maximum size the CBOR parsing heap is allowed to grow to before `dagCBOR.util.deserialize()` returns an error * @param {Object} [options.tags] - An object whose keys are CBOR tag numbers and values are transform functions that accept a `value` and return a decoded representation of that `value` */ exports.configureDecoder = options => { let tags = defaultTags; if (options) { if (typeof options.size === 'number') { currentSize = options.size; } if (typeof options.maxSize === 'number') { maxSize = options.maxSize; } if (options.tags) { tags = Object.assign({}, defaultTags, options && options.tags); } } else { // no options, reset to defaults currentSize = defaultSize; maxSize = defaultMaxSize; } let decoderOptions = { tags: tags, size: currentSize }; decoder = new cbor.Decoder(decoderOptions); // borc edits opts.size in-place so we can capture _actual_ size currentSize = decoderOptions.size; }; exports.configureDecoder(); // Setup default cbor.Decoder /** * Serialize internal representation into a binary CBOR block. * * @param {Object} node - Internal representation of a CBOR block * @returns {Buffer} - The encoded binary representation */ exports.serialize = node => { const nodeTagged = replaceCIDbyTAG(node); const serialized = cbor.encode(nodeTagged); return serialized; }; /** * Deserialize CBOR block into the internal representation. * * @param {Buffer} data - Binary representation of a CBOR block * @returns {Object} - An object that conforms to the IPLD Data Model */ exports.deserialize = data => { if (data.length > currentSize && data.length <= maxSize) { exports.configureDecoder({ size: data.length }); } if (data.length > currentSize) { throw new Error('Data is too large to deserialize with current decoder'); } const deserialized = decoder.decodeFirst(data); return deserialized; }; /** * Calculate the CID of the binary blob. * * @param {Object} binaryBlob - Encoded IPLD Node * @param {Object} [userOptions] - Options to create the CID * @param {number} [userOptions.cidVersion=1] - CID version number * @param {string} [UserOptions.hashAlg] - Defaults to the defaultHashAlg of the format * @returns {Promise.} */ exports.cid = async (binaryBlob, userOptions) => { const defaultOptions = { cidVersion: 1, hashAlg: exports.defaultHashAlg }; const options = Object.assign(defaultOptions, userOptions); const multihash = await multihashing(binaryBlob, options.hashAlg); const codecName = multicodec.print[exports.codec]; const cid = new CID(options.cidVersion, codecName, multihash); return cid; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 193 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer, global) { const ieee754 = __webpack_require__(107); const Bignumber = __webpack_require__(19).BigNumber; const parser = __webpack_require__(465); const utils = __webpack_require__(103); const c = __webpack_require__(65); const Simple = __webpack_require__(194); const Tagged = __webpack_require__(195); const { URL } = __webpack_require__(94); /** * Transform binary cbor data into JavaScript objects. */ class Decoder { /** * @param {Object} [opts={}] * @param {number} [opts.size=65536] - Size of the allocated heap. */ constructor(opts) { opts = opts || {}; if (!opts.size || opts.size < 0x10000) { opts.size = 0x10000; } else { // Ensure the size is a power of 2 opts.size = utils.nextPowerOf2(opts.size); } // Heap use to share the input with the parser this._heap = new ArrayBuffer(opts.size); this._heap8 = new Uint8Array(this._heap); this._buffer = Buffer.from(this._heap); this._reset(); // Known tags this._knownTags = Object.assign({ 0: val => new Date(val), 1: val => new Date(val * 1000), 2: val => utils.arrayBufferToBignumber(val), 3: val => c.NEG_ONE.minus(utils.arrayBufferToBignumber(val)), 4: v => { // const v = new Uint8Array(val) return c.TEN.pow(v[0]).times(v[1]); }, 5: v => { // const v = new Uint8Array(val) return c.TWO.pow(v[0]).times(v[1]); }, 32: val => new URL(val), 35: val => new RegExp(val) }, opts.tags); // Initialize asm based parser this.parser = parser(global, { log: console.log.bind(console), pushInt: this.pushInt.bind(this), pushInt32: this.pushInt32.bind(this), pushInt32Neg: this.pushInt32Neg.bind(this), pushInt64: this.pushInt64.bind(this), pushInt64Neg: this.pushInt64Neg.bind(this), pushFloat: this.pushFloat.bind(this), pushFloatSingle: this.pushFloatSingle.bind(this), pushFloatDouble: this.pushFloatDouble.bind(this), pushTrue: this.pushTrue.bind(this), pushFalse: this.pushFalse.bind(this), pushUndefined: this.pushUndefined.bind(this), pushNull: this.pushNull.bind(this), pushInfinity: this.pushInfinity.bind(this), pushInfinityNeg: this.pushInfinityNeg.bind(this), pushNaN: this.pushNaN.bind(this), pushNaNNeg: this.pushNaNNeg.bind(this), pushArrayStart: this.pushArrayStart.bind(this), pushArrayStartFixed: this.pushArrayStartFixed.bind(this), pushArrayStartFixed32: this.pushArrayStartFixed32.bind(this), pushArrayStartFixed64: this.pushArrayStartFixed64.bind(this), pushObjectStart: this.pushObjectStart.bind(this), pushObjectStartFixed: this.pushObjectStartFixed.bind(this), pushObjectStartFixed32: this.pushObjectStartFixed32.bind(this), pushObjectStartFixed64: this.pushObjectStartFixed64.bind(this), pushByteString: this.pushByteString.bind(this), pushByteStringStart: this.pushByteStringStart.bind(this), pushUtf8String: this.pushUtf8String.bind(this), pushUtf8StringStart: this.pushUtf8StringStart.bind(this), pushSimpleUnassigned: this.pushSimpleUnassigned.bind(this), pushTagUnassigned: this.pushTagUnassigned.bind(this), pushTagStart: this.pushTagStart.bind(this), pushTagStart4: this.pushTagStart4.bind(this), pushTagStart8: this.pushTagStart8.bind(this), pushBreak: this.pushBreak.bind(this) }, this._heap); } get _depth() { return this._parents.length; } get _currentParent() { return this._parents[this._depth - 1]; } get _ref() { return this._currentParent.ref; } // Finish the current parent _closeParent() { var p = this._parents.pop(); if (p.length > 0) { throw new Error("Missing ".concat(p.length, " elements")); } switch (p.type) { case c.PARENT.TAG: this._push(this.createTag(p.ref[0], p.ref[1])); break; case c.PARENT.BYTE_STRING: this._push(this.createByteString(p.ref, p.length)); break; case c.PARENT.UTF8_STRING: this._push(this.createUtf8String(p.ref, p.length)); break; case c.PARENT.MAP: if (p.values % 2 > 0) { throw new Error('Odd number of elements in the map'); } this._push(this.createMap(p.ref, p.length)); break; case c.PARENT.OBJECT: if (p.values % 2 > 0) { throw new Error('Odd number of elements in the map'); } this._push(this.createObject(p.ref, p.length)); break; case c.PARENT.ARRAY: this._push(this.createArray(p.ref, p.length)); break; default: break; } if (this._currentParent && this._currentParent.type === c.PARENT.TAG) { this._dec(); } } // Reduce the expected length of the current parent by one _dec() { const p = this._currentParent; // The current parent does not know the epxected child length if (p.length < 0) { return; } p.length--; // All children were seen, we can close the current parent if (p.length === 0) { this._closeParent(); } } // Push any value to the current parent _push(val, hasChildren) { const p = this._currentParent; p.values++; switch (p.type) { case c.PARENT.ARRAY: case c.PARENT.BYTE_STRING: case c.PARENT.UTF8_STRING: if (p.length > -1) { this._ref[this._ref.length - p.length] = val; } else { this._ref.push(val); } this._dec(); break; case c.PARENT.OBJECT: if (p.tmpKey != null) { this._ref[p.tmpKey] = val; p.tmpKey = null; this._dec(); } else { p.tmpKey = val; if (typeof p.tmpKey !== 'string') { // too bad, convert to a Map p.type = c.PARENT.MAP; p.ref = utils.buildMap(p.ref); } } break; case c.PARENT.MAP: if (p.tmpKey != null) { this._ref.set(p.tmpKey, val); p.tmpKey = null; this._dec(); } else { p.tmpKey = val; } break; case c.PARENT.TAG: this._ref.push(val); if (!hasChildren) { this._dec(); } break; default: throw new Error('Unknown parent type'); } } // Create a new parent in the parents list _createParent(obj, type, len) { this._parents[this._depth] = { type: type, length: len, ref: obj, values: 0, tmpKey: null }; } // Reset all state back to the beginning, also used for initiatlization _reset() { this._res = []; this._parents = [{ type: c.PARENT.ARRAY, length: -1, ref: this._res, values: 0, tmpKey: null }]; } // -- Interface to customize deoding behaviour createTag(tagNumber, value) { const typ = this._knownTags[tagNumber]; if (!typ) { return new Tagged(tagNumber, value); } return typ(value); } createMap(obj, len) { return obj; } createObject(obj, len) { return obj; } createArray(arr, len) { return arr; } createByteString(raw, len) { return Buffer.concat(raw); } createByteStringFromHeap(start, end) { if (start === end) { return Buffer.alloc(0); } return Buffer.from(this._heap.slice(start, end)); } createInt(val) { return val; } createInt32(f, g) { return utils.buildInt32(f, g); } createInt64(f1, f2, g1, g2) { return utils.buildInt64(f1, f2, g1, g2); } createFloat(val) { return val; } createFloatSingle(a, b, c, d) { return ieee754.read([a, b, c, d], 0, false, 23, 4); } createFloatDouble(a, b, c, d, e, f, g, h) { return ieee754.read([a, b, c, d, e, f, g, h], 0, false, 52, 8); } createInt32Neg(f, g) { return -1 - utils.buildInt32(f, g); } createInt64Neg(f1, f2, g1, g2) { const f = utils.buildInt32(f1, f2); const g = utils.buildInt32(g1, g2); if (f > c.MAX_SAFE_HIGH) { return c.NEG_ONE.minus(new Bignumber(f).times(c.SHIFT32).plus(g)); } return -1 - (f * c.SHIFT32 + g); } createTrue() { return true; } createFalse() { return false; } createNull() { return null; } createUndefined() { return void 0; } createInfinity() { return Infinity; } createInfinityNeg() { return -Infinity; } createNaN() { return NaN; } createNaNNeg() { return -NaN; } createUtf8String(raw, len) { return raw.join(''); } createUtf8StringFromHeap(start, end) { if (start === end) { return ''; } return this._buffer.toString('utf8', start, end); } createSimpleUnassigned(val) { return new Simple(val); } // -- Interface for decoder.asm.js pushInt(val) { this._push(this.createInt(val)); } pushInt32(f, g) { this._push(this.createInt32(f, g)); } pushInt64(f1, f2, g1, g2) { this._push(this.createInt64(f1, f2, g1, g2)); } pushFloat(val) { this._push(this.createFloat(val)); } pushFloatSingle(a, b, c, d) { this._push(this.createFloatSingle(a, b, c, d)); } pushFloatDouble(a, b, c, d, e, f, g, h) { this._push(this.createFloatDouble(a, b, c, d, e, f, g, h)); } pushInt32Neg(f, g) { this._push(this.createInt32Neg(f, g)); } pushInt64Neg(f1, f2, g1, g2) { this._push(this.createInt64Neg(f1, f2, g1, g2)); } pushTrue() { this._push(this.createTrue()); } pushFalse() { this._push(this.createFalse()); } pushNull() { this._push(this.createNull()); } pushUndefined() { this._push(this.createUndefined()); } pushInfinity() { this._push(this.createInfinity()); } pushInfinityNeg() { this._push(this.createInfinityNeg()); } pushNaN() { this._push(this.createNaN()); } pushNaNNeg() { this._push(this.createNaNNeg()); } pushArrayStart() { this._createParent([], c.PARENT.ARRAY, -1); } pushArrayStartFixed(len) { this._createArrayStartFixed(len); } pushArrayStartFixed32(len1, len2) { const len = utils.buildInt32(len1, len2); this._createArrayStartFixed(len); } pushArrayStartFixed64(len1, len2, len3, len4) { const len = utils.buildInt64(len1, len2, len3, len4); this._createArrayStartFixed(len); } pushObjectStart() { this._createObjectStartFixed(-1); } pushObjectStartFixed(len) { this._createObjectStartFixed(len); } pushObjectStartFixed32(len1, len2) { const len = utils.buildInt32(len1, len2); this._createObjectStartFixed(len); } pushObjectStartFixed64(len1, len2, len3, len4) { const len = utils.buildInt64(len1, len2, len3, len4); this._createObjectStartFixed(len); } pushByteStringStart() { this._parents[this._depth] = { type: c.PARENT.BYTE_STRING, length: -1, ref: [], values: 0, tmpKey: null }; } pushByteString(start, end) { this._push(this.createByteStringFromHeap(start, end)); } pushUtf8StringStart() { this._parents[this._depth] = { type: c.PARENT.UTF8_STRING, length: -1, ref: [], values: 0, tmpKey: null }; } pushUtf8String(start, end) { this._push(this.createUtf8StringFromHeap(start, end)); } pushSimpleUnassigned(val) { this._push(this.createSimpleUnassigned(val)); } pushTagStart(tag) { this._parents[this._depth] = { type: c.PARENT.TAG, length: 1, ref: [tag] }; } pushTagStart4(f, g) { this.pushTagStart(utils.buildInt32(f, g)); } pushTagStart8(f1, f2, g1, g2) { this.pushTagStart(utils.buildInt64(f1, f2, g1, g2)); } pushTagUnassigned(tagNumber) { this._push(this.createTag(tagNumber)); } pushBreak() { if (this._currentParent.length > -1) { throw new Error('Unexpected break'); } this._closeParent(); } _createObjectStartFixed(len) { if (len === 0) { this._push(this.createObject({})); return; } this._createParent({}, c.PARENT.OBJECT, len); } _createArrayStartFixed(len) { if (len === 0) { this._push(this.createArray([])); return; } this._createParent(new Array(len), c.PARENT.ARRAY, len); } _decode(input) { if (input.byteLength === 0) { throw new Error('Input too short'); } this._reset(); this._heap8.set(input); const code = this.parser.parse(input.byteLength); if (this._depth > 1) { while (this._currentParent.length === 0) { this._closeParent(); } if (this._depth > 1) { throw new Error('Undeterminated nesting'); } } if (code > 0) { throw new Error('Failed to parse'); } if (this._res.length === 0) { throw new Error('No valid result'); } } // -- Public Interface decodeFirst(input) { this._decode(input); return this._res[0]; } decodeAll(input) { this._decode(input); return this._res; } /** * Decode the first cbor object. * * @param {Buffer|string} input * @param {string} [enc='hex'] - Encoding used if a string is passed. * @returns {*} */ static decode(input, enc) { if (typeof input === 'string') { input = Buffer.from(input, enc || 'hex'); } const dec = new Decoder({ size: input.length }); return dec.decodeFirst(input); } /** * Decode all cbor objects. * * @param {Buffer|string} input * @param {string} [enc='hex'] - Encoding used if a string is passed. * @returns {Array<*>} */ static decodeAll(input, enc) { if (typeof input === 'string') { input = Buffer.from(input, enc || 'hex'); } const dec = new Decoder({ size: input.length }); return dec.decodeAll(input); } } Decoder.decodeFirst = Decoder.decode; module.exports = Decoder; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer, __webpack_require__(10))) /***/ }), /* 194 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const constants = __webpack_require__(65); const MT = constants.MT; const SIMPLE = constants.SIMPLE; const SYMS = constants.SYMS; /** * A CBOR Simple Value that does not map onto a known constant. */ class Simple { /** * Creates an instance of Simple. * * @param {integer} value - the simple value's integer value */ constructor(value) { if (typeof value !== 'number') { throw new Error('Invalid Simple type: ' + typeof value); } if (value < 0 || value > 255 || (value | 0) !== value) { throw new Error('value must be a small positive integer: ' + value); } this.value = value; } /** * Debug string for simple value * * @returns {string} simple(value) */ toString() { return 'simple(' + this.value + ')'; } /** * Debug string for simple value * * @returns {string} simple(value) */ inspect() { return 'simple(' + this.value + ')'; } /** * Push the simple value onto the CBOR stream * * @param {cbor.Encoder} gen The generator to push onto * @returns {number} */ encodeCBOR(gen) { return gen._pushInt(this.value, MT.SIMPLE_FLOAT); } /** * Is the given object a Simple? * * @param {any} obj - object to test * @returns {bool} - is it Simple? */ static isSimple(obj) { return obj instanceof Simple; } /** * Decode from the CBOR additional information into a JavaScript value. * If the CBOR item has no parent, return a "safe" symbol instead of * `null` or `undefined`, so that the value can be passed through a * stream in object mode. * * @param {Number} val - the CBOR additional info to convert * @param {bool} hasParent - Does the CBOR item have a parent? * @returns {(null|undefined|Boolean|Symbol)} - the decoded value */ static decode(val, hasParent) { if (hasParent == null) { hasParent = true; } switch (val) { case SIMPLE.FALSE: return false; case SIMPLE.TRUE: return true; case SIMPLE.NULL: if (hasParent) { return null; } else { return SYMS.NULL; } case SIMPLE.UNDEFINED: if (hasParent) { return void 0; } else { return SYMS.UNDEFINED; } case -1: if (!hasParent) { throw new Error('Invalid BREAK'); } return SYMS.BREAK; default: return new Simple(val); } } } module.exports = Simple; /***/ }), /* 195 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * A CBOR tagged item, where the tag does not have semantics specified at the * moment, or those semantics threw an error during parsing. Typically this will * be an extension point you're not yet expecting. */ class Tagged { /** * Creates an instance of Tagged. * * @param {Number} tag - the number of the tag * @param {any} value - the value inside the tag * @param {Error} err - the error that was thrown parsing the tag, or null */ constructor(tag, value, err) { this.tag = tag; this.value = value; this.err = err; if (typeof this.tag !== 'number') { throw new Error('Invalid tag type (' + typeof this.tag + ')'); } if (this.tag < 0 || (this.tag | 0) !== this.tag) { throw new Error('Tag must be a positive integer: ' + this.tag); } } /** * Convert to a String * * @returns {String} string of the form '1(2)' */ toString() { return "".concat(this.tag, "(").concat(JSON.stringify(this.value), ")"); } /** * Push the simple value onto the CBOR stream * * @param {cbor.Encoder} gen The generator to push onto * @returns {number} */ encodeCBOR(gen) { gen._pushTag(this.tag); return gen.pushAny(this.value); } /** * If we have a converter for this type, do the conversion. Some converters * are built-in. Additional ones can be passed in. If you want to remove * a built-in converter, pass a converter in whose value is 'null' instead * of a function. * * @param {Object} converters - keys in the object are a tag number, the value * is a function that takes the decoded CBOR and returns a JavaScript value * of the appropriate type. Throw an exception in the function on errors. * @returns {any} - the converted item */ convert(converters) { var er, f; f = converters != null ? converters[this.tag] : void 0; if (typeof f !== 'function') { f = Tagged['_tag' + this.tag]; if (typeof f !== 'function') { return this; } } try { return f.call(Tagged, this.value); } catch (error) { er = error; this.err = er; return this; } } } module.exports = Tagged; /***/ }), /* 196 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global) { function _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i < sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) >= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; } function _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i < sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) >= 0) continue; target[key] = source[key]; } return target; } function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); if (enumerableOnly) symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; }); keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { ownKeys(source, true).forEach(function (key) { _defineProperty(target, key, source[key]); }); } else if (Object.getOwnPropertyDescriptors) { Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)); } else { ownKeys(source).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } } return target; } function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } (function (global, factory) { true ? factory(exports) : undefined; })(void 0, function (exports) { 'use strict'; /*! MIT License © Sindre Sorhus */ const getGlobal = property => { /* istanbul ignore next */ if (typeof self !== 'undefined' && self && property in self) { return self[property]; } /* istanbul ignore next */ if (typeof window !== 'undefined' && window && property in window) { return window[property]; } if (typeof global !== 'undefined' && global && property in global) { return global[property]; } /* istanbul ignore next */ if (typeof globalThis !== 'undefined' && globalThis) { return globalThis[property]; } }; const document = getGlobal('document'); const Headers = getGlobal('Headers'); const Response = getGlobal('Response'); const ReadableStream = getGlobal('ReadableStream'); const fetch = getGlobal('fetch'); const AbortController = getGlobal('AbortController'); const FormData = getGlobal('FormData'); const isObject = value => value !== null && typeof value === 'object'; const supportsAbortController = typeof AbortController === 'function'; const supportsStreams = typeof ReadableStream === 'function'; const supportsFormData = typeof FormData === 'function'; const deepMerge = function deepMerge() { let returnValue = {}; for (var _len = arguments.length, sources = new Array(_len), _key = 0; _key < _len; _key++) { sources[_key] = arguments[_key]; } for (const source of sources) { if (Array.isArray(source)) { if (!Array.isArray(returnValue)) { returnValue = []; } returnValue = [...returnValue, ...source]; } else if (isObject(source)) { for (let [key, value] of Object.entries(source)) { if (isObject(value) && Reflect.has(returnValue, key)) { value = deepMerge(returnValue[key], value); } returnValue = _objectSpread({}, returnValue, { [key]: value }); } } } return returnValue; }; const requestMethods = ['get', 'post', 'put', 'patch', 'head', 'delete']; const responseTypes = { json: 'application/json', text: 'text/*', formData: 'multipart/form-data', arrayBuffer: '*/*', blob: '*/*' }; const retryMethods = new Set(['get', 'put', 'head', 'delete', 'options', 'trace']); const retryStatusCodes = new Set([408, 413, 429, 500, 502, 503, 504]); const retryAfterStatusCodes = new Set([413, 429, 503]); class HTTPError extends Error { constructor(response) { super(response.statusText); this.name = 'HTTPError'; this.response = response; } } class TimeoutError extends Error { constructor() { super('Request timed out'); this.name = 'TimeoutError'; } } const safeTimeout = (resolve, reject, ms) => { if (ms > 2147483647) { // The maximum value of a 32bit int (see #117) reject(new RangeError('The `timeout` option cannot be greater than 2147483647')); } return setTimeout(resolve, ms); }; const delay = ms => new Promise((resolve, reject) => safeTimeout(resolve, reject, ms)); // `Promise.race()` workaround (#91) const timeout = (promise, ms, abortController) => new Promise((resolve, reject) => { const timeoutID = safeTimeout(() => { if (supportsAbortController) { abortController.abort(); } reject(new TimeoutError()); }, reject, ms); /* eslint-disable promise/prefer-await-to-then */ promise.then(resolve).catch(reject).then(() => { clearTimeout(timeoutID); }); /* eslint-enable promise/prefer-await-to-then */ }); const normalizeRequestMethod = input => requestMethods.includes(input) ? input.toUpperCase() : input; class Ky { constructor(input, _ref) { let { timeout = 10000, hooks, throwHttpErrors = true, searchParams, json } = _ref, otherOptions = _objectWithoutProperties(_ref, ["timeout", "hooks", "throwHttpErrors", "searchParams", "json"]); this._retryCount = 0; this._options = _objectSpread({ method: 'get', credentials: 'same-origin', // TODO: This can be removed when the spec change is implemented in all browsers. Context: https://www.chromestatus.com/feature/4539473312350208 retry: 2 }, otherOptions); if (supportsAbortController) { this.abortController = new AbortController(); if (this._options.signal) { this._options.signal.addEventListener('abort', () => { this.abortController.abort(); }); } this._options.signal = this.abortController.signal; } this._options.method = normalizeRequestMethod(this._options.method); this._options.prefixUrl = String(this._options.prefixUrl || ''); this._input = String(input || ''); if (this._options.prefixUrl && this._input.startsWith('/')) { throw new Error('`input` must not begin with a slash when using `prefixUrl`'); } if (this._options.prefixUrl && !this._options.prefixUrl.endsWith('/')) { this._options.prefixUrl += '/'; } this._input = this._options.prefixUrl + this._input; if (searchParams) { const url = new URL(this._input, document && document.baseURI); if (typeof searchParams === 'string' || URLSearchParams && searchParams instanceof URLSearchParams) { url.search = searchParams; } else if (Object.values(searchParams).every(param => typeof param === 'number' || typeof param === 'string')) { url.search = new URLSearchParams(searchParams).toString(); } else { throw new Error('The `searchParams` option must be either a string, `URLSearchParams` instance or an object with string and number values'); } this._input = url.toString(); } this._timeout = timeout; this._hooks = deepMerge({ beforeRequest: [], afterResponse: [] }, hooks); this._throwHttpErrors = throwHttpErrors; const headers = new Headers(this._options.headers || {}); if ((supportsFormData && this._options.body instanceof FormData || this._options.body instanceof URLSearchParams) && headers.has('content-type')) { throw new Error("The `content-type` header cannot be used with a ".concat(this._options.body.constructor.name, " body. It will be set automatically.")); } if (json) { if (this._options.body) { throw new Error('The `json` option cannot be used with the `body` option'); } headers.set('content-type', 'application/json'); this._options.body = JSON.stringify(json); } this._options.headers = headers; const fn = async () => { await delay(1); let response = await this._fetch(); for (const hook of this._hooks.afterResponse) { // eslint-disable-next-line no-await-in-loop const modifiedResponse = await hook(response.clone()); if (modifiedResponse instanceof Response) { response = modifiedResponse; } } if (!response.ok && this._throwHttpErrors) { throw new HTTPError(response); } // If `onDownloadProgress` is passed, it uses the stream API internally /* istanbul ignore next */ if (this._options.onDownloadProgress) { if (typeof this._options.onDownloadProgress !== 'function') { throw new TypeError('The `onDownloadProgress` option must be a function'); } if (!supportsStreams) { throw new Error('Streams are not supported in your environment. `ReadableStream` is missing.'); } return this._stream(response.clone(), this._options.onDownloadProgress); } return response; }; const isRetriableMethod = retryMethods.has(this._options.method.toLowerCase()); const result = isRetriableMethod ? this._retry(fn) : fn(); for (const [type, mimeType] of Object.entries(responseTypes)) { result[type] = async () => { headers.set('accept', mimeType); return (await result).clone()[type](); }; } return result; } _calculateRetryDelay(error) { this._retryCount++; if (this._retryCount < this._options.retry && !(error instanceof TimeoutError)) { if (error instanceof HTTPError) { if (!retryStatusCodes.has(error.response.status)) { return 0; } const retryAfter = error.response.headers.get('Retry-After'); if (retryAfter && retryAfterStatusCodes.has(error.response.status)) { let after = Number(retryAfter); if (Number.isNaN(after)) { after = Date.parse(retryAfter) - Date.now(); } else { after *= 1000; } return after; } if (error.response.status === 413) { return 0; } } const BACKOFF_FACTOR = 0.3; return BACKOFF_FACTOR * 2 ** (this._retryCount - 1) * 1000; } return 0; } async _retry(fn) { try { return await fn(); } catch (error) { const ms = this._calculateRetryDelay(error); if (ms !== 0 && this._retryCount > 0) { await delay(ms); return this._retry(fn); } if (this._throwHttpErrors) { throw error; } } } async _fetch() { for (const hook of this._hooks.beforeRequest) { // eslint-disable-next-line no-await-in-loop await hook(this._options); } if (this._timeout === false) { return fetch(this._input, this._options); } return timeout(fetch(this._input, this._options), this._timeout, this.abortController); } /* istanbul ignore next */ _stream(response, onDownloadProgress) { const totalBytes = Number(response.headers.get('content-length')) || 0; let transferredBytes = 0; return new Response(new ReadableStream({ start(controller) { const reader = response.body.getReader(); if (onDownloadProgress) { onDownloadProgress({ percent: 0, transferredBytes: 0, totalBytes }, new Uint8Array()); } async function read() { const { done, value } = await reader.read(); if (done) { controller.close(); return; } if (onDownloadProgress) { transferredBytes += value.byteLength; const percent = totalBytes === 0 ? 0 : transferredBytes / totalBytes; onDownloadProgress({ percent, transferredBytes, totalBytes }, value); } controller.enqueue(value); read(); } read(); } })); } } const validateAndMerge = function validateAndMerge() { for (var _len2 = arguments.length, sources = new Array(_len2), _key2 = 0; _key2 < _len2; _key2++) { sources[_key2] = arguments[_key2]; } for (const source of sources) { if ((!isObject(source) || Array.isArray(source)) && typeof source !== 'undefined') { throw new TypeError('The `options` argument must be an object'); } } return deepMerge({}, ...sources); }; const createInstance = defaults => { const ky = (input, options) => new Ky(input, validateAndMerge(defaults, options)); for (const method of requestMethods) { ky[method] = (input, options) => new Ky(input, validateAndMerge(defaults, options, { method })); } ky.create = newDefaults => createInstance(validateAndMerge(newDefaults)); ky.extend = newDefaults => createInstance(validateAndMerge(defaults, newDefaults)); return ky; }; var index = createInstance(); exports.HTTPError = HTTPError; exports.TimeoutError = TimeoutError; exports.default = index; Object.defineProperty(exports, '__esModule', { value: true }); }); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(10))) /***/ }), /* 197 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const { Buffer } = __webpack_require__(0); const configure = __webpack_require__(46); module.exports = configure((_ref) => { let { ky } = _ref; return async (topic, data, options) => { options = options || {}; data = Buffer.from(data); const searchParams = new URLSearchParams(options.searchParams); searchParams.set('arg', topic); const res = await ky.post("pubsub/pub?".concat(searchParams, "&arg=").concat(encodeBuffer(data)), { timeout: options.timeout, signal: options.signal, headers: options.headers }).text(); return res; }; }); function encodeBuffer(buf) { let uriEncoded = ''; for (const byte of buf) { // https://tools.ietf.org/html/rfc3986#page-14 // ALPHA (%41-%5A and %61-%7A), DIGIT (%30-%39), hyphen (%2D), period (%2E), // underscore (%5F), or tilde (%7E) if (byte >= 0x41 && byte <= 0x5A || byte >= 0x61 && byte <= 0x7A || byte >= 0x30 && byte <= 0x39 || byte === 0x2D || byte === 0x2E || byte === 0x5F || byte === 0x7E) { uriEncoded += String.fromCharCode(byte); } else { uriEncoded += "%".concat(byte.toString(16).padStart(2, '0')); } } return uriEncoded; } /***/ }), /* 198 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; function _awaitAsyncGenerator(value) { return new _AwaitValue(value); } function _wrapAsyncGenerator(fn) { return function () { return new _AsyncGenerator(fn.apply(this, arguments)); }; } function _AsyncGenerator(gen) { var front, back; function send(key, arg) { return new Promise(function (resolve, reject) { var request = { key: key, arg: arg, resolve: resolve, reject: reject, next: null }; if (back) { back = back.next = request; } else { front = back = request; resume(key, arg); } }); } function resume(key, arg) { try { var result = gen[key](arg); var value = result.value; var wrappedAwait = value instanceof _AwaitValue; Promise.resolve(wrappedAwait ? value.wrapped : value).then(function (arg) { if (wrappedAwait) { resume("next", arg); return; } settle(result.done ? "return" : "normal", arg); }, function (err) { resume("throw", err); }); } catch (err) { settle("throw", err); } } function settle(type, value) { switch (type) { case "return": front.resolve({ value: value, done: true }); break; case "throw": front.reject(value); break; default: front.resolve({ value: value, done: false }); break; } front = front.next; if (front) { resume(front.key, front.arg); } else { back = null; } } this._invoke = send; if (typeof gen.return !== "function") { this.return = undefined; } } if (typeof Symbol === "function" && Symbol.asyncIterator) { _AsyncGenerator.prototype[Symbol.asyncIterator] = function () { return this; }; } _AsyncGenerator.prototype.next = function (arg) { return this._invoke("next", arg); }; _AsyncGenerator.prototype.throw = function (arg) { return this._invoke("throw", arg); }; _AsyncGenerator.prototype.return = function (arg) { return this._invoke("return", arg); }; function _AwaitValue(value) { this.wrapped = value; } function _asyncIterator(iterable) { var method; if (typeof Symbol !== "undefined") { if (Symbol.asyncIterator) { method = iterable[Symbol.asyncIterator]; if (method != null) return method.call(iterable); } if (Symbol.iterator) { method = iterable[Symbol.iterator]; if (method != null) return method.call(iterable); } } throw new TypeError("Object is not async iterable"); } /* eslint-env browser */ module.exports = source => _wrapAsyncGenerator(function* () { const matcher = /\r?\n/; const decoder = new TextDecoder('utf8'); let buffer = ''; var _iteratorNormalCompletion = true; var _didIteratorError = false; var _iteratorError; try { for (var _iterator = _asyncIterator(source), _step, _value; _step = yield _awaitAsyncGenerator(_iterator.next()), _iteratorNormalCompletion = _step.done, _value = yield _awaitAsyncGenerator(_step.value), !_iteratorNormalCompletion; _iteratorNormalCompletion = true) { let chunk = _value; if (typeof chunk === 'string') { chunk = new TextEncoder().encode(chunk); } buffer += decoder.decode(chunk, { stream: true }); const parts = buffer.split(matcher); buffer = parts.pop(); for (let i = 0; i < parts.length; i++) yield JSON.parse(parts[i]); } } catch (err) { _didIteratorError = true; _iteratorError = err; } finally { try { if (!_iteratorNormalCompletion && _iterator.return != null) { yield _awaitAsyncGenerator(_iterator.return()); } } finally { if (_didIteratorError) { throw _iteratorError; } } } buffer += decoder.decode(); if (buffer) yield JSON.parse(buffer); })(); /***/ }), /* 199 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const AbortController = __webpack_require__(531); class SubscriptionTracker { constructor() { this._subs = new Map(); } static singleton() { if (SubscriptionTracker.instance) return SubscriptionTracker.instance; SubscriptionTracker.instance = new SubscriptionTracker(); return SubscriptionTracker.instance; } subscribe(topic, handler, signal) { const topicSubs = this._subs.get(topic) || []; if (topicSubs.find(s => s.handler === handler)) { throw new Error("Already subscribed to ".concat(topic, " with this handler")); } // Create controller so a call to unsubscribe can cancel the request const controller = new AbortController(); this._subs.set(topic, [{ handler, controller }].concat(topicSubs)); // If there is an external signal, forward the abort event if (signal) { signal.addEventListener('abort', () => this.unsubscribe(topic, handler)); } return controller.signal; } unsubscribe(topic, handler) { const subs = this._subs.get(topic) || []; let unsubs; if (handler) { this._subs.set(topic, subs.filter(s => s.handler !== handler)); unsubs = subs.filter(s => s.handler === handler); } else { this._subs.set(topic, []); unsubs = subs; } unsubs.forEach(s => s.controller.abort()); } } module.exports = SubscriptionTracker; /***/ }), /* 200 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const promisify = __webpack_require__(1); const moduleConfig = __webpack_require__(3); module.exports = arg => { const send = moduleConfig(arg); return promisify(callback => { send({ path: 'shutdown' }, callback); }); }; /***/ }), /* 201 */ /***/ (function(module, exports, __webpack_require__) { module.exports = __webpack_require__(202); /***/ }), /* 202 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* global self */ const isIPFS = __webpack_require__(13); const { Buffer } = __webpack_require__(0); const CID = __webpack_require__(5); const multiaddr = __webpack_require__(15); const multibase = __webpack_require__(47); const multicodec = __webpack_require__(37); const multihash = __webpack_require__(14); const PeerId = __webpack_require__(22); const PeerInfo = __webpack_require__(41); const loadCommands = __webpack_require__(318); const getConfig = __webpack_require__(178); const sendRequest = __webpack_require__(179); function ipfsClient(hostOrMultiaddr, port, userOptions) { // convert all three params to objects that we can merge. let options = {}; if (!hostOrMultiaddr) { // autoconfigure host and port in browser if (typeof self !== 'undefined') { options = urlToOptions(self.location); } } else if (multiaddr.isMultiaddr(hostOrMultiaddr)) { options = maToOptions(hostOrMultiaddr); } else if (typeof hostOrMultiaddr === 'object') { options = hostOrMultiaddr; } else if (typeof hostOrMultiaddr === 'string') { if (hostOrMultiaddr[0] === '/') { // throws if multiaddr is malformed or can't be converted to a nodeAddress options = maToOptions(multiaddr(hostOrMultiaddr)); } else { // hostOrMultiaddr is domain or ip address as a string options.host = hostOrMultiaddr; } } if (port && typeof port !== 'object') { port = { port: port }; } const config = Object.assign(getConfig(), options, port, userOptions); const requestAPI = sendRequest(config); const cmds = loadCommands(requestAPI, config); cmds.send = requestAPI; return cmds; } function maToOptions(multiaddr) { // ma.nodeAddress() throws if multiaddr can't be converted to a nodeAddress const nodeAddr = multiaddr.nodeAddress(); const protos = multiaddr.protos(); // only http and https are allowed as protocol, // anything else will be replaced with http const exitProtocol = protos[protos.length - 1].name; return { host: nodeAddr.address, port: nodeAddr.port, protocol: exitProtocol.startsWith('http') ? exitProtocol : 'http' }; } function urlToOptions(url) { return { host: url.hostname, port: url.port || (url.protocol.startsWith('https') ? 443 : 80), protocol: url.protocol.startsWith('http') ? url.protocol.split(':')[0] : 'http' }; } module.exports = ipfsClient; Object.assign(module.exports, { isIPFS, Buffer, CID, multiaddr, multibase, multicodec, multihash, PeerId, PeerInfo }); /***/ }), /* 203 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; exports.byteLength = byteLength; exports.toByteArray = toByteArray; exports.fromByteArray = fromByteArray; var lookup = []; var revLookup = []; var Arr = typeof Uint8Array !== 'undefined' ? Uint8Array : Array; var code = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'; for (var i = 0, len = code.length; i < len; ++i) { lookup[i] = code[i]; revLookup[code.charCodeAt(i)] = i; } // Support decoding URL-safe base64 strings, as Node.js does. // See: https://en.wikipedia.org/wiki/Base64#URL_applications revLookup['-'.charCodeAt(0)] = 62; revLookup['_'.charCodeAt(0)] = 63; function getLens(b64) { var len = b64.length; if (len % 4 > 0) { throw new Error('Invalid string. Length must be a multiple of 4'); } // Trim off extra bytes after placeholder bytes are found // See: https://github.com/beatgammit/base64-js/issues/42 var validLen = b64.indexOf('='); if (validLen === -1) validLen = len; var placeHoldersLen = validLen === len ? 0 : 4 - validLen % 4; return [validLen, placeHoldersLen]; } // base64 is 4/3 + up to two characters of the original data function byteLength(b64) { var lens = getLens(b64); var validLen = lens[0]; var placeHoldersLen = lens[1]; return (validLen + placeHoldersLen) * 3 / 4 - placeHoldersLen; } function _byteLength(b64, validLen, placeHoldersLen) { return (validLen + placeHoldersLen) * 3 / 4 - placeHoldersLen; } function toByteArray(b64) { var tmp; var lens = getLens(b64); var validLen = lens[0]; var placeHoldersLen = lens[1]; var arr = new Arr(_byteLength(b64, validLen, placeHoldersLen)); var curByte = 0; // if there are placeholders, only get up to the last complete 4 chars var len = placeHoldersLen > 0 ? validLen - 4 : validLen; var i; for (i = 0; i < len; i += 4) { tmp = revLookup[b64.charCodeAt(i)] << 18 | revLookup[b64.charCodeAt(i + 1)] << 12 | revLookup[b64.charCodeAt(i + 2)] << 6 | revLookup[b64.charCodeAt(i + 3)]; arr[curByte++] = tmp >> 16 & 0xFF; arr[curByte++] = tmp >> 8 & 0xFF; arr[curByte++] = tmp & 0xFF; } if (placeHoldersLen === 2) { tmp = revLookup[b64.charCodeAt(i)] << 2 | revLookup[b64.charCodeAt(i + 1)] >> 4; arr[curByte++] = tmp & 0xFF; } if (placeHoldersLen === 1) { tmp = revLookup[b64.charCodeAt(i)] << 10 | revLookup[b64.charCodeAt(i + 1)] << 4 | revLookup[b64.charCodeAt(i + 2)] >> 2; arr[curByte++] = tmp >> 8 & 0xFF; arr[curByte++] = tmp & 0xFF; } return arr; } function tripletToBase64(num) { return lookup[num >> 18 & 0x3F] + lookup[num >> 12 & 0x3F] + lookup[num >> 6 & 0x3F] + lookup[num & 0x3F]; } function encodeChunk(uint8, start, end) { var tmp; var output = []; for (var i = start; i < end; i += 3) { tmp = (uint8[i] << 16 & 0xFF0000) + (uint8[i + 1] << 8 & 0xFF00) + (uint8[i + 2] & 0xFF); output.push(tripletToBase64(tmp)); } return output.join(''); } function fromByteArray(uint8) { var tmp; var len = uint8.length; var extraBytes = len % 3; // if we have 1 byte left, pad 2 bytes var parts = []; var maxChunkLength = 16383; // must be multiple of 3 // go through the array every three bytes, we'll deal with trailing stuff later for (var i = 0, len2 = len - extraBytes; i < len2; i += maxChunkLength) { parts.push(encodeChunk(uint8, i, i + maxChunkLength > len2 ? len2 : i + maxChunkLength)); } // pad the end with zeros, but make sure to not forget the extra bytes if (extraBytes === 1) { tmp = uint8[len - 1]; parts.push(lookup[tmp >> 2] + lookup[tmp << 4 & 0x3F] + '=='); } else if (extraBytes === 2) { tmp = (uint8[len - 2] << 8) + uint8[len - 1]; parts.push(lookup[tmp >> 10] + lookup[tmp >> 4 & 0x3F] + lookup[tmp << 2 & 0x3F] + '='); } return parts.join(''); } /***/ }), /* 204 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // base-x encoding / decoding // Copyright (c) 2018 base-x contributors // Copyright (c) 2014-2018 The Bitcoin Core developers (base58.cpp) // Distributed under the MIT software license, see the accompanying // file LICENSE or http://www.opensource.org/licenses/mit-license.php. // @ts-ignore var _Buffer = __webpack_require__(8).Buffer; function base(ALPHABET) { if (ALPHABET.length >= 255) { throw new TypeError('Alphabet too long'); } var BASE_MAP = new Uint8Array(256); BASE_MAP.fill(255); for (var i = 0; i < ALPHABET.length; i++) { var x = ALPHABET.charAt(i); var xc = x.charCodeAt(0); if (BASE_MAP[xc] !== 255) { throw new TypeError(x + ' is ambiguous'); } BASE_MAP[xc] = i; } var BASE = ALPHABET.length; var LEADER = ALPHABET.charAt(0); var FACTOR = Math.log(BASE) / Math.log(256); // log(BASE) / log(256), rounded up var iFACTOR = Math.log(256) / Math.log(BASE); // log(256) / log(BASE), rounded up function encode(source) { if (!_Buffer.isBuffer(source)) { throw new TypeError('Expected Buffer'); } if (source.length === 0) { return ''; } // Skip & count leading zeroes. var zeroes = 0; var length = 0; var pbegin = 0; var pend = source.length; while (pbegin !== pend && source[pbegin] === 0) { pbegin++; zeroes++; } // Allocate enough space in big-endian base58 representation. var size = (pend - pbegin) * iFACTOR + 1 >>> 0; var b58 = new Uint8Array(size); // Process the bytes. while (pbegin !== pend) { var carry = source[pbegin]; // Apply "b58 = b58 * 256 + ch". var i = 0; for (var it1 = size - 1; (carry !== 0 || i < length) && it1 !== -1; it1--, i++) { carry += 256 * b58[it1] >>> 0; b58[it1] = carry % BASE >>> 0; carry = carry / BASE >>> 0; } if (carry !== 0) { throw new Error('Non-zero carry'); } length = i; pbegin++; } // Skip leading zeroes in base58 result. var it2 = size - length; while (it2 !== size && b58[it2] === 0) { it2++; } // Translate the result into a string. var str = LEADER.repeat(zeroes); for (; it2 < size; ++it2) { str += ALPHABET.charAt(b58[it2]); } return str; } function decodeUnsafe(source) { if (typeof source !== 'string') { throw new TypeError('Expected String'); } if (source.length === 0) { return _Buffer.alloc(0); } var psz = 0; // Skip leading spaces. if (source[psz] === ' ') { return; } // Skip and count leading '1's. var zeroes = 0; var length = 0; while (source[psz] === LEADER) { zeroes++; psz++; } // Allocate enough space in big-endian base256 representation. var size = (source.length - psz) * FACTOR + 1 >>> 0; // log(58) / log(256), rounded up. var b256 = new Uint8Array(size); // Process the characters. while (source[psz]) { // Decode character var carry = BASE_MAP[source.charCodeAt(psz)]; // Invalid character if (carry === 255) { return; } var i = 0; for (var it3 = size - 1; (carry !== 0 || i < length) && it3 !== -1; it3--, i++) { carry += BASE * b256[it3] >>> 0; b256[it3] = carry % 256 >>> 0; carry = carry / 256 >>> 0; } if (carry !== 0) { throw new Error('Non-zero carry'); } length = i; psz++; } // Skip trailing spaces. if (source[psz] === ' ') { return; } // Skip leading zeroes in b256. var it4 = size - length; while (it4 !== size && b256[it4] === 0) { it4++; } var vch = _Buffer.allocUnsafe(zeroes + (size - it4)); vch.fill(0x00, 0, zeroes); var j = zeroes; while (it4 !== size) { vch[j++] = b256[it4++]; } return vch; } function decode(string) { var buffer = decodeUnsafe(string); if (buffer) { return buffer; } throw new Error('Non-base' + BASE + ' character'); } return { encode: encode, decodeUnsafe: decodeUnsafe, decode: decode }; } module.exports = base; /***/ }), /* 205 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* eslint quote-props: off */ /* eslint key-spacing: off */ exports.names = Object.freeze({ 'identity': 0x0, 'sha1': 0x11, 'sha2-256': 0x12, 'sha2-512': 0x13, 'dbl-sha2-256': 0x56, 'sha3-224': 0x17, 'sha3-256': 0x16, 'sha3-384': 0x15, 'sha3-512': 0x14, 'shake-128': 0x18, 'shake-256': 0x19, 'keccak-224': 0x1A, 'keccak-256': 0x1B, 'keccak-384': 0x1C, 'keccak-512': 0x1D, 'murmur3-128': 0x22, 'murmur3-32': 0x23, 'blake2b-8': 0xb201, 'blake2b-16': 0xb202, 'blake2b-24': 0xb203, 'blake2b-32': 0xb204, 'blake2b-40': 0xb205, 'blake2b-48': 0xb206, 'blake2b-56': 0xb207, 'blake2b-64': 0xb208, 'blake2b-72': 0xb209, 'blake2b-80': 0xb20a, 'blake2b-88': 0xb20b, 'blake2b-96': 0xb20c, 'blake2b-104': 0xb20d, 'blake2b-112': 0xb20e, 'blake2b-120': 0xb20f, 'blake2b-128': 0xb210, 'blake2b-136': 0xb211, 'blake2b-144': 0xb212, 'blake2b-152': 0xb213, 'blake2b-160': 0xb214, 'blake2b-168': 0xb215, 'blake2b-176': 0xb216, 'blake2b-184': 0xb217, 'blake2b-192': 0xb218, 'blake2b-200': 0xb219, 'blake2b-208': 0xb21a, 'blake2b-216': 0xb21b, 'blake2b-224': 0xb21c, 'blake2b-232': 0xb21d, 'blake2b-240': 0xb21e, 'blake2b-248': 0xb21f, 'blake2b-256': 0xb220, 'blake2b-264': 0xb221, 'blake2b-272': 0xb222, 'blake2b-280': 0xb223, 'blake2b-288': 0xb224, 'blake2b-296': 0xb225, 'blake2b-304': 0xb226, 'blake2b-312': 0xb227, 'blake2b-320': 0xb228, 'blake2b-328': 0xb229, 'blake2b-336': 0xb22a, 'blake2b-344': 0xb22b, 'blake2b-352': 0xb22c, 'blake2b-360': 0xb22d, 'blake2b-368': 0xb22e, 'blake2b-376': 0xb22f, 'blake2b-384': 0xb230, 'blake2b-392': 0xb231, 'blake2b-400': 0xb232, 'blake2b-408': 0xb233, 'blake2b-416': 0xb234, 'blake2b-424': 0xb235, 'blake2b-432': 0xb236, 'blake2b-440': 0xb237, 'blake2b-448': 0xb238, 'blake2b-456': 0xb239, 'blake2b-464': 0xb23a, 'blake2b-472': 0xb23b, 'blake2b-480': 0xb23c, 'blake2b-488': 0xb23d, 'blake2b-496': 0xb23e, 'blake2b-504': 0xb23f, 'blake2b-512': 0xb240, 'blake2s-8': 0xb241, 'blake2s-16': 0xb242, 'blake2s-24': 0xb243, 'blake2s-32': 0xb244, 'blake2s-40': 0xb245, 'blake2s-48': 0xb246, 'blake2s-56': 0xb247, 'blake2s-64': 0xb248, 'blake2s-72': 0xb249, 'blake2s-80': 0xb24a, 'blake2s-88': 0xb24b, 'blake2s-96': 0xb24c, 'blake2s-104': 0xb24d, 'blake2s-112': 0xb24e, 'blake2s-120': 0xb24f, 'blake2s-128': 0xb250, 'blake2s-136': 0xb251, 'blake2s-144': 0xb252, 'blake2s-152': 0xb253, 'blake2s-160': 0xb254, 'blake2s-168': 0xb255, 'blake2s-176': 0xb256, 'blake2s-184': 0xb257, 'blake2s-192': 0xb258, 'blake2s-200': 0xb259, 'blake2s-208': 0xb25a, 'blake2s-216': 0xb25b, 'blake2s-224': 0xb25c, 'blake2s-232': 0xb25d, 'blake2s-240': 0xb25e, 'blake2s-248': 0xb25f, 'blake2s-256': 0xb260, 'Skein256-8': 0xb301, 'Skein256-16': 0xb302, 'Skein256-24': 0xb303, 'Skein256-32': 0xb304, 'Skein256-40': 0xb305, 'Skein256-48': 0xb306, 'Skein256-56': 0xb307, 'Skein256-64': 0xb308, 'Skein256-72': 0xb309, 'Skein256-80': 0xb30a, 'Skein256-88': 0xb30b, 'Skein256-96': 0xb30c, 'Skein256-104': 0xb30d, 'Skein256-112': 0xb30e, 'Skein256-120': 0xb30f, 'Skein256-128': 0xb310, 'Skein256-136': 0xb311, 'Skein256-144': 0xb312, 'Skein256-152': 0xb313, 'Skein256-160': 0xb314, 'Skein256-168': 0xb315, 'Skein256-176': 0xb316, 'Skein256-184': 0xb317, 'Skein256-192': 0xb318, 'Skein256-200': 0xb319, 'Skein256-208': 0xb31a, 'Skein256-216': 0xb31b, 'Skein256-224': 0xb31c, 'Skein256-232': 0xb31d, 'Skein256-240': 0xb31e, 'Skein256-248': 0xb31f, 'Skein256-256': 0xb320, 'Skein512-8': 0xb321, 'Skein512-16': 0xb322, 'Skein512-24': 0xb323, 'Skein512-32': 0xb324, 'Skein512-40': 0xb325, 'Skein512-48': 0xb326, 'Skein512-56': 0xb327, 'Skein512-64': 0xb328, 'Skein512-72': 0xb329, 'Skein512-80': 0xb32a, 'Skein512-88': 0xb32b, 'Skein512-96': 0xb32c, 'Skein512-104': 0xb32d, 'Skein512-112': 0xb32e, 'Skein512-120': 0xb32f, 'Skein512-128': 0xb330, 'Skein512-136': 0xb331, 'Skein512-144': 0xb332, 'Skein512-152': 0xb333, 'Skein512-160': 0xb334, 'Skein512-168': 0xb335, 'Skein512-176': 0xb336, 'Skein512-184': 0xb337, 'Skein512-192': 0xb338, 'Skein512-200': 0xb339, 'Skein512-208': 0xb33a, 'Skein512-216': 0xb33b, 'Skein512-224': 0xb33c, 'Skein512-232': 0xb33d, 'Skein512-240': 0xb33e, 'Skein512-248': 0xb33f, 'Skein512-256': 0xb340, 'Skein512-264': 0xb341, 'Skein512-272': 0xb342, 'Skein512-280': 0xb343, 'Skein512-288': 0xb344, 'Skein512-296': 0xb345, 'Skein512-304': 0xb346, 'Skein512-312': 0xb347, 'Skein512-320': 0xb348, 'Skein512-328': 0xb349, 'Skein512-336': 0xb34a, 'Skein512-344': 0xb34b, 'Skein512-352': 0xb34c, 'Skein512-360': 0xb34d, 'Skein512-368': 0xb34e, 'Skein512-376': 0xb34f, 'Skein512-384': 0xb350, 'Skein512-392': 0xb351, 'Skein512-400': 0xb352, 'Skein512-408': 0xb353, 'Skein512-416': 0xb354, 'Skein512-424': 0xb355, 'Skein512-432': 0xb356, 'Skein512-440': 0xb357, 'Skein512-448': 0xb358, 'Skein512-456': 0xb359, 'Skein512-464': 0xb35a, 'Skein512-472': 0xb35b, 'Skein512-480': 0xb35c, 'Skein512-488': 0xb35d, 'Skein512-496': 0xb35e, 'Skein512-504': 0xb35f, 'Skein512-512': 0xb360, 'Skein1024-8': 0xb361, 'Skein1024-16': 0xb362, 'Skein1024-24': 0xb363, 'Skein1024-32': 0xb364, 'Skein1024-40': 0xb365, 'Skein1024-48': 0xb366, 'Skein1024-56': 0xb367, 'Skein1024-64': 0xb368, 'Skein1024-72': 0xb369, 'Skein1024-80': 0xb36a, 'Skein1024-88': 0xb36b, 'Skein1024-96': 0xb36c, 'Skein1024-104': 0xb36d, 'Skein1024-112': 0xb36e, 'Skein1024-120': 0xb36f, 'Skein1024-128': 0xb370, 'Skein1024-136': 0xb371, 'Skein1024-144': 0xb372, 'Skein1024-152': 0xb373, 'Skein1024-160': 0xb374, 'Skein1024-168': 0xb375, 'Skein1024-176': 0xb376, 'Skein1024-184': 0xb377, 'Skein1024-192': 0xb378, 'Skein1024-200': 0xb379, 'Skein1024-208': 0xb37a, 'Skein1024-216': 0xb37b, 'Skein1024-224': 0xb37c, 'Skein1024-232': 0xb37d, 'Skein1024-240': 0xb37e, 'Skein1024-248': 0xb37f, 'Skein1024-256': 0xb380, 'Skein1024-264': 0xb381, 'Skein1024-272': 0xb382, 'Skein1024-280': 0xb383, 'Skein1024-288': 0xb384, 'Skein1024-296': 0xb385, 'Skein1024-304': 0xb386, 'Skein1024-312': 0xb387, 'Skein1024-320': 0xb388, 'Skein1024-328': 0xb389, 'Skein1024-336': 0xb38a, 'Skein1024-344': 0xb38b, 'Skein1024-352': 0xb38c, 'Skein1024-360': 0xb38d, 'Skein1024-368': 0xb38e, 'Skein1024-376': 0xb38f, 'Skein1024-384': 0xb390, 'Skein1024-392': 0xb391, 'Skein1024-400': 0xb392, 'Skein1024-408': 0xb393, 'Skein1024-416': 0xb394, 'Skein1024-424': 0xb395, 'Skein1024-432': 0xb396, 'Skein1024-440': 0xb397, 'Skein1024-448': 0xb398, 'Skein1024-456': 0xb399, 'Skein1024-464': 0xb39a, 'Skein1024-472': 0xb39b, 'Skein1024-480': 0xb39c, 'Skein1024-488': 0xb39d, 'Skein1024-496': 0xb39e, 'Skein1024-504': 0xb39f, 'Skein1024-512': 0xb3a0, 'Skein1024-520': 0xb3a1, 'Skein1024-528': 0xb3a2, 'Skein1024-536': 0xb3a3, 'Skein1024-544': 0xb3a4, 'Skein1024-552': 0xb3a5, 'Skein1024-560': 0xb3a6, 'Skein1024-568': 0xb3a7, 'Skein1024-576': 0xb3a8, 'Skein1024-584': 0xb3a9, 'Skein1024-592': 0xb3aa, 'Skein1024-600': 0xb3ab, 'Skein1024-608': 0xb3ac, 'Skein1024-616': 0xb3ad, 'Skein1024-624': 0xb3ae, 'Skein1024-632': 0xb3af, 'Skein1024-640': 0xb3b0, 'Skein1024-648': 0xb3b1, 'Skein1024-656': 0xb3b2, 'Skein1024-664': 0xb3b3, 'Skein1024-672': 0xb3b4, 'Skein1024-680': 0xb3b5, 'Skein1024-688': 0xb3b6, 'Skein1024-696': 0xb3b7, 'Skein1024-704': 0xb3b8, 'Skein1024-712': 0xb3b9, 'Skein1024-720': 0xb3ba, 'Skein1024-728': 0xb3bb, 'Skein1024-736': 0xb3bc, 'Skein1024-744': 0xb3bd, 'Skein1024-752': 0xb3be, 'Skein1024-760': 0xb3bf, 'Skein1024-768': 0xb3c0, 'Skein1024-776': 0xb3c1, 'Skein1024-784': 0xb3c2, 'Skein1024-792': 0xb3c3, 'Skein1024-800': 0xb3c4, 'Skein1024-808': 0xb3c5, 'Skein1024-816': 0xb3c6, 'Skein1024-824': 0xb3c7, 'Skein1024-832': 0xb3c8, 'Skein1024-840': 0xb3c9, 'Skein1024-848': 0xb3ca, 'Skein1024-856': 0xb3cb, 'Skein1024-864': 0xb3cc, 'Skein1024-872': 0xb3cd, 'Skein1024-880': 0xb3ce, 'Skein1024-888': 0xb3cf, 'Skein1024-896': 0xb3d0, 'Skein1024-904': 0xb3d1, 'Skein1024-912': 0xb3d2, 'Skein1024-920': 0xb3d3, 'Skein1024-928': 0xb3d4, 'Skein1024-936': 0xb3d5, 'Skein1024-944': 0xb3d6, 'Skein1024-952': 0xb3d7, 'Skein1024-960': 0xb3d8, 'Skein1024-968': 0xb3d9, 'Skein1024-976': 0xb3da, 'Skein1024-984': 0xb3db, 'Skein1024-992': 0xb3dc, 'Skein1024-1000': 0xb3dd, 'Skein1024-1008': 0xb3de, 'Skein1024-1016': 0xb3df, 'Skein1024-1024': 0xb3e0 }); exports.codes = Object.freeze({ 0x0: 'identity', // sha family 0x11: 'sha1', 0x12: 'sha2-256', 0x13: 'sha2-512', 0x56: 'dbl-sha2-256', 0x17: 'sha3-224', 0x16: 'sha3-256', 0x15: 'sha3-384', 0x14: 'sha3-512', 0x18: 'shake-128', 0x19: 'shake-256', 0x1A: 'keccak-224', 0x1B: 'keccak-256', 0x1C: 'keccak-384', 0x1D: 'keccak-512', 0x22: 'murmur3-128', 0x23: 'murmur3-32', // blake2 0xb201: 'blake2b-8', 0xb202: 'blake2b-16', 0xb203: 'blake2b-24', 0xb204: 'blake2b-32', 0xb205: 'blake2b-40', 0xb206: 'blake2b-48', 0xb207: 'blake2b-56', 0xb208: 'blake2b-64', 0xb209: 'blake2b-72', 0xb20a: 'blake2b-80', 0xb20b: 'blake2b-88', 0xb20c: 'blake2b-96', 0xb20d: 'blake2b-104', 0xb20e: 'blake2b-112', 0xb20f: 'blake2b-120', 0xb210: 'blake2b-128', 0xb211: 'blake2b-136', 0xb212: 'blake2b-144', 0xb213: 'blake2b-152', 0xb214: 'blake2b-160', 0xb215: 'blake2b-168', 0xb216: 'blake2b-176', 0xb217: 'blake2b-184', 0xb218: 'blake2b-192', 0xb219: 'blake2b-200', 0xb21a: 'blake2b-208', 0xb21b: 'blake2b-216', 0xb21c: 'blake2b-224', 0xb21d: 'blake2b-232', 0xb21e: 'blake2b-240', 0xb21f: 'blake2b-248', 0xb220: 'blake2b-256', 0xb221: 'blake2b-264', 0xb222: 'blake2b-272', 0xb223: 'blake2b-280', 0xb224: 'blake2b-288', 0xb225: 'blake2b-296', 0xb226: 'blake2b-304', 0xb227: 'blake2b-312', 0xb228: 'blake2b-320', 0xb229: 'blake2b-328', 0xb22a: 'blake2b-336', 0xb22b: 'blake2b-344', 0xb22c: 'blake2b-352', 0xb22d: 'blake2b-360', 0xb22e: 'blake2b-368', 0xb22f: 'blake2b-376', 0xb230: 'blake2b-384', 0xb231: 'blake2b-392', 0xb232: 'blake2b-400', 0xb233: 'blake2b-408', 0xb234: 'blake2b-416', 0xb235: 'blake2b-424', 0xb236: 'blake2b-432', 0xb237: 'blake2b-440', 0xb238: 'blake2b-448', 0xb239: 'blake2b-456', 0xb23a: 'blake2b-464', 0xb23b: 'blake2b-472', 0xb23c: 'blake2b-480', 0xb23d: 'blake2b-488', 0xb23e: 'blake2b-496', 0xb23f: 'blake2b-504', 0xb240: 'blake2b-512', 0xb241: 'blake2s-8', 0xb242: 'blake2s-16', 0xb243: 'blake2s-24', 0xb244: 'blake2s-32', 0xb245: 'blake2s-40', 0xb246: 'blake2s-48', 0xb247: 'blake2s-56', 0xb248: 'blake2s-64', 0xb249: 'blake2s-72', 0xb24a: 'blake2s-80', 0xb24b: 'blake2s-88', 0xb24c: 'blake2s-96', 0xb24d: 'blake2s-104', 0xb24e: 'blake2s-112', 0xb24f: 'blake2s-120', 0xb250: 'blake2s-128', 0xb251: 'blake2s-136', 0xb252: 'blake2s-144', 0xb253: 'blake2s-152', 0xb254: 'blake2s-160', 0xb255: 'blake2s-168', 0xb256: 'blake2s-176', 0xb257: 'blake2s-184', 0xb258: 'blake2s-192', 0xb259: 'blake2s-200', 0xb25a: 'blake2s-208', 0xb25b: 'blake2s-216', 0xb25c: 'blake2s-224', 0xb25d: 'blake2s-232', 0xb25e: 'blake2s-240', 0xb25f: 'blake2s-248', 0xb260: 'blake2s-256', // skein 0xb301: 'Skein256-8', 0xb302: 'Skein256-16', 0xb303: 'Skein256-24', 0xb304: 'Skein256-32', 0xb305: 'Skein256-40', 0xb306: 'Skein256-48', 0xb307: 'Skein256-56', 0xb308: 'Skein256-64', 0xb309: 'Skein256-72', 0xb30a: 'Skein256-80', 0xb30b: 'Skein256-88', 0xb30c: 'Skein256-96', 0xb30d: 'Skein256-104', 0xb30e: 'Skein256-112', 0xb30f: 'Skein256-120', 0xb310: 'Skein256-128', 0xb311: 'Skein256-136', 0xb312: 'Skein256-144', 0xb313: 'Skein256-152', 0xb314: 'Skein256-160', 0xb315: 'Skein256-168', 0xb316: 'Skein256-176', 0xb317: 'Skein256-184', 0xb318: 'Skein256-192', 0xb319: 'Skein256-200', 0xb31a: 'Skein256-208', 0xb31b: 'Skein256-216', 0xb31c: 'Skein256-224', 0xb31d: 'Skein256-232', 0xb31e: 'Skein256-240', 0xb31f: 'Skein256-248', 0xb320: 'Skein256-256', 0xb321: 'Skein512-8', 0xb322: 'Skein512-16', 0xb323: 'Skein512-24', 0xb324: 'Skein512-32', 0xb325: 'Skein512-40', 0xb326: 'Skein512-48', 0xb327: 'Skein512-56', 0xb328: 'Skein512-64', 0xb329: 'Skein512-72', 0xb32a: 'Skein512-80', 0xb32b: 'Skein512-88', 0xb32c: 'Skein512-96', 0xb32d: 'Skein512-104', 0xb32e: 'Skein512-112', 0xb32f: 'Skein512-120', 0xb330: 'Skein512-128', 0xb331: 'Skein512-136', 0xb332: 'Skein512-144', 0xb333: 'Skein512-152', 0xb334: 'Skein512-160', 0xb335: 'Skein512-168', 0xb336: 'Skein512-176', 0xb337: 'Skein512-184', 0xb338: 'Skein512-192', 0xb339: 'Skein512-200', 0xb33a: 'Skein512-208', 0xb33b: 'Skein512-216', 0xb33c: 'Skein512-224', 0xb33d: 'Skein512-232', 0xb33e: 'Skein512-240', 0xb33f: 'Skein512-248', 0xb340: 'Skein512-256', 0xb341: 'Skein512-264', 0xb342: 'Skein512-272', 0xb343: 'Skein512-280', 0xb344: 'Skein512-288', 0xb345: 'Skein512-296', 0xb346: 'Skein512-304', 0xb347: 'Skein512-312', 0xb348: 'Skein512-320', 0xb349: 'Skein512-328', 0xb34a: 'Skein512-336', 0xb34b: 'Skein512-344', 0xb34c: 'Skein512-352', 0xb34d: 'Skein512-360', 0xb34e: 'Skein512-368', 0xb34f: 'Skein512-376', 0xb350: 'Skein512-384', 0xb351: 'Skein512-392', 0xb352: 'Skein512-400', 0xb353: 'Skein512-408', 0xb354: 'Skein512-416', 0xb355: 'Skein512-424', 0xb356: 'Skein512-432', 0xb357: 'Skein512-440', 0xb358: 'Skein512-448', 0xb359: 'Skein512-456', 0xb35a: 'Skein512-464', 0xb35b: 'Skein512-472', 0xb35c: 'Skein512-480', 0xb35d: 'Skein512-488', 0xb35e: 'Skein512-496', 0xb35f: 'Skein512-504', 0xb360: 'Skein512-512', 0xb361: 'Skein1024-8', 0xb362: 'Skein1024-16', 0xb363: 'Skein1024-24', 0xb364: 'Skein1024-32', 0xb365: 'Skein1024-40', 0xb366: 'Skein1024-48', 0xb367: 'Skein1024-56', 0xb368: 'Skein1024-64', 0xb369: 'Skein1024-72', 0xb36a: 'Skein1024-80', 0xb36b: 'Skein1024-88', 0xb36c: 'Skein1024-96', 0xb36d: 'Skein1024-104', 0xb36e: 'Skein1024-112', 0xb36f: 'Skein1024-120', 0xb370: 'Skein1024-128', 0xb371: 'Skein1024-136', 0xb372: 'Skein1024-144', 0xb373: 'Skein1024-152', 0xb374: 'Skein1024-160', 0xb375: 'Skein1024-168', 0xb376: 'Skein1024-176', 0xb377: 'Skein1024-184', 0xb378: 'Skein1024-192', 0xb379: 'Skein1024-200', 0xb37a: 'Skein1024-208', 0xb37b: 'Skein1024-216', 0xb37c: 'Skein1024-224', 0xb37d: 'Skein1024-232', 0xb37e: 'Skein1024-240', 0xb37f: 'Skein1024-248', 0xb380: 'Skein1024-256', 0xb381: 'Skein1024-264', 0xb382: 'Skein1024-272', 0xb383: 'Skein1024-280', 0xb384: 'Skein1024-288', 0xb385: 'Skein1024-296', 0xb386: 'Skein1024-304', 0xb387: 'Skein1024-312', 0xb388: 'Skein1024-320', 0xb389: 'Skein1024-328', 0xb38a: 'Skein1024-336', 0xb38b: 'Skein1024-344', 0xb38c: 'Skein1024-352', 0xb38d: 'Skein1024-360', 0xb38e: 'Skein1024-368', 0xb38f: 'Skein1024-376', 0xb390: 'Skein1024-384', 0xb391: 'Skein1024-392', 0xb392: 'Skein1024-400', 0xb393: 'Skein1024-408', 0xb394: 'Skein1024-416', 0xb395: 'Skein1024-424', 0xb396: 'Skein1024-432', 0xb397: 'Skein1024-440', 0xb398: 'Skein1024-448', 0xb399: 'Skein1024-456', 0xb39a: 'Skein1024-464', 0xb39b: 'Skein1024-472', 0xb39c: 'Skein1024-480', 0xb39d: 'Skein1024-488', 0xb39e: 'Skein1024-496', 0xb39f: 'Skein1024-504', 0xb3a0: 'Skein1024-512', 0xb3a1: 'Skein1024-520', 0xb3a2: 'Skein1024-528', 0xb3a3: 'Skein1024-536', 0xb3a4: 'Skein1024-544', 0xb3a5: 'Skein1024-552', 0xb3a6: 'Skein1024-560', 0xb3a7: 'Skein1024-568', 0xb3a8: 'Skein1024-576', 0xb3a9: 'Skein1024-584', 0xb3aa: 'Skein1024-592', 0xb3ab: 'Skein1024-600', 0xb3ac: 'Skein1024-608', 0xb3ad: 'Skein1024-616', 0xb3ae: 'Skein1024-624', 0xb3af: 'Skein1024-632', 0xb3b0: 'Skein1024-640', 0xb3b1: 'Skein1024-648', 0xb3b2: 'Skein1024-656', 0xb3b3: 'Skein1024-664', 0xb3b4: 'Skein1024-672', 0xb3b5: 'Skein1024-680', 0xb3b6: 'Skein1024-688', 0xb3b7: 'Skein1024-696', 0xb3b8: 'Skein1024-704', 0xb3b9: 'Skein1024-712', 0xb3ba: 'Skein1024-720', 0xb3bb: 'Skein1024-728', 0xb3bc: 'Skein1024-736', 0xb3bd: 'Skein1024-744', 0xb3be: 'Skein1024-752', 0xb3bf: 'Skein1024-760', 0xb3c0: 'Skein1024-768', 0xb3c1: 'Skein1024-776', 0xb3c2: 'Skein1024-784', 0xb3c3: 'Skein1024-792', 0xb3c4: 'Skein1024-800', 0xb3c5: 'Skein1024-808', 0xb3c6: 'Skein1024-816', 0xb3c7: 'Skein1024-824', 0xb3c8: 'Skein1024-832', 0xb3c9: 'Skein1024-840', 0xb3ca: 'Skein1024-848', 0xb3cb: 'Skein1024-856', 0xb3cc: 'Skein1024-864', 0xb3cd: 'Skein1024-872', 0xb3ce: 'Skein1024-880', 0xb3cf: 'Skein1024-888', 0xb3d0: 'Skein1024-896', 0xb3d1: 'Skein1024-904', 0xb3d2: 'Skein1024-912', 0xb3d3: 'Skein1024-920', 0xb3d4: 'Skein1024-928', 0xb3d5: 'Skein1024-936', 0xb3d6: 'Skein1024-944', 0xb3d7: 'Skein1024-952', 0xb3d8: 'Skein1024-960', 0xb3d9: 'Skein1024-968', 0xb3da: 'Skein1024-976', 0xb3db: 'Skein1024-984', 0xb3dc: 'Skein1024-992', 0xb3dd: 'Skein1024-1000', 0xb3de: 'Skein1024-1008', 0xb3df: 'Skein1024-1016', 0xb3e0: 'Skein1024-1024' }); exports.defaultLengths = Object.freeze({ 0x11: 20, 0x12: 32, 0x13: 64, 0x56: 32, 0x17: 28, 0x16: 32, 0x15: 48, 0x14: 64, 0x18: 32, 0x19: 64, 0x1A: 28, 0x1B: 32, 0x1C: 48, 0x1D: 64, 0x22: 32, 0xb201: 0x01, 0xb202: 0x02, 0xb203: 0x03, 0xb204: 0x04, 0xb205: 0x05, 0xb206: 0x06, 0xb207: 0x07, 0xb208: 0x08, 0xb209: 0x09, 0xb20a: 0x0a, 0xb20b: 0x0b, 0xb20c: 0x0c, 0xb20d: 0x0d, 0xb20e: 0x0e, 0xb20f: 0x0f, 0xb210: 0x10, 0xb211: 0x11, 0xb212: 0x12, 0xb213: 0x13, 0xb214: 0x14, 0xb215: 0x15, 0xb216: 0x16, 0xb217: 0x17, 0xb218: 0x18, 0xb219: 0x19, 0xb21a: 0x1a, 0xb21b: 0x1b, 0xb21c: 0x1c, 0xb21d: 0x1d, 0xb21e: 0x1e, 0xb21f: 0x1f, 0xb220: 0x20, 0xb221: 0x21, 0xb222: 0x22, 0xb223: 0x23, 0xb224: 0x24, 0xb225: 0x25, 0xb226: 0x26, 0xb227: 0x27, 0xb228: 0x28, 0xb229: 0x29, 0xb22a: 0x2a, 0xb22b: 0x2b, 0xb22c: 0x2c, 0xb22d: 0x2d, 0xb22e: 0x2e, 0xb22f: 0x2f, 0xb230: 0x30, 0xb231: 0x31, 0xb232: 0x32, 0xb233: 0x33, 0xb234: 0x34, 0xb235: 0x35, 0xb236: 0x36, 0xb237: 0x37, 0xb238: 0x38, 0xb239: 0x39, 0xb23a: 0x3a, 0xb23b: 0x3b, 0xb23c: 0x3c, 0xb23d: 0x3d, 0xb23e: 0x3e, 0xb23f: 0x3f, 0xb240: 0x40, 0xb241: 0x01, 0xb242: 0x02, 0xb243: 0x03, 0xb244: 0x04, 0xb245: 0x05, 0xb246: 0x06, 0xb247: 0x07, 0xb248: 0x08, 0xb249: 0x09, 0xb24a: 0x0a, 0xb24b: 0x0b, 0xb24c: 0x0c, 0xb24d: 0x0d, 0xb24e: 0x0e, 0xb24f: 0x0f, 0xb250: 0x10, 0xb251: 0x11, 0xb252: 0x12, 0xb253: 0x13, 0xb254: 0x14, 0xb255: 0x15, 0xb256: 0x16, 0xb257: 0x17, 0xb258: 0x18, 0xb259: 0x19, 0xb25a: 0x1a, 0xb25b: 0x1b, 0xb25c: 0x1c, 0xb25d: 0x1d, 0xb25e: 0x1e, 0xb25f: 0x1f, 0xb260: 0x20, 0xb301: 0x01, 0xb302: 0x02, 0xb303: 0x03, 0xb304: 0x04, 0xb305: 0x05, 0xb306: 0x06, 0xb307: 0x07, 0xb308: 0x08, 0xb309: 0x09, 0xb30a: 0x0a, 0xb30b: 0x0b, 0xb30c: 0x0c, 0xb30d: 0x0d, 0xb30e: 0x0e, 0xb30f: 0x0f, 0xb310: 0x10, 0xb311: 0x11, 0xb312: 0x12, 0xb313: 0x13, 0xb314: 0x14, 0xb315: 0x15, 0xb316: 0x16, 0xb317: 0x17, 0xb318: 0x18, 0xb319: 0x19, 0xb31a: 0x1a, 0xb31b: 0x1b, 0xb31c: 0x1c, 0xb31d: 0x1d, 0xb31e: 0x1e, 0xb31f: 0x1f, 0xb320: 0x20, 0xb321: 0x01, 0xb322: 0x02, 0xb323: 0x03, 0xb324: 0x04, 0xb325: 0x05, 0xb326: 0x06, 0xb327: 0x07, 0xb328: 0x08, 0xb329: 0x09, 0xb32a: 0x0a, 0xb32b: 0x0b, 0xb32c: 0x0c, 0xb32d: 0x0d, 0xb32e: 0x0e, 0xb32f: 0x0f, 0xb330: 0x10, 0xb331: 0x11, 0xb332: 0x12, 0xb333: 0x13, 0xb334: 0x14, 0xb335: 0x15, 0xb336: 0x16, 0xb337: 0x17, 0xb338: 0x18, 0xb339: 0x19, 0xb33a: 0x1a, 0xb33b: 0x1b, 0xb33c: 0x1c, 0xb33d: 0x1d, 0xb33e: 0x1e, 0xb33f: 0x1f, 0xb340: 0x20, 0xb341: 0x21, 0xb342: 0x22, 0xb343: 0x23, 0xb344: 0x24, 0xb345: 0x25, 0xb346: 0x26, 0xb347: 0x27, 0xb348: 0x28, 0xb349: 0x29, 0xb34a: 0x2a, 0xb34b: 0x2b, 0xb34c: 0x2c, 0xb34d: 0x2d, 0xb34e: 0x2e, 0xb34f: 0x2f, 0xb350: 0x30, 0xb351: 0x31, 0xb352: 0x32, 0xb353: 0x33, 0xb354: 0x34, 0xb355: 0x35, 0xb356: 0x36, 0xb357: 0x37, 0xb358: 0x38, 0xb359: 0x39, 0xb35a: 0x3a, 0xb35b: 0x3b, 0xb35c: 0x3c, 0xb35d: 0x3d, 0xb35e: 0x3e, 0xb35f: 0x3f, 0xb360: 0x40, 0xb361: 0x01, 0xb362: 0x02, 0xb363: 0x03, 0xb364: 0x04, 0xb365: 0x05, 0xb366: 0x06, 0xb367: 0x07, 0xb368: 0x08, 0xb369: 0x09, 0xb36a: 0x0a, 0xb36b: 0x0b, 0xb36c: 0x0c, 0xb36d: 0x0d, 0xb36e: 0x0e, 0xb36f: 0x0f, 0xb370: 0x10, 0xb371: 0x11, 0xb372: 0x12, 0xb373: 0x13, 0xb374: 0x14, 0xb375: 0x15, 0xb376: 0x16, 0xb377: 0x17, 0xb378: 0x18, 0xb379: 0x19, 0xb37a: 0x1a, 0xb37b: 0x1b, 0xb37c: 0x1c, 0xb37d: 0x1d, 0xb37e: 0x1e, 0xb37f: 0x1f, 0xb380: 0x20, 0xb381: 0x21, 0xb382: 0x22, 0xb383: 0x23, 0xb384: 0x24, 0xb385: 0x25, 0xb386: 0x26, 0xb387: 0x27, 0xb388: 0x28, 0xb389: 0x29, 0xb38a: 0x2a, 0xb38b: 0x2b, 0xb38c: 0x2c, 0xb38d: 0x2d, 0xb38e: 0x2e, 0xb38f: 0x2f, 0xb390: 0x30, 0xb391: 0x31, 0xb392: 0x32, 0xb393: 0x33, 0xb394: 0x34, 0xb395: 0x35, 0xb396: 0x36, 0xb397: 0x37, 0xb398: 0x38, 0xb399: 0x39, 0xb39a: 0x3a, 0xb39b: 0x3b, 0xb39c: 0x3c, 0xb39d: 0x3d, 0xb39e: 0x3e, 0xb39f: 0x3f, 0xb3a0: 0x40, 0xb3a1: 0x41, 0xb3a2: 0x42, 0xb3a3: 0x43, 0xb3a4: 0x44, 0xb3a5: 0x45, 0xb3a6: 0x46, 0xb3a7: 0x47, 0xb3a8: 0x48, 0xb3a9: 0x49, 0xb3aa: 0x4a, 0xb3ab: 0x4b, 0xb3ac: 0x4c, 0xb3ad: 0x4d, 0xb3ae: 0x4e, 0xb3af: 0x4f, 0xb3b0: 0x50, 0xb3b1: 0x51, 0xb3b2: 0x52, 0xb3b3: 0x53, 0xb3b4: 0x54, 0xb3b5: 0x55, 0xb3b6: 0x56, 0xb3b7: 0x57, 0xb3b8: 0x58, 0xb3b9: 0x59, 0xb3ba: 0x5a, 0xb3bb: 0x5b, 0xb3bc: 0x5c, 0xb3bd: 0x5d, 0xb3be: 0x5e, 0xb3bf: 0x5f, 0xb3c0: 0x60, 0xb3c1: 0x61, 0xb3c2: 0x62, 0xb3c3: 0x63, 0xb3c4: 0x64, 0xb3c5: 0x65, 0xb3c6: 0x66, 0xb3c7: 0x67, 0xb3c8: 0x68, 0xb3c9: 0x69, 0xb3ca: 0x6a, 0xb3cb: 0x6b, 0xb3cc: 0x6c, 0xb3cd: 0x6d, 0xb3ce: 0x6e, 0xb3cf: 0x6f, 0xb3d0: 0x70, 0xb3d1: 0x71, 0xb3d2: 0x72, 0xb3d3: 0x73, 0xb3d4: 0x74, 0xb3d5: 0x75, 0xb3d6: 0x76, 0xb3d7: 0x77, 0xb3d8: 0x78, 0xb3d9: 0x79, 0xb3da: 0x7a, 0xb3db: 0x7b, 0xb3dc: 0x7c, 0xb3dd: 0x7d, 0xb3de: 0x7e, 0xb3df: 0x7f, 0xb3e0: 0x80 }); /***/ }), /* 206 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = encode; var MSB = 0x80, REST = 0x7F, MSBALL = ~REST, INT = Math.pow(2, 31); function encode(num, out, offset) { out = out || []; offset = offset || 0; var oldOffset = offset; while (num >= INT) { out[offset++] = num & 0xFF | MSB; num /= 128; } while (num & MSBALL) { out[offset++] = num & 0xFF | MSB; num >>>= 7; } out[offset] = num | 0; encode.bytes = offset - oldOffset + 1; return out; } /***/ }), /* 207 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = read; var MSB = 0x80, REST = 0x7F; function read(buf, offset) { var res = 0, offset = offset || 0, shift = 0, counter = offset, b, l = buf.length; do { if (counter >= l) { read.bytes = 0; throw new RangeError('Could not decode varint'); } b = buf[counter++]; res += shift < 28 ? (b & REST) << shift : (b & REST) * Math.pow(2, shift); shift += 7; } while (b >= MSB); read.bytes = counter - offset; return res; } /***/ }), /* 208 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var N1 = Math.pow(2, 7); var N2 = Math.pow(2, 14); var N3 = Math.pow(2, 21); var N4 = Math.pow(2, 28); var N5 = Math.pow(2, 35); var N6 = Math.pow(2, 42); var N7 = Math.pow(2, 49); var N8 = Math.pow(2, 56); var N9 = Math.pow(2, 63); module.exports = function (value) { return value < N1 ? 1 : value < N2 ? 2 : value < N3 ? 3 : value < N4 ? 4 : value < N5 ? 5 : value < N6 ? 6 : value < N7 ? 7 : value < N8 ? 8 : value < N9 ? 9 : 10; }; /***/ }), /* 209 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const Base = __webpack_require__(210); const baseX = __webpack_require__(211); const base16 = __webpack_require__(212); const base32 = __webpack_require__(213); const base64 = __webpack_require__(214); // name, code, implementation, alphabet const constants = [['base1', '1', '', '1'], ['base2', '0', baseX, '01'], ['base8', '7', baseX, '01234567'], ['base10', '9', baseX, '0123456789'], ['base16', 'f', base16, '0123456789abcdef'], ['base32', 'b', base32, 'abcdefghijklmnopqrstuvwxyz234567'], ['base32pad', 'c', base32, 'abcdefghijklmnopqrstuvwxyz234567='], ['base32hex', 'v', base32, '0123456789abcdefghijklmnopqrstuv'], ['base32hexpad', 't', base32, '0123456789abcdefghijklmnopqrstuv='], ['base32z', 'h', base32, 'ybndrfg8ejkmcpqxot1uwisza345h769'], ['base58flickr', 'Z', baseX, '123456789abcdefghijkmnopqrstuvwxyzABCDEFGHJKLMNPQRSTUVWXYZ'], ['base58btc', 'z', baseX, '123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz'], ['base64', 'm', base64, 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'], ['base64pad', 'M', base64, 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/='], ['base64url', 'u', base64, 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_'], ['base64urlpad', 'U', base64, 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_=']]; const names = constants.reduce((prev, tupple) => { prev[tupple[0]] = new Base(tupple[0], tupple[1], tupple[2], tupple[3]); return prev; }, {}); const codes = constants.reduce((prev, tupple) => { prev[tupple[1]] = names[tupple[0]]; return prev; }, {}); module.exports = { names: names, codes: codes }; /***/ }), /* 210 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; class Base { constructor(name, code, implementation, alphabet) { this.name = name; this.code = code; this.alphabet = alphabet; if (implementation && alphabet) { this.engine = implementation(alphabet); } } encode(stringOrBuffer) { return this.engine.encode(stringOrBuffer); } decode(stringOrBuffer) { return this.engine.decode(stringOrBuffer); } isImplemented() { return this.engine; } } module.exports = Base; /***/ }), /* 211 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // base-x encoding // Forked from https://github.com/cryptocoinjs/bs58 // Originally written by Mike Hearn for BitcoinJ // Copyright (c) 2011 Google Inc // Ported to JavaScript by Stefan Thomas // Merged Buffer refactorings from base58-native by Stephen Pair // Copyright (c) 2013 BitPay Inc var Buffer = __webpack_require__(8).Buffer; module.exports = function base(ALPHABET) { var ALPHABET_MAP = {}; var BASE = ALPHABET.length; var LEADER = ALPHABET.charAt(0); // pre-compute lookup table for (var z = 0; z < ALPHABET.length; z++) { var x = ALPHABET.charAt(z); if (ALPHABET_MAP[x] !== undefined) throw new TypeError(x + ' is ambiguous'); ALPHABET_MAP[x] = z; } function encode(source) { if (source.length === 0) return ''; var digits = [0]; for (var i = 0; i < source.length; ++i) { for (var j = 0, carry = source[i]; j < digits.length; ++j) { carry += digits[j] << 8; digits[j] = carry % BASE; carry = carry / BASE | 0; } while (carry > 0) { digits.push(carry % BASE); carry = carry / BASE | 0; } } var string = ''; // deal with leading zeros for (var k = 0; source[k] === 0 && k < source.length - 1; ++k) string += LEADER; // convert digits to a string for (var q = digits.length - 1; q >= 0; --q) string += ALPHABET[digits[q]]; return string; } function decodeUnsafe(string) { if (typeof string !== 'string') throw new TypeError('Expected String'); if (string.length === 0) return Buffer.allocUnsafe(0); var bytes = [0]; for (var i = 0; i < string.length; i++) { var value = ALPHABET_MAP[string[i]]; if (value === undefined) return; for (var j = 0, carry = value; j < bytes.length; ++j) { carry += bytes[j] * BASE; bytes[j] = carry & 0xff; carry >>= 8; } while (carry > 0) { bytes.push(carry & 0xff); carry >>= 8; } } // deal with leading zeros for (var k = 0; string[k] === LEADER && k < string.length - 1; ++k) { bytes.push(0); } return Buffer.from(bytes.reverse()); } function decode(string) { var buffer = decodeUnsafe(string); if (buffer) return buffer; throw new Error('Non-base' + BASE + ' character'); } return { encode: encode, decodeUnsafe: decodeUnsafe, decode: decode }; }; /***/ }), /* 212 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { module.exports = function base16(alphabet) { return { encode(input) { if (typeof input === 'string') { return Buffer.from(input).toString('hex'); } return input.toString('hex'); }, decode(input) { for (let char of input) { if (alphabet.indexOf(char) < 0) { throw new Error('invalid base16 character'); } } return Buffer.from(input, 'hex'); } }; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 213 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { function decode(input, alphabet) { input = input.replace(new RegExp('=', 'g'), ''); let length = input.length; let bits = 0; let value = 0; let index = 0; let output = new Uint8Array(length * 5 / 8 | 0); for (let i = 0; i < length; i++) { value = value << 5 | alphabet.indexOf(input[i]); bits += 5; if (bits >= 8) { output[index++] = value >>> bits - 8 & 255; bits -= 8; } } return output.buffer; } function encode(buffer, alphabet) { let length = buffer.byteLength; let view = new Uint8Array(buffer); let padding = alphabet.indexOf('=') === alphabet.length - 1; if (padding) { alphabet = alphabet.substring(0, alphabet.length - 2); } let bits = 0; let value = 0; let output = ''; for (let i = 0; i < length; i++) { value = value << 8 | view[i]; bits += 8; while (bits >= 5) { output += alphabet[value >>> bits - 5 & 31]; bits -= 5; } } if (bits > 0) { output += alphabet[value << 5 - bits & 31]; } if (padding) { while (output.length % 8 !== 0) { output += '='; } } return output; } module.exports = function base32(alphabet) { return { encode(input) { if (typeof input === 'string') { return encode(Buffer.from(input), alphabet); } return encode(input, alphabet); }, decode(input) { for (let char of input) { if (alphabet.indexOf(char) < 0) { throw new Error('invalid base32 character'); } } return decode(input, alphabet); } }; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 214 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { module.exports = function base64(alphabet) { // The alphabet is only used to know: // 1. If padding is enabled (must contain '=') // 2. If the output must be url-safe (must contain '-' and '_') // 3. If the input of the output function is valid // The alphabets from RFC 4648 are always used. const padding = alphabet.indexOf('=') > -1; const url = alphabet.indexOf('-') > -1 && alphabet.indexOf('_') > -1; return { encode(input) { let output = ''; if (typeof input === 'string') { output = Buffer.from(input).toString('base64'); } else { output = input.toString('base64'); } if (url) { output = output.replace(/\+/g, '-').replace(/\//g, '_'); } const pad = output.indexOf('='); if (pad > 0 && !padding) { output = output.substring(0, pad); } return output; }, decode(input) { for (let char of input) { if (alphabet.indexOf(char) < 0) { throw new Error('invalid base64 character'); } } return Buffer.from(input, 'base64'); } }; }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 215 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const convert = __webpack_require__(216); const protocols = __webpack_require__(66); const varint = __webpack_require__(12); // export codec module.exports = { stringToStringTuples: stringToStringTuples, stringTuplesToString: stringTuplesToString, tuplesToStringTuples: tuplesToStringTuples, stringTuplesToTuples: stringTuplesToTuples, bufferToTuples: bufferToTuples, tuplesToBuffer: tuplesToBuffer, bufferToString: bufferToString, stringToBuffer: stringToBuffer, fromString: fromString, fromBuffer: fromBuffer, validateBuffer: validateBuffer, isValidBuffer: isValidBuffer, cleanPath: cleanPath, ParseError: ParseError, protoFromTuple: protoFromTuple, sizeForAddr: sizeForAddr // string -> [[str name, str addr]... ] }; function stringToStringTuples(str) { const tuples = []; const parts = str.split('/').slice(1); // skip first empty elem if (parts.length === 1 && parts[0] === '') { return []; } for (let p = 0; p < parts.length; p++) { const part = parts[p]; const proto = protocols(part); if (proto.size === 0) { tuples.push([part]); continue; } p++; // advance addr part if (p >= parts.length) { throw ParseError('invalid address: ' + str); } // if it's a path proto, take the rest if (proto.path) { tuples.push([part, // TODO: should we need to check each path part to see if it's a proto? // This would allow for other protocols to be added after a unix path, // however it would have issues if the path had a protocol name in the path cleanPath(parts.slice(p).join('/'))]); break; } tuples.push([part, parts[p]]); } return tuples; } // [[str name, str addr]... ] -> string function stringTuplesToString(tuples) { const parts = []; tuples.map(tup => { const proto = protoFromTuple(tup); parts.push(proto.name); if (tup.length > 1) { parts.push(tup[1]); } }); return cleanPath(parts.join('/')); } // [[str name, str addr]... ] -> [[int code, Buffer]... ] function stringTuplesToTuples(tuples) { return tuples.map(tup => { if (!Array.isArray(tup)) { tup = [tup]; } const proto = protoFromTuple(tup); if (tup.length > 1) { return [proto.code, convert.toBuffer(proto.code, tup[1])]; } return [proto.code]; }); } // [[int code, Buffer]... ] -> [[str name, str addr]... ] function tuplesToStringTuples(tuples) { return tuples.map(tup => { const proto = protoFromTuple(tup); if (tup.length > 1) { return [proto.code, convert.toString(proto.code, tup[1])]; } return [proto.code]; }); } // [[int code, Buffer ]... ] -> Buffer function tuplesToBuffer(tuples) { return fromBuffer(Buffer.concat(tuples.map(tup => { const proto = protoFromTuple(tup); let buf = Buffer.from(varint.encode(proto.code)); if (tup.length > 1) { buf = Buffer.concat([buf, tup[1]]); // add address buffer } return buf; }))); } function sizeForAddr(p, addr) { if (p.size > 0) { return p.size / 8; } else if (p.size === 0) { return 0; } else { const size = varint.decode(addr); return size + varint.decode.bytes; } } // Buffer -> [[int code, Buffer ]... ] function bufferToTuples(buf) { const tuples = []; let i = 0; while (i < buf.length) { const code = varint.decode(buf, i); const n = varint.decode.bytes; const p = protocols(code); const size = sizeForAddr(p, buf.slice(i + n)); if (size === 0) { tuples.push([code]); i += n; continue; } const addr = buf.slice(i + n, i + n + size); i += size + n; if (i > buf.length) { // did not end _exactly_ at buffer.length throw ParseError('Invalid address buffer: ' + buf.toString('hex')); } // ok, tuple seems good. tuples.push([code, addr]); } return tuples; } // Buffer -> String function bufferToString(buf) { const a = bufferToTuples(buf); const b = tuplesToStringTuples(a); return stringTuplesToString(b); } // String -> Buffer function stringToBuffer(str) { str = cleanPath(str); const a = stringToStringTuples(str); const b = stringTuplesToTuples(a); return tuplesToBuffer(b); } // String -> Buffer function fromString(str) { return stringToBuffer(str); } // Buffer -> Buffer function fromBuffer(buf) { const err = validateBuffer(buf); if (err) throw err; return Buffer.from(buf); // copy } function validateBuffer(buf) { try { bufferToTuples(buf); // try to parse. will throw if breaks } catch (err) { return err; } } function isValidBuffer(buf) { return validateBuffer(buf) === undefined; } function cleanPath(str) { return '/' + str.trim().split('/').filter(a => a).join('/'); } function ParseError(str) { return new Error('Error parsing address: ' + str); } function protoFromTuple(tup) { const proto = protocols(tup[0]); return proto; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 216 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const ip = __webpack_require__(217); const isIp = __webpack_require__(218); const protocols = __webpack_require__(66); const bs58 = __webpack_require__(20); const base32 = __webpack_require__(220); const varint = __webpack_require__(12); module.exports = Convert; // converts (serializes) addresses function Convert(proto, a) { if (a instanceof Buffer) { return Convert.toString(proto, a); } else { return Convert.toBuffer(proto, a); } } Convert.toString = function convertToString(proto, buf) { proto = protocols(proto); switch (proto.code) { case 4: // ipv4 case 41: // ipv6 return buf2ip(buf); case 6: // tcp case 273: // udp case 33: // dccp case 132: // sctp return buf2port(buf); case 53: // dns case 54: // dns4 case 55: // dns6 case 56: // dnsaddr case 400: // unix return buf2str(buf); case 421: // ipfs return buf2mh(buf); case 444: // onion return buf2onion(buf); case 445: // onion3 return buf2onion(buf); default: return buf.toString('hex'); // no clue. convert to hex } }; Convert.toBuffer = function convertToBuffer(proto, str) { proto = protocols(proto); switch (proto.code) { case 4: // ipv4 return ip2buf(str); case 41: // ipv6 return ip2buf(str); case 6: // tcp case 273: // udp case 33: // dccp case 132: // sctp return port2buf(parseInt(str, 10)); case 53: // dns case 54: // dns4 case 55: // dns6 case 56: // dnsaddr case 400: // unix return str2buf(str); case 421: // ipfs return mh2buf(str); case 444: // onion return onion2buf(str); case 445: // onion3 return onion32buf(str); default: return Buffer.from(str, 'hex'); // no clue. convert from hex } }; function ip2buf(ipString) { if (!isIp(ipString)) { throw new Error('invalid ip address'); } return ip.toBuffer(ipString); } function buf2ip(ipBuff) { const ipString = ip.toString(ipBuff); if (!isIp(ipString)) { throw new Error('invalid ip address'); } return ipString; } function port2buf(port) { const buf = Buffer.alloc(2); buf.writeUInt16BE(port, 0); return buf; } function buf2port(buf) { return buf.readUInt16BE(0); } function str2buf(str) { const buf = Buffer.from(str); const size = Buffer.from(varint.encode(buf.length)); return Buffer.concat([size, buf]); } function buf2str(buf) { const size = varint.decode(buf); buf = buf.slice(varint.decode.bytes); if (buf.length !== size) { throw new Error('inconsistent lengths'); } return buf.toString(); } function mh2buf(hash) { // the address is a varint prefixed multihash string representation const mh = Buffer.from(bs58.decode(hash)); const size = Buffer.from(varint.encode(mh.length)); return Buffer.concat([size, mh]); } function buf2mh(buf) { const size = varint.decode(buf); const address = buf.slice(varint.decode.bytes); if (address.length !== size) { throw new Error('inconsistent lengths'); } return bs58.encode(address); } function onion2buf(str) { const addr = str.split(':'); if (addr.length !== 2) { throw new Error('failed to parse onion addr: ' + addr + ' does not contain a port number'); } if (addr[0].length !== 16) { throw new Error('failed to parse onion addr: ' + addr[0] + ' not a Tor onion address.'); } const buf = Buffer.from(base32.decode.asBytes(addr[0].toUpperCase())); // onion port number const port = parseInt(addr[1], 10); if (port < 1 || port > 65536) { throw new Error('Port number is not in range(1, 65536)'); } const portBuf = port2buf(port); return Buffer.concat([buf, portBuf]); } function onion32buf(str) { const addr = str.split(':'); if (addr.length !== 2) { throw new Error('failed to parse onion addr: ' + addr + ' does not contain a port number'); } if (addr[0].length !== 56) { throw new Error('failed to parse onion addr: ' + addr[0] + ' not a Tor onion3 address.'); } const buf = Buffer.from(base32.decode.asBytes(addr[0].toUpperCase())); // onion port number const port = parseInt(addr[1], 10); if (port < 1 || port > 65536) { throw new Error('Port number is not in range(1, 65536)'); } const portBuf = port2buf(port); return Buffer.concat([buf, portBuf]); } function buf2onion(buf) { const addrBytes = buf.slice(0, buf.length - 2); const portBytes = buf.slice(buf.length - 2); const addr = base32.encode(addrBytes).toString('ascii').toLowerCase(); const port = buf2port(portBytes); return addr + ':' + port; } /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 217 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var ip = exports; var Buffer = __webpack_require__(0).Buffer; var os = __webpack_require__(109); ip.toBuffer = function (ip, buff, offset) { offset = ~~offset; var result; if (this.isV4Format(ip)) { result = buff || new Buffer(offset + 4); ip.split(/\./g).map(function (byte) { result[offset++] = parseInt(byte, 10) & 0xff; }); } else if (this.isV6Format(ip)) { var sections = ip.split(':', 8); var i; for (i = 0; i < sections.length; i++) { var isv4 = this.isV4Format(sections[i]); var v4Buffer; if (isv4) { v4Buffer = this.toBuffer(sections[i]); sections[i] = v4Buffer.slice(0, 2).toString('hex'); } if (v4Buffer && ++i < 8) { sections.splice(i, 0, v4Buffer.slice(2, 4).toString('hex')); } } if (sections[0] === '') { while (sections.length < 8) sections.unshift('0'); } else if (sections[sections.length - 1] === '') { while (sections.length < 8) sections.push('0'); } else if (sections.length < 8) { for (i = 0; i < sections.length && sections[i] !== ''; i++); var argv = [i, 1]; for (i = 9 - sections.length; i > 0; i--) { argv.push('0'); } sections.splice.apply(sections, argv); } result = buff || new Buffer(offset + 16); for (i = 0; i < sections.length; i++) { var word = parseInt(sections[i], 16); result[offset++] = word >> 8 & 0xff; result[offset++] = word & 0xff; } } if (!result) { throw Error('Invalid ip address: ' + ip); } return result; }; ip.toString = function (buff, offset, length) { offset = ~~offset; length = length || buff.length - offset; var result = []; if (length === 4) { // IPv4 for (var i = 0; i < length; i++) { result.push(buff[offset + i]); } result = result.join('.'); } else if (length === 16) { // IPv6 for (var i = 0; i < length; i += 2) { result.push(buff.readUInt16BE(offset + i).toString(16)); } result = result.join(':'); result = result.replace(/(^|:)0(:0)*:0(:|$)/, '$1::$3'); result = result.replace(/:{3,4}/, '::'); } return result; }; var ipv4Regex = /^(\d{1,3}\.){3,3}\d{1,3}$/; var ipv6Regex = /^(::)?(((\d{1,3}\.){3}(\d{1,3}){1})?([0-9a-f]){0,4}:{0,2}){1,8}(::)?$/i; ip.isV4Format = function (ip) { return ipv4Regex.test(ip); }; ip.isV6Format = function (ip) { return ipv6Regex.test(ip); }; function _normalizeFamily(family) { return family ? family.toLowerCase() : 'ipv4'; } ip.fromPrefixLen = function (prefixlen, family) { if (prefixlen > 32) { family = 'ipv6'; } else { family = _normalizeFamily(family); } var len = 4; if (family === 'ipv6') { len = 16; } var buff = new Buffer(len); for (var i = 0, n = buff.length; i < n; ++i) { var bits = 8; if (prefixlen < 8) { bits = prefixlen; } prefixlen -= bits; buff[i] = ~(0xff >> bits) & 0xff; } return ip.toString(buff); }; ip.mask = function (addr, mask) { addr = ip.toBuffer(addr); mask = ip.toBuffer(mask); var result = new Buffer(Math.max(addr.length, mask.length)); var i = 0; // Same protocol - do bitwise and if (addr.length === mask.length) { for (i = 0; i < addr.length; i++) { result[i] = addr[i] & mask[i]; } } else if (mask.length === 4) { // IPv6 address and IPv4 mask // (Mask low bits) for (i = 0; i < mask.length; i++) { result[i] = addr[addr.length - 4 + i] & mask[i]; } } else { // IPv6 mask and IPv4 addr for (var i = 0; i < result.length - 6; i++) { result[i] = 0; } // ::ffff:ipv4 result[10] = 0xff; result[11] = 0xff; for (i = 0; i < addr.length; i++) { result[i + 12] = addr[i] & mask[i + 12]; } i = i + 12; } for (; i < result.length; i++) result[i] = 0; return ip.toString(result); }; ip.cidr = function (cidrString) { var cidrParts = cidrString.split('/'); var addr = cidrParts[0]; if (cidrParts.length !== 2) throw new Error('invalid CIDR subnet: ' + addr); var mask = ip.fromPrefixLen(parseInt(cidrParts[1], 10)); return ip.mask(addr, mask); }; ip.subnet = function (addr, mask) { var networkAddress = ip.toLong(ip.mask(addr, mask)); // Calculate the mask's length. var maskBuffer = ip.toBuffer(mask); var maskLength = 0; for (var i = 0; i < maskBuffer.length; i++) { if (maskBuffer[i] === 0xff) { maskLength += 8; } else { var octet = maskBuffer[i] & 0xff; while (octet) { octet = octet << 1 & 0xff; maskLength++; } } } var numberOfAddresses = Math.pow(2, 32 - maskLength); return { networkAddress: ip.fromLong(networkAddress), firstAddress: numberOfAddresses <= 2 ? ip.fromLong(networkAddress) : ip.fromLong(networkAddress + 1), lastAddress: numberOfAddresses <= 2 ? ip.fromLong(networkAddress + numberOfAddresses - 1) : ip.fromLong(networkAddress + numberOfAddresses - 2), broadcastAddress: ip.fromLong(networkAddress + numberOfAddresses - 1), subnetMask: mask, subnetMaskLength: maskLength, numHosts: numberOfAddresses <= 2 ? numberOfAddresses : numberOfAddresses - 2, length: numberOfAddresses, contains: function contains(other) { return networkAddress === ip.toLong(ip.mask(other, mask)); } }; }; ip.cidrSubnet = function (cidrString) { var cidrParts = cidrString.split('/'); var addr = cidrParts[0]; if (cidrParts.length !== 2) throw new Error('invalid CIDR subnet: ' + addr); var mask = ip.fromPrefixLen(parseInt(cidrParts[1], 10)); return ip.subnet(addr, mask); }; ip.not = function (addr) { var buff = ip.toBuffer(addr); for (var i = 0; i < buff.length; i++) { buff[i] = 0xff ^ buff[i]; } return ip.toString(buff); }; ip.or = function (a, b) { a = ip.toBuffer(a); b = ip.toBuffer(b); // same protocol if (a.length === b.length) { for (var i = 0; i < a.length; ++i) { a[i] |= b[i]; } return ip.toString(a); // mixed protocols } else { var buff = a; var other = b; if (b.length > a.length) { buff = b; other = a; } var offset = buff.length - other.length; for (var i = offset; i < buff.length; ++i) { buff[i] |= other[i - offset]; } return ip.toString(buff); } }; ip.isEqual = function (a, b) { a = ip.toBuffer(a); b = ip.toBuffer(b); // Same protocol if (a.length === b.length) { for (var i = 0; i < a.length; i++) { if (a[i] !== b[i]) return false; } return true; } // Swap if (b.length === 4) { var t = b; b = a; a = t; } // a - IPv4, b - IPv6 for (var i = 0; i < 10; i++) { if (b[i] !== 0) return false; } var word = b.readUInt16BE(10); if (word !== 0 && word !== 0xffff) return false; for (var i = 0; i < 4; i++) { if (a[i] !== b[i + 12]) return false; } return true; }; ip.isPrivate = function (addr) { return /^(::f{4}:)?10\.([0-9]{1,3})\.([0-9]{1,3})\.([0-9]{1,3})$/i.test(addr) || /^(::f{4}:)?192\.168\.([0-9]{1,3})\.([0-9]{1,3})$/i.test(addr) || /^(::f{4}:)?172\.(1[6-9]|2\d|30|31)\.([0-9]{1,3})\.([0-9]{1,3})$/i.test(addr) || /^(::f{4}:)?127\.([0-9]{1,3})\.([0-9]{1,3})\.([0-9]{1,3})$/i.test(addr) || /^(::f{4}:)?169\.254\.([0-9]{1,3})\.([0-9]{1,3})$/i.test(addr) || /^f[cd][0-9a-f]{2}:/i.test(addr) || /^fe80:/i.test(addr) || /^::1$/.test(addr) || /^::$/.test(addr); }; ip.isPublic = function (addr) { return !ip.isPrivate(addr); }; ip.isLoopback = function (addr) { return /^(::f{4}:)?127\.([0-9]{1,3})\.([0-9]{1,3})\.([0-9]{1,3})/.test(addr) || /^fe80::1$/.test(addr) || /^::1$/.test(addr) || /^::$/.test(addr); }; ip.loopback = function (family) { // // Default to `ipv4` // family = _normalizeFamily(family); if (family !== 'ipv4' && family !== 'ipv6') { throw new Error('family must be ipv4 or ipv6'); } return family === 'ipv4' ? '127.0.0.1' : 'fe80::1'; }; // // ### function address (name, family) // #### @name {string|'public'|'private'} **Optional** Name or security // of the network interface. // #### @family {ipv4|ipv6} **Optional** IP family of the address (defaults // to ipv4). // // Returns the address for the network interface on the current system with // the specified `name`: // * String: First `family` address of the interface. // If not found see `undefined`. // * 'public': the first public ip address of family. // * 'private': the first private ip address of family. // * undefined: First address with `ipv4` or loopback address `127.0.0.1`. // ip.address = function (name, family) { var interfaces = os.networkInterfaces(); var all; // // Default to `ipv4` // family = _normalizeFamily(family); // // If a specific network interface has been named, // return the address. // if (name && name !== 'private' && name !== 'public') { var res = interfaces[name].filter(function (details) { var itemFamily = details.family.toLowerCase(); return itemFamily === family; }); if (res.length === 0) return undefined; return res[0].address; } var all = Object.keys(interfaces).map(function (nic) { // // Note: name will only be `public` or `private` // when this is called. // var addresses = interfaces[nic].filter(function (details) { details.family = details.family.toLowerCase(); if (details.family !== family || ip.isLoopback(details.address)) { return false; } else if (!name) { return true; } return name === 'public' ? ip.isPrivate(details.address) : ip.isPublic(details.address); }); return addresses.length ? addresses[0].address : undefined; }).filter(Boolean); return !all.length ? ip.loopback(family) : all[0]; }; ip.toLong = function (ip) { var ipl = 0; ip.split('.').forEach(function (octet) { ipl <<= 8; ipl += parseInt(octet); }); return ipl >>> 0; }; ip.fromLong = function (ipl) { return (ipl >>> 24) + '.' + (ipl >> 16 & 255) + '.' + (ipl >> 8 & 255) + '.' + (ipl & 255); }; /***/ }), /* 218 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const ipRegex = __webpack_require__(219); const isIp = module.exports = x => ipRegex({ exact: true }).test(x); isIp.v4 = x => ipRegex.v4({ exact: true }).test(x); isIp.v6 = x => ipRegex.v6({ exact: true }).test(x); /***/ }), /* 219 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const v4 = '(?:25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9])(?:\\.(?:25[0-5]|2[0-4][0-9]|1[0-9][0-9]|[1-9][0-9]|[0-9])){3}'; const v6seg = '[0-9a-fA-F]{1,4}'; const v6 = "\n(\n(?:".concat(v6seg, ":){7}(?:").concat(v6seg, "|:)| // 1:2:3:4:5:6:7:: 1:2:3:4:5:6:7:8\n(?:").concat(v6seg, ":){6}(?:").concat(v4, "|:").concat(v6seg, "|:)| // 1:2:3:4:5:6:: 1:2:3:4:5:6::8 1:2:3:4:5:6::8 1:2:3:4:5:6::1.2.3.4\n(?:").concat(v6seg, ":){5}(?::").concat(v4, "|(:").concat(v6seg, "){1,2}|:)| // 1:2:3:4:5:: 1:2:3:4:5::7:8 1:2:3:4:5::8 1:2:3:4:5::7:1.2.3.4\n(?:").concat(v6seg, ":){4}(?:(:").concat(v6seg, "){0,1}:").concat(v4, "|(:").concat(v6seg, "){1,3}|:)| // 1:2:3:4:: 1:2:3:4::6:7:8 1:2:3:4::8 1:2:3:4::6:7:1.2.3.4\n(?:").concat(v6seg, ":){3}(?:(:").concat(v6seg, "){0,2}:").concat(v4, "|(:").concat(v6seg, "){1,4}|:)| // 1:2:3:: 1:2:3::5:6:7:8 1:2:3::8 1:2:3::5:6:7:1.2.3.4\n(?:").concat(v6seg, ":){2}(?:(:").concat(v6seg, "){0,3}:").concat(v4, "|(:").concat(v6seg, "){1,5}|:)| // 1:2:: 1:2::4:5:6:7:8 1:2::8 1:2::4:5:6:7:1.2.3.4\n(?:").concat(v6seg, ":){1}(?:(:").concat(v6seg, "){0,4}:").concat(v4, "|(:").concat(v6seg, "){1,6}|:)| // 1:: 1::3:4:5:6:7:8 1::8 1::3:4:5:6:7:1.2.3.4\n(?::((?::").concat(v6seg, "){0,5}:").concat(v4, "|(?::").concat(v6seg, "){1,7}|:)) // ::2:3:4:5:6:7:8 ::2:3:4:5:6:7:8 ::8 ::1.2.3.4\n)(%[0-9a-zA-Z]{1,})? // %eth0 %1\n").replace(/\s*\/\/.*$/gm, '').replace(/\n/g, '').trim(); const ip = module.exports = opts => opts && opts.exact ? new RegExp("(?:^".concat(v4, "$)|(?:^").concat(v6, "$)")) : new RegExp("(?:".concat(v4, ")|(?:").concat(v6, ")"), 'g'); ip.v4 = opts => opts && opts.exact ? new RegExp("^".concat(v4, "$")) : new RegExp(v4, 'g'); ip.v6 = opts => opts && opts.exact ? new RegExp("^".concat(v6, "$")) : new RegExp(v6, 'g'); /***/ }), /* 220 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process, global) {var __WEBPACK_AMD_DEFINE_RESULT__; /* * [hi-base32]{@link https://github.com/emn178/hi-base32} * * @version 0.5.0 * @author Chen, Yi-Cyuan [emn178@gmail.com] * @copyright Chen, Yi-Cyuan 2015-2018 * @license MIT */ /*jslint bitwise: true */ (function () { 'use strict'; var root = typeof window === 'object' ? window : {}; var NODE_JS = !root.HI_BASE32_NO_NODE_JS && typeof process === 'object' && process.versions && process.versions.node; if (NODE_JS) { root = global; } var COMMON_JS = !root.HI_BASE32_NO_COMMON_JS && typeof module === 'object' && module.exports; var AMD = true && __webpack_require__(110); var BASE32_ENCODE_CHAR = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ234567'.split(''); var BASE32_DECODE_CHAR = { 'A': 0, 'B': 1, 'C': 2, 'D': 3, 'E': 4, 'F': 5, 'G': 6, 'H': 7, 'I': 8, 'J': 9, 'K': 10, 'L': 11, 'M': 12, 'N': 13, 'O': 14, 'P': 15, 'Q': 16, 'R': 17, 'S': 18, 'T': 19, 'U': 20, 'V': 21, 'W': 22, 'X': 23, 'Y': 24, 'Z': 25, '2': 26, '3': 27, '4': 28, '5': 29, '6': 30, '7': 31 }; var blocks = [0, 0, 0, 0, 0, 0, 0, 0]; var throwInvalidUtf8 = function throwInvalidUtf8(position, partial) { if (partial.length > 10) { partial = '...' + partial.substr(-10); } var err = new Error('Decoded data is not valid UTF-8.' + ' Maybe try base32.decode.asBytes()?' + ' Partial data after reading ' + position + ' bytes: ' + partial + ' <-'); err.position = position; throw err; }; var toUtf8String = function toUtf8String(bytes) { var str = '', length = bytes.length, i = 0, followingChars = 0, b, c; while (i < length) { b = bytes[i++]; if (b <= 0x7F) { str += String.fromCharCode(b); continue; } else if (b > 0xBF && b <= 0xDF) { c = b & 0x1F; followingChars = 1; } else if (b <= 0xEF) { c = b & 0x0F; followingChars = 2; } else if (b <= 0xF7) { c = b & 0x07; followingChars = 3; } else { throwInvalidUtf8(i, str); } for (var j = 0; j < followingChars; ++j) { b = bytes[i++]; if (b < 0x80 || b > 0xBF) { throwInvalidUtf8(i, str); } c <<= 6; c += b & 0x3F; } if (c >= 0xD800 && c <= 0xDFFF) { throwInvalidUtf8(i, str); } if (c > 0x10FFFF) { throwInvalidUtf8(i, str); } if (c <= 0xFFFF) { str += String.fromCharCode(c); } else { c -= 0x10000; str += String.fromCharCode((c >> 10) + 0xD800); str += String.fromCharCode((c & 0x3FF) + 0xDC00); } } return str; }; var decodeAsBytes = function decodeAsBytes(base32Str) { if (!/^[A-Z2-7=]+$/.test(base32Str)) { throw new Error('Invalid base32 characters'); } base32Str = base32Str.replace(/=/g, ''); var v1, v2, v3, v4, v5, v6, v7, v8, bytes = [], index = 0, length = base32Str.length; // 4 char to 3 bytes for (var i = 0, count = length >> 3 << 3; i < count;) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v5 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v6 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v7 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v8 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; bytes[index++] = (v1 << 3 | v2 >>> 2) & 255; bytes[index++] = (v2 << 6 | v3 << 1 | v4 >>> 4) & 255; bytes[index++] = (v4 << 4 | v5 >>> 1) & 255; bytes[index++] = (v5 << 7 | v6 << 2 | v7 >>> 3) & 255; bytes[index++] = (v7 << 5 | v8) & 255; } // remain bytes var remain = length - count; if (remain === 2) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; bytes[index++] = (v1 << 3 | v2 >>> 2) & 255; } else if (remain === 4) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; bytes[index++] = (v1 << 3 | v2 >>> 2) & 255; bytes[index++] = (v2 << 6 | v3 << 1 | v4 >>> 4) & 255; } else if (remain === 5) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v5 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; bytes[index++] = (v1 << 3 | v2 >>> 2) & 255; bytes[index++] = (v2 << 6 | v3 << 1 | v4 >>> 4) & 255; bytes[index++] = (v4 << 4 | v5 >>> 1) & 255; } else if (remain === 7) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v5 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v6 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v7 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; bytes[index++] = (v1 << 3 | v2 >>> 2) & 255; bytes[index++] = (v2 << 6 | v3 << 1 | v4 >>> 4) & 255; bytes[index++] = (v4 << 4 | v5 >>> 1) & 255; bytes[index++] = (v5 << 7 | v6 << 2 | v7 >>> 3) & 255; } return bytes; }; var encodeAscii = function encodeAscii(str) { var v1, v2, v3, v4, v5, base32Str = '', length = str.length; for (var i = 0, count = parseInt(length / 5) * 5; i < count;) { v1 = str.charCodeAt(i++); v2 = str.charCodeAt(i++); v3 = str.charCodeAt(i++); v4 = str.charCodeAt(i++); v5 = str.charCodeAt(i++); base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[(v3 << 1 | v4 >>> 7) & 31] + BASE32_ENCODE_CHAR[v4 >>> 2 & 31] + BASE32_ENCODE_CHAR[(v4 << 3 | v5 >>> 5) & 31] + BASE32_ENCODE_CHAR[v5 & 31]; } // remain char var remain = length - count; if (remain === 1) { v1 = str.charCodeAt(i); base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[v1 << 2 & 31] + '======'; } else if (remain === 2) { v1 = str.charCodeAt(i++); v2 = str.charCodeAt(i); base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[v2 << 4 & 31] + '===='; } else if (remain === 3) { v1 = str.charCodeAt(i++); v2 = str.charCodeAt(i++); v3 = str.charCodeAt(i); base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[v3 << 1 & 31] + '==='; } else if (remain === 4) { v1 = str.charCodeAt(i++); v2 = str.charCodeAt(i++); v3 = str.charCodeAt(i++); v4 = str.charCodeAt(i); base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[(v3 << 1 | v4 >>> 7) & 31] + BASE32_ENCODE_CHAR[v4 >>> 2 & 31] + BASE32_ENCODE_CHAR[v4 << 3 & 31] + '='; } return base32Str; }; var encodeUtf8 = function encodeUtf8(str) { var v1, v2, v3, v4, v5, code, end = false, base32Str = '', index = 0, i, start = 0, bytes = 0, length = str.length; do { blocks[0] = blocks[5]; blocks[1] = blocks[6]; blocks[2] = blocks[7]; for (i = start; index < length && i < 5; ++index) { code = str.charCodeAt(index); if (code < 0x80) { blocks[i++] = code; } else if (code < 0x800) { blocks[i++] = 0xc0 | code >> 6; blocks[i++] = 0x80 | code & 0x3f; } else if (code < 0xd800 || code >= 0xe000) { blocks[i++] = 0xe0 | code >> 12; blocks[i++] = 0x80 | code >> 6 & 0x3f; blocks[i++] = 0x80 | code & 0x3f; } else { code = 0x10000 + ((code & 0x3ff) << 10 | str.charCodeAt(++index) & 0x3ff); blocks[i++] = 0xf0 | code >> 18; blocks[i++] = 0x80 | code >> 12 & 0x3f; blocks[i++] = 0x80 | code >> 6 & 0x3f; blocks[i++] = 0x80 | code & 0x3f; } } bytes += i - start; start = i - 5; if (index === length) { ++index; } if (index > length && i < 6) { end = true; } v1 = blocks[0]; if (i > 4) { v2 = blocks[1]; v3 = blocks[2]; v4 = blocks[3]; v5 = blocks[4]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[(v3 << 1 | v4 >>> 7) & 31] + BASE32_ENCODE_CHAR[v4 >>> 2 & 31] + BASE32_ENCODE_CHAR[(v4 << 3 | v5 >>> 5) & 31] + BASE32_ENCODE_CHAR[v5 & 31]; } else if (i === 1) { base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[v1 << 2 & 31] + '======'; } else if (i === 2) { v2 = blocks[1]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[v2 << 4 & 31] + '===='; } else if (i === 3) { v2 = blocks[1]; v3 = blocks[2]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[v3 << 1 & 31] + '==='; } else { v2 = blocks[1]; v3 = blocks[2]; v4 = blocks[3]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[(v3 << 1 | v4 >>> 7) & 31] + BASE32_ENCODE_CHAR[v4 >>> 2 & 31] + BASE32_ENCODE_CHAR[v4 << 3 & 31] + '='; } } while (!end); return base32Str; }; var encodeBytes = function encodeBytes(bytes) { var v1, v2, v3, v4, v5, base32Str = '', length = bytes.length; for (var i = 0, count = parseInt(length / 5) * 5; i < count;) { v1 = bytes[i++]; v2 = bytes[i++]; v3 = bytes[i++]; v4 = bytes[i++]; v5 = bytes[i++]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[(v3 << 1 | v4 >>> 7) & 31] + BASE32_ENCODE_CHAR[v4 >>> 2 & 31] + BASE32_ENCODE_CHAR[(v4 << 3 | v5 >>> 5) & 31] + BASE32_ENCODE_CHAR[v5 & 31]; } // remain char var remain = length - count; if (remain === 1) { v1 = bytes[i]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[v1 << 2 & 31] + '======'; } else if (remain === 2) { v1 = bytes[i++]; v2 = bytes[i]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[v2 << 4 & 31] + '===='; } else if (remain === 3) { v1 = bytes[i++]; v2 = bytes[i++]; v3 = bytes[i]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[v3 << 1 & 31] + '==='; } else if (remain === 4) { v1 = bytes[i++]; v2 = bytes[i++]; v3 = bytes[i++]; v4 = bytes[i]; base32Str += BASE32_ENCODE_CHAR[v1 >>> 3] + BASE32_ENCODE_CHAR[(v1 << 2 | v2 >>> 6) & 31] + BASE32_ENCODE_CHAR[v2 >>> 1 & 31] + BASE32_ENCODE_CHAR[(v2 << 4 | v3 >>> 4) & 31] + BASE32_ENCODE_CHAR[(v3 << 1 | v4 >>> 7) & 31] + BASE32_ENCODE_CHAR[v4 >>> 2 & 31] + BASE32_ENCODE_CHAR[v4 << 3 & 31] + '='; } return base32Str; }; var encode = function encode(input, asciiOnly) { var notString = typeof input !== 'string'; if (notString && input.constructor === ArrayBuffer) { input = new Uint8Array(input); } if (notString) { return encodeBytes(input); } else if (asciiOnly) { return encodeAscii(input); } else { return encodeUtf8(input); } }; var decode = function decode(base32Str, asciiOnly) { if (!asciiOnly) { return toUtf8String(decodeAsBytes(base32Str)); } if (!/^[A-Z2-7=]+$/.test(base32Str)) { throw new Error('Invalid base32 characters'); } var v1, v2, v3, v4, v5, v6, v7, v8, str = '', length = base32Str.indexOf('='); if (length === -1) { length = base32Str.length; } // 8 char to 5 bytes for (var i = 0, count = length >> 3 << 3; i < count;) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v5 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v6 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v7 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v8 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; str += String.fromCharCode((v1 << 3 | v2 >>> 2) & 255) + String.fromCharCode((v2 << 6 | v3 << 1 | v4 >>> 4) & 255) + String.fromCharCode((v4 << 4 | v5 >>> 1) & 255) + String.fromCharCode((v5 << 7 | v6 << 2 | v7 >>> 3) & 255) + String.fromCharCode((v7 << 5 | v8) & 255); } // remain bytes var remain = length - count; if (remain === 2) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; str += String.fromCharCode((v1 << 3 | v2 >>> 2) & 255); } else if (remain === 4) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; str += String.fromCharCode((v1 << 3 | v2 >>> 2) & 255) + String.fromCharCode((v2 << 6 | v3 << 1 | v4 >>> 4) & 255); } else if (remain === 5) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v5 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; str += String.fromCharCode((v1 << 3 | v2 >>> 2) & 255) + String.fromCharCode((v2 << 6 | v3 << 1 | v4 >>> 4) & 255) + String.fromCharCode((v4 << 4 | v5 >>> 1) & 255); } else if (remain === 7) { v1 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v2 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v3 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v4 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v5 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v6 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; v7 = BASE32_DECODE_CHAR[base32Str.charAt(i++)]; str += String.fromCharCode((v1 << 3 | v2 >>> 2) & 255) + String.fromCharCode((v2 << 6 | v3 << 1 | v4 >>> 4) & 255) + String.fromCharCode((v4 << 4 | v5 >>> 1) & 255) + String.fromCharCode((v5 << 7 | v6 << 2 | v7 >>> 3) & 255); } return str; }; var exports = { encode: encode, decode: decode }; decode.asBytes = decodeAsBytes; if (COMMON_JS) { module.exports = exports; } else { root.base32 = exports; if (AMD) { !(__WEBPACK_AMD_DEFINE_RESULT__ = (function () { return exports; }).call(exports, __webpack_require__, exports, module), __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); } } })(); /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(4), __webpack_require__(10))) /***/ }), /* 221 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const multiaddr = __webpack_require__(15); /* * Valid combinations */ const DNS4 = base('dns4'); const DNS6 = base('dns6'); const DNS = or(base('dns'), base('dnsaddr'), DNS4, DNS6); const IP = or(base('ip4'), base('ip6')); const TCP = or(and(IP, base('tcp')), and(DNS, base('tcp'))); const UDP = and(IP, base('udp')); const UTP = and(UDP, base('utp')); const WebSockets = or(and(TCP, base('ws')), and(DNS, base('ws'))); const WebSocketsSecure = or(and(TCP, base('wss')), and(DNS, base('wss'))); const HTTP = or(and(TCP, base('http')), and(IP, base('http')), and(DNS, base('http'))); const HTTPS = or(and(TCP, base('https')), and(IP, base('https')), and(DNS, base('https'))); const WebRTCStar = or(and(WebSockets, base('p2p-webrtc-star'), base('ipfs')), and(WebSocketsSecure, base('p2p-webrtc-star'), base('ipfs')), and(WebSockets, base('p2p-webrtc-star'), base('p2p')), and(WebSocketsSecure, base('p2p-webrtc-star'), base('p2p'))); const WebSocketStar = or(and(WebSockets, base('p2p-websocket-star'), base('ipfs')), and(WebSocketsSecure, base('p2p-websocket-star'), base('ipfs')), and(WebSockets, base('p2p-websocket-star'), base('p2p')), and(WebSocketsSecure, base('p2p-websocket-star'), base('p2p')), and(WebSockets, base('p2p-websocket-star')), and(WebSocketsSecure, base('p2p-websocket-star'))); const WebRTCDirect = or(and(HTTP, base('p2p-webrtc-direct')), and(HTTPS, base('p2p-webrtc-direct'))); const Reliable = or(WebSockets, WebSocketsSecure, HTTP, HTTPS, WebRTCStar, WebRTCDirect, TCP, UTP); // Unlike ws-star, stardust can run over any transport thus removing the requirement for websockets (but don't even think about running a stardust server over webrtc-star ;) ) const Stardust = or(and(Reliable, base('p2p-stardust'), base('ipfs')), and(Reliable, base('p2p-stardust'))); const _P2P = or(and(Reliable, base('ipfs')), and(Reliable, base('p2p')), WebRTCStar, base('ipfs'), base('p2p')); const _Circuit = or(and(_P2P, base('p2p-circuit'), _P2P), and(_P2P, base('p2p-circuit')), and(base('p2p-circuit'), _P2P), and(Reliable, base('p2p-circuit')), and(base('p2p-circuit'), Reliable), base('p2p-circuit')); const CircuitRecursive = () => or(and(_Circuit, CircuitRecursive), _Circuit); const Circuit = CircuitRecursive(); const P2P = or(and(Circuit, _P2P, Circuit), and(_P2P, Circuit), and(Circuit, _P2P), Circuit, _P2P); exports.DNS = DNS; exports.DNS4 = DNS4; exports.DNS6 = DNS6; exports.IP = IP; exports.TCP = TCP; exports.UDP = UDP; exports.UTP = UTP; exports.HTTP = HTTP; exports.HTTPS = HTTPS; exports.WebSockets = WebSockets; exports.WebSocketsSecure = WebSocketsSecure; exports.WebSocketStar = WebSocketStar; exports.WebRTCStar = WebRTCStar; exports.WebRTCDirect = WebRTCDirect; exports.Reliable = Reliable; exports.Stardust = Stardust; exports.Circuit = Circuit; exports.P2P = P2P; exports.IPFS = P2P; /* * Validation funcs */ function makeMatchesFunction(partialMatch) { return function matches(a) { if (!multiaddr.isMultiaddr(a)) { try { a = multiaddr(a); } catch (err) { // catch error return false; // also if it's invalid it's propably not matching as well so return false } } const out = partialMatch(a.protoNames()); if (out === null) { return false; } return out.length === 0; }; } function and() { const args = Array.from(arguments); function partialMatch(a) { if (a.length < args.length) { return null; } args.some(arg => { a = typeof arg === 'function' ? arg().partialMatch(a) : arg.partialMatch(a); if (a === null) { return true; } }); return a; } return { toString: function toString() { return '{ ' + args.join(' ') + ' }'; }, input: args, matches: makeMatchesFunction(partialMatch), partialMatch: partialMatch }; } function or() { const args = Array.from(arguments); function partialMatch(a) { let out = null; args.some(arg => { const res = typeof arg === 'function' ? arg().partialMatch(a) : arg.partialMatch(a); if (res) { out = res; return true; } }); return out; } const result = { toString: function toString() { return '{ ' + args.join(' ') + ' }'; }, input: args, matches: makeMatchesFunction(partialMatch), partialMatch: partialMatch }; return result; } function base(n) { const name = n; function matches(a) { if (typeof a === 'string') { try { a = multiaddr(a); } catch (err) { // catch error return false; // also if it's invalid it's propably not matching as well so return false } } const pnames = a.protoNames(); if (pnames.length === 1 && pnames[0] === name) { return true; } return false; } function partialMatch(protos) { if (protos.length === 0) { return null; } if (protos[0] === name) { return protos.slice(1); } return null; } return { toString: function toString() { return name; }, matches: matches, partialMatch: partialMatch }; } /***/ }), /* 222 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const baseTable = __webpack_require__(67); const varintBufferEncode = __webpack_require__(111).varintBufferEncode; // this creates a map for codecName -> codeVarintBuffer const varintTable = {}; module.exports = varintTable; for (let encodingName in baseTable) { let code = baseTable[encodingName]; varintTable[encodingName] = varintBufferEncode(code); } /***/ }), /* 223 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; const baseTable = __webpack_require__(67); // this creates a map for code as hexString -> codecName const nameTable = {}; module.exports = nameTable; for (let encodingName in baseTable) { let code = baseTable[encodingName]; nameTable[code.toString('hex')] = encodingName; } /***/ }), /* 224 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // THIS FILE IS GENERATED, DO NO EDIT MANUALLY // For more information see the README.md /* eslint-disable dot-notation */ module.exports = Object.freeze({ // serialization PROTOBUF: 0x50, CBOR: 0x51, RLP: 0x60, BENCODE: 0x63, JSON: 0x0200, MESSAGEPACK: 0x0201, // multiformat MULTICODEC: 0x30, MULTIHASH: 0x31, MULTIADDR: 0x32, MULTIBASE: 0x33, // multihash IDENTITY: 0x00, SHA1: 0x11, SHA2_256: 0x12, SHA2_512: 0x13, SHA3_512: 0x14, SHA3_384: 0x15, SHA3_256: 0x16, SHA3_224: 0x17, SHAKE_128: 0x18, SHAKE_256: 0x19, KECCAK_224: 0x1a, KECCAK_256: 0x1b, KECCAK_384: 0x1c, KECCAK_512: 0x1d, MURMUR3_128: 0x22, MURMUR3_32: 0x23, DBL_SHA2_256: 0x56, MD4: 0xd4, MD5: 0xd5, BMT: 0xd6, X11: 0x1100, BLAKE2B_8: 0xb201, BLAKE2B_16: 0xb202, BLAKE2B_24: 0xb203, BLAKE2B_32: 0xb204, BLAKE2B_40: 0xb205, BLAKE2B_48: 0xb206, BLAKE2B_56: 0xb207, BLAKE2B_64: 0xb208, BLAKE2B_72: 0xb209, BLAKE2B_80: 0xb20a, BLAKE2B_88: 0xb20b, BLAKE2B_96: 0xb20c, BLAKE2B_104: 0xb20d, BLAKE2B_112: 0xb20e, BLAKE2B_120: 0xb20f, BLAKE2B_128: 0xb210, BLAKE2B_136: 0xb211, BLAKE2B_144: 0xb212, BLAKE2B_152: 0xb213, BLAKE2B_160: 0xb214, BLAKE2B_168: 0xb215, BLAKE2B_176: 0xb216, BLAKE2B_184: 0xb217, BLAKE2B_192: 0xb218, BLAKE2B_200: 0xb219, BLAKE2B_208: 0xb21a, BLAKE2B_216: 0xb21b, BLAKE2B_224: 0xb21c, BLAKE2B_232: 0xb21d, BLAKE2B_240: 0xb21e, BLAKE2B_248: 0xb21f, BLAKE2B_256: 0xb220, BLAKE2B_264: 0xb221, BLAKE2B_272: 0xb222, BLAKE2B_280: 0xb223, BLAKE2B_288: 0xb224, BLAKE2B_296: 0xb225, BLAKE2B_304: 0xb226, BLAKE2B_312: 0xb227, BLAKE2B_320: 0xb228, BLAKE2B_328: 0xb229, BLAKE2B_336: 0xb22a, BLAKE2B_344: 0xb22b, BLAKE2B_352: 0xb22c, BLAKE2B_360: 0xb22d, BLAKE2B_368: 0xb22e, BLAKE2B_376: 0xb22f, BLAKE2B_384: 0xb230, BLAKE2B_392: 0xb231, BLAKE2B_400: 0xb232, BLAKE2B_408: 0xb233, BLAKE2B_416: 0xb234, BLAKE2B_424: 0xb235, BLAKE2B_432: 0xb236, BLAKE2B_440: 0xb237, BLAKE2B_448: 0xb238, BLAKE2B_456: 0xb239, BLAKE2B_464: 0xb23a, BLAKE2B_472: 0xb23b, BLAKE2B_480: 0xb23c, BLAKE2B_488: 0xb23d, BLAKE2B_496: 0xb23e, BLAKE2B_504: 0xb23f, BLAKE2B_512: 0xb240, BLAKE2S_8: 0xb241, BLAKE2S_16: 0xb242, BLAKE2S_24: 0xb243, BLAKE2S_32: 0xb244, BLAKE2S_40: 0xb245, BLAKE2S_48: 0xb246, BLAKE2S_56: 0xb247, BLAKE2S_64: 0xb248, BLAKE2S_72: 0xb249, BLAKE2S_80: 0xb24a, BLAKE2S_88: 0xb24b, BLAKE2S_96: 0xb24c, BLAKE2S_104: 0xb24d, BLAKE2S_112: 0xb24e, BLAKE2S_120: 0xb24f, BLAKE2S_128: 0xb250, BLAKE2S_136: 0xb251, BLAKE2S_144: 0xb252, BLAKE2S_152: 0xb253, BLAKE2S_160: 0xb254, BLAKE2S_168: 0xb255, BLAKE2S_176: 0xb256, BLAKE2S_184: 0xb257, BLAKE2S_192: 0xb258, BLAKE2S_200: 0xb259, BLAKE2S_208: 0xb25a, BLAKE2S_216: 0xb25b, BLAKE2S_224: 0xb25c, BLAKE2S_232: 0xb25d, BLAKE2S_240: 0xb25e, BLAKE2S_248: 0xb25f, BLAKE2S_256: 0xb260, SKEIN256_8: 0xb301, SKEIN256_16: 0xb302, SKEIN256_24: 0xb303, SKEIN256_32: 0xb304, SKEIN256_40: 0xb305, SKEIN256_48: 0xb306, SKEIN256_56: 0xb307, SKEIN256_64: 0xb308, SKEIN256_72: 0xb309, SKEIN256_80: 0xb30a, SKEIN256_88: 0xb30b, SKEIN256_96: 0xb30c, SKEIN256_104: 0xb30d, SKEIN256_112: 0xb30e, SKEIN256_120: 0xb30f, SKEIN256_128: 0xb310, SKEIN256_136: 0xb311, SKEIN256_144: 0xb312, SKEIN256_152: 0xb313, SKEIN256_160: 0xb314, SKEIN256_168: 0xb315, SKEIN256_176: 0xb316, SKEIN256_184: 0xb317, SKEIN256_192: 0xb318, SKEIN256_200: 0xb319, SKEIN256_208: 0xb31a, SKEIN256_216: 0xb31b, SKEIN256_224: 0xb31c, SKEIN256_232: 0xb31d, SKEIN256_240: 0xb31e, SKEIN256_248: 0xb31f, SKEIN256_256: 0xb320, SKEIN512_8: 0xb321, SKEIN512_16: 0xb322, SKEIN512_24: 0xb323, SKEIN512_32: 0xb324, SKEIN512_40: 0xb325, SKEIN512_48: 0xb326, SKEIN512_56: 0xb327, SKEIN512_64: 0xb328, SKEIN512_72: 0xb329, SKEIN512_80: 0xb32a, SKEIN512_88: 0xb32b, SKEIN512_96: 0xb32c, SKEIN512_104: 0xb32d, SKEIN512_112: 0xb32e, SKEIN512_120: 0xb32f, SKEIN512_128: 0xb330, SKEIN512_136: 0xb331, SKEIN512_144: 0xb332, SKEIN512_152: 0xb333, SKEIN512_160: 0xb334, SKEIN512_168: 0xb335, SKEIN512_176: 0xb336, SKEIN512_184: 0xb337, SKEIN512_192: 0xb338, SKEIN512_200: 0xb339, SKEIN512_208: 0xb33a, SKEIN512_216: 0xb33b, SKEIN512_224: 0xb33c, SKEIN512_232: 0xb33d, SKEIN512_240: 0xb33e, SKEIN512_248: 0xb33f, SKEIN512_256: 0xb340, SKEIN512_264: 0xb341, SKEIN512_272: 0xb342, SKEIN512_280: 0xb343, SKEIN512_288: 0xb344, SKEIN512_296: 0xb345, SKEIN512_304: 0xb346, SKEIN512_312: 0xb347, SKEIN512_320: 0xb348, SKEIN512_328: 0xb349, SKEIN512_336: 0xb34a, SKEIN512_344: 0xb34b, SKEIN512_352: 0xb34c, SKEIN512_360: 0xb34d, SKEIN512_368: 0xb34e, SKEIN512_376: 0xb34f, SKEIN512_384: 0xb350, SKEIN512_392: 0xb351, SKEIN512_400: 0xb352, SKEIN512_408: 0xb353, SKEIN512_416: 0xb354, SKEIN512_424: 0xb355, SKEIN512_432: 0xb356, SKEIN512_440: 0xb357, SKEIN512_448: 0xb358, SKEIN512_456: 0xb359, SKEIN512_464: 0xb35a, SKEIN512_472: 0xb35b, SKEIN512_480: 0xb35c, SKEIN512_488: 0xb35d, SKEIN512_496: 0xb35e, SKEIN512_504: 0xb35f, SKEIN512_512: 0xb360, SKEIN1024_8: 0xb361, SKEIN1024_16: 0xb362, SKEIN1024_24: 0xb363, SKEIN1024_32: 0xb364, SKEIN1024_40: 0xb365, SKEIN1024_48: 0xb366, SKEIN1024_56: 0xb367, SKEIN1024_64: 0xb368, SKEIN1024_72: 0xb369, SKEIN1024_80: 0xb36a, SKEIN1024_88: 0xb36b, SKEIN1024_96: 0xb36c, SKEIN1024_104: 0xb36d, SKEIN1024_112: 0xb36e, SKEIN1024_120: 0xb36f, SKEIN1024_128: 0xb370, SKEIN1024_136: 0xb371, SKEIN1024_144: 0xb372, SKEIN1024_152: 0xb373, SKEIN1024_160: 0xb374, SKEIN1024_168: 0xb375, SKEIN1024_176: 0xb376, SKEIN1024_184: 0xb377, SKEIN1024_192: 0xb378, SKEIN1024_200: 0xb379, SKEIN1024_208: 0xb37a, SKEIN1024_216: 0xb37b, SKEIN1024_224: 0xb37c, SKEIN1024_232: 0xb37d, SKEIN1024_240: 0xb37e, SKEIN1024_248: 0xb37f, SKEIN1024_256: 0xb380, SKEIN1024_264: 0xb381, SKEIN1024_272: 0xb382, SKEIN1024_280: 0xb383, SKEIN1024_288: 0xb384, SKEIN1024_296: 0xb385, SKEIN1024_304: 0xb386, SKEIN1024_312: 0xb387, SKEIN1024_320: 0xb388, SKEIN1024_328: 0xb389, SKEIN1024_336: 0xb38a, SKEIN1024_344: 0xb38b, SKEIN1024_352: 0xb38c, SKEIN1024_360: 0xb38d, SKEIN1024_368: 0xb38e, SKEIN1024_376: 0xb38f, SKEIN1024_384: 0xb390, SKEIN1024_392: 0xb391, SKEIN1024_400: 0xb392, SKEIN1024_408: 0xb393, SKEIN1024_416: 0xb394, SKEIN1024_424: 0xb395, SKEIN1024_432: 0xb396, SKEIN1024_440: 0xb397, SKEIN1024_448: 0xb398, SKEIN1024_456: 0xb399, SKEIN1024_464: 0xb39a, SKEIN1024_472: 0xb39b, SKEIN1024_480: 0xb39c, SKEIN1024_488: 0xb39d, SKEIN1024_496: 0xb39e, SKEIN1024_504: 0xb39f, SKEIN1024_512: 0xb3a0, SKEIN1024_520: 0xb3a1, SKEIN1024_528: 0xb3a2, SKEIN1024_536: 0xb3a3, SKEIN1024_544: 0xb3a4, SKEIN1024_552: 0xb3a5, SKEIN1024_560: 0xb3a6, SKEIN1024_568: 0xb3a7, SKEIN1024_576: 0xb3a8, SKEIN1024_584: 0xb3a9, SKEIN1024_592: 0xb3aa, SKEIN1024_600: 0xb3ab, SKEIN1024_608: 0xb3ac, SKEIN1024_616: 0xb3ad, SKEIN1024_624: 0xb3ae, SKEIN1024_632: 0xb3af, SKEIN1024_640: 0xb3b0, SKEIN1024_648: 0xb3b1, SKEIN1024_656: 0xb3b2, SKEIN1024_664: 0xb3b3, SKEIN1024_672: 0xb3b4, SKEIN1024_680: 0xb3b5, SKEIN1024_688: 0xb3b6, SKEIN1024_696: 0xb3b7, SKEIN1024_704: 0xb3b8, SKEIN1024_712: 0xb3b9, SKEIN1024_720: 0xb3ba, SKEIN1024_728: 0xb3bb, SKEIN1024_736: 0xb3bc, SKEIN1024_744: 0xb3bd, SKEIN1024_752: 0xb3be, SKEIN1024_760: 0xb3bf, SKEIN1024_768: 0xb3c0, SKEIN1024_776: 0xb3c1, SKEIN1024_784: 0xb3c2, SKEIN1024_792: 0xb3c3, SKEIN1024_800: 0xb3c4, SKEIN1024_808: 0xb3c5, SKEIN1024_816: 0xb3c6, SKEIN1024_824: 0xb3c7, SKEIN1024_832: 0xb3c8, SKEIN1024_840: 0xb3c9, SKEIN1024_848: 0xb3ca, SKEIN1024_856: 0xb3cb, SKEIN1024_864: 0xb3cc, SKEIN1024_872: 0xb3cd, SKEIN1024_880: 0xb3ce, SKEIN1024_888: 0xb3cf, SKEIN1024_896: 0xb3d0, SKEIN1024_904: 0xb3d1, SKEIN1024_912: 0xb3d2, SKEIN1024_920: 0xb3d3, SKEIN1024_928: 0xb3d4, SKEIN1024_936: 0xb3d5, SKEIN1024_944: 0xb3d6, SKEIN1024_952: 0xb3d7, SKEIN1024_960: 0xb3d8, SKEIN1024_968: 0xb3d9, SKEIN1024_976: 0xb3da, SKEIN1024_984: 0xb3db, SKEIN1024_992: 0xb3dc, SKEIN1024_1000: 0xb3dd, SKEIN1024_1008: 0xb3de, SKEIN1024_1016: 0xb3df, SKEIN1024_1024: 0xb3e0, // multiaddr IP4: 0x04, TCP: 0x06, DCCP: 0x21, IP6: 0x29, IP6ZONE: 0x2a, DNS: 0x35, DNS4: 0x36, DNS6: 0x37, DNSADDR: 0x38, SCTP: 0x84, UDP: 0x0111, P2P_WEBRTC_STAR: 0x0113, P2P_WEBRTC_DIRECT: 0x0114, P2P_STARDUST: 0x0115, P2P_CIRCUIT: 0x0122, UDT: 0x012d, UTP: 0x012e, UNIX: 0x0190, P2P: 0x01a5, IPFS: 0x01a5, HTTPS: 0x01bb, ONION: 0x01bc, ONION3: 0x01bd, GARLIC64: 0x01be, GARLIC32: 0x01bf, QUIC: 0x01cc, WS: 0x01dd, WSS: 0x01de, P2P_WEBSOCKET_STAR: 0x01df, HTTP: 0x01e0, // ipld RAW: 0x55, DAG_PB: 0x70, DAG_CBOR: 0x71, LIBP2P_KEY: 0x72, GIT_RAW: 0x78, TORRENT_INFO: 0x7b, TORRENT_FILE: 0x7c, LEOFCOIN_BLOCK: 0x81, LEOFCOIN_TX: 0x82, LEOFCOIN_PR: 0x83, ETH_BLOCK: 0x90, ETH_BLOCK_LIST: 0x91, ETH_TX_TRIE: 0x92, ETH_TX: 0x93, ETH_TX_RECEIPT_TRIE: 0x94, ETH_TX_RECEIPT: 0x95, ETH_STATE_TRIE: 0x96, ETH_ACCOUNT_SNAPSHOT: 0x97, ETH_STORAGE_TRIE: 0x98, BITCOIN_BLOCK: 0xb0, BITCOIN_TX: 0xb1, ZCASH_BLOCK: 0xc0, ZCASH_TX: 0xc1, STELLAR_BLOCK: 0xd0, STELLAR_TX: 0xd1, DECRED_BLOCK: 0xe0, DECRED_TX: 0xe1, DASH_BLOCK: 0xf0, DASH_TX: 0xf1, SWARM_MANIFEST: 0xfa, SWARM_FEED: 0xfb, DAG_JSON: 0x0129, // namespace PATH: 0x2f, IPLD_NS: 0xe2, IPFS_NS: 0xe3, SWARM_NS: 0xe4, IPNS_NS: 0xe5, ZERONET: 0xe6, // key ED25519_PUB: 0xed, // holochain HOLOCHAIN_ADR_V0: 0x807124, HOLOCHAIN_ADR_V1: 0x817124, HOLOCHAIN_KEY_V0: 0x947124, HOLOCHAIN_KEY_V1: 0x957124, HOLOCHAIN_SIG_V0: 0xa27124, HOLOCHAIN_SIG_V1: 0xa37124 }); /***/ }), /* 225 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; // THIS FILE IS GENERATED, DO NO EDIT MANUALLY // For more information see the README.md /* eslint-disable dot-notation */ module.exports = Object.freeze({ // serialization 0x50: 'protobuf', 0x51: 'cbor', 0x60: 'rlp', 0x63: 'bencode', 0x0200: 'json', 0x0201: 'messagepack', // multiformat 0x30: 'multicodec', 0x31: 'multihash', 0x32: 'multiaddr', 0x33: 'multibase', // multihash 0x00: 'identity', 0x11: 'sha1', 0x12: 'sha2-256', 0x13: 'sha2-512', 0x14: 'sha3-512', 0x15: 'sha3-384', 0x16: 'sha3-256', 0x17: 'sha3-224', 0x18: 'shake-128', 0x19: 'shake-256', 0x1a: 'keccak-224', 0x1b: 'keccak-256', 0x1c: 'keccak-384', 0x1d: 'keccak-512', 0x22: 'murmur3-128', 0x23: 'murmur3-32', 0x56: 'dbl-sha2-256', 0xd4: 'md4', 0xd5: 'md5', 0xd6: 'bmt', 0x1100: 'x11', 0xb201: 'blake2b-8', 0xb202: 'blake2b-16', 0xb203: 'blake2b-24', 0xb204: 'blake2b-32', 0xb205: 'blake2b-40', 0xb206: 'blake2b-48', 0xb207: 'blake2b-56', 0xb208: 'blake2b-64', 0xb209: 'blake2b-72', 0xb20a: 'blake2b-80', 0xb20b: 'blake2b-88', 0xb20c: 'blake2b-96', 0xb20d: 'blake2b-104', 0xb20e: 'blake2b-112', 0xb20f: 'blake2b-120', 0xb210: 'blake2b-128', 0xb211: 'blake2b-136', 0xb212: 'blake2b-144', 0xb213: 'blake2b-152', 0xb214: 'blake2b-160', 0xb215: 'blake2b-168', 0xb216: 'blake2b-176', 0xb217: 'blake2b-184', 0xb218: 'blake2b-192', 0xb219: 'blake2b-200', 0xb21a: 'blake2b-208', 0xb21b: 'blake2b-216', 0xb21c: 'blake2b-224', 0xb21d: 'blake2b-232', 0xb21e: 'blake2b-240', 0xb21f: 'blake2b-248', 0xb220: 'blake2b-256', 0xb221: 'blake2b-264', 0xb222: 'blake2b-272', 0xb223: 'blake2b-280', 0xb224: 'blake2b-288', 0xb225: 'blake2b-296', 0xb226: 'blake2b-304', 0xb227: 'blake2b-312', 0xb228: 'blake2b-320', 0xb229: 'blake2b-328', 0xb22a: 'blake2b-336', 0xb22b: 'blake2b-344', 0xb22c: 'blake2b-352', 0xb22d: 'blake2b-360', 0xb22e: 'blake2b-368', 0xb22f: 'blake2b-376', 0xb230: 'blake2b-384', 0xb231: 'blake2b-392', 0xb232: 'blake2b-400', 0xb233: 'blake2b-408', 0xb234: 'blake2b-416', 0xb235: 'blake2b-424', 0xb236: 'blake2b-432', 0xb237: 'blake2b-440', 0xb238: 'blake2b-448', 0xb239: 'blake2b-456', 0xb23a: 'blake2b-464', 0xb23b: 'blake2b-472', 0xb23c: 'blake2b-480', 0xb23d: 'blake2b-488', 0xb23e: 'blake2b-496', 0xb23f: 'blake2b-504', 0xb240: 'blake2b-512', 0xb241: 'blake2s-8', 0xb242: 'blake2s-16', 0xb243: 'blake2s-24', 0xb244: 'blake2s-32', 0xb245: 'blake2s-40', 0xb246: 'blake2s-48', 0xb247: 'blake2s-56', 0xb248: 'blake2s-64', 0xb249: 'blake2s-72', 0xb24a: 'blake2s-80', 0xb24b: 'blake2s-88', 0xb24c: 'blake2s-96', 0xb24d: 'blake2s-104', 0xb24e: 'blake2s-112', 0xb24f: 'blake2s-120', 0xb250: 'blake2s-128', 0xb251: 'blake2s-136', 0xb252: 'blake2s-144', 0xb253: 'blake2s-152', 0xb254: 'blake2s-160', 0xb255: 'blake2s-168', 0xb256: 'blake2s-176', 0xb257: 'blake2s-184', 0xb258: 'blake2s-192', 0xb259: 'blake2s-200', 0xb25a: 'blake2s-208', 0xb25b: 'blake2s-216', 0xb25c: 'blake2s-224', 0xb25d: 'blake2s-232', 0xb25e: 'blake2s-240', 0xb25f: 'blake2s-248', 0xb260: 'blake2s-256', 0xb301: 'skein256-8', 0xb302: 'skein256-16', 0xb303: 'skein256-24', 0xb304: 'skein256-32', 0xb305: 'skein256-40', 0xb306: 'skein256-48', 0xb307: 'skein256-56', 0xb308: 'skein256-64', 0xb309: 'skein256-72', 0xb30a: 'skein256-80', 0xb30b: 'skein256-88', 0xb30c: 'skein256-96', 0xb30d: 'skein256-104', 0xb30e: 'skein256-112', 0xb30f: 'skein256-120', 0xb310: 'skein256-128', 0xb311: 'skein256-136', 0xb312: 'skein256-144', 0xb313: 'skein256-152', 0xb314: 'skein256-160', 0xb315: 'skein256-168', 0xb316: 'skein256-176', 0xb317: 'skein256-184', 0xb318: 'skein256-192', 0xb319: 'skein256-200', 0xb31a: 'skein256-208', 0xb31b: 'skein256-216', 0xb31c: 'skein256-224', 0xb31d: 'skein256-232', 0xb31e: 'skein256-240', 0xb31f: 'skein256-248', 0xb320: 'skein256-256', 0xb321: 'skein512-8', 0xb322: 'skein512-16', 0xb323: 'skein512-24', 0xb324: 'skein512-32', 0xb325: 'skein512-40', 0xb326: 'skein512-48', 0xb327: 'skein512-56', 0xb328: 'skein512-64', 0xb329: 'skein512-72', 0xb32a: 'skein512-80', 0xb32b: 'skein512-88', 0xb32c: 'skein512-96', 0xb32d: 'skein512-104', 0xb32e: 'skein512-112', 0xb32f: 'skein512-120', 0xb330: 'skein512-128', 0xb331: 'skein512-136', 0xb332: 'skein512-144', 0xb333: 'skein512-152', 0xb334: 'skein512-160', 0xb335: 'skein512-168', 0xb336: 'skein512-176', 0xb337: 'skein512-184', 0xb338: 'skein512-192', 0xb339: 'skein512-200', 0xb33a: 'skein512-208', 0xb33b: 'skein512-216', 0xb33c: 'skein512-224', 0xb33d: 'skein512-232', 0xb33e: 'skein512-240', 0xb33f: 'skein512-248', 0xb340: 'skein512-256', 0xb341: 'skein512-264', 0xb342: 'skein512-272', 0xb343: 'skein512-280', 0xb344: 'skein512-288', 0xb345: 'skein512-296', 0xb346: 'skein512-304', 0xb347: 'skein512-312', 0xb348: 'skein512-320', 0xb349: 'skein512-328', 0xb34a: 'skein512-336', 0xb34b: 'skein512-344', 0xb34c: 'skein512-352', 0xb34d: 'skein512-360', 0xb34e: 'skein512-368', 0xb34f: 'skein512-376', 0xb350: 'skein512-384', 0xb351: 'skein512-392', 0xb352: 'skein512-400', 0xb353: 'skein512-408', 0xb354: 'skein512-416', 0xb355: 'skein512-424', 0xb356: 'skein512-432', 0xb357: 'skein512-440', 0xb358: 'skein512-448', 0xb359: 'skein512-456', 0xb35a: 'skein512-464', 0xb35b: 'skein512-472', 0xb35c: 'skein512-480', 0xb35d: 'skein512-488', 0xb35e: 'skein512-496', 0xb35f: 'skein512-504', 0xb360: 'skein512-512', 0xb361: 'skein1024-8', 0xb362: 'skein1024-16', 0xb363: 'skein1024-24', 0xb364: 'skein1024-32', 0xb365: 'skein1024-40', 0xb366: 'skein1024-48', 0xb367: 'skein1024-56', 0xb368: 'skein1024-64', 0xb369: 'skein1024-72', 0xb36a: 'skein1024-80', 0xb36b: 'skein1024-88', 0xb36c: 'skein1024-96', 0xb36d: 'skein1024-104', 0xb36e: 'skein1024-112', 0xb36f: 'skein1024-120', 0xb370: 'skein1024-128', 0xb371: 'skein1024-136', 0xb372: 'skein1024-144', 0xb373: 'skein1024-152', 0xb374: 'skein1024-160', 0xb375: 'skein1024-168', 0xb376: 'skein1024-176', 0xb377: 'skein1024-184', 0xb378: 'skein1024-192', 0xb379: 'skein1024-200', 0xb37a: 'skein1024-208', 0xb37b: 'skein1024-216', 0xb37c: 'skein1024-224', 0xb37d: 'skein1024-232', 0xb37e: 'skein1024-240', 0xb37f: 'skein1024-248', 0xb380: 'skein1024-256', 0xb381: 'skein1024-264', 0xb382: 'skein1024-272', 0xb383: 'skein1024-280', 0xb384: 'skein1024-288', 0xb385: 'skein1024-296', 0xb386: 'skein1024-304', 0xb387: 'skein1024-312', 0xb388: 'skein1024-320', 0xb389: 'skein1024-328', 0xb38a: 'skein1024-336', 0xb38b: 'skein1024-344', 0xb38c: 'skein1024-352', 0xb38d: 'skein1024-360', 0xb38e: 'skein1024-368', 0xb38f: 'skein1024-376', 0xb390: 'skein1024-384', 0xb391: 'skein1024-392', 0xb392: 'skein1024-400', 0xb393: 'skein1024-408', 0xb394: 'skein1024-416', 0xb395: 'skein1024-424', 0xb396: 'skein1024-432', 0xb397: 'skein1024-440', 0xb398: 'skein1024-448', 0xb399: 'skein1024-456', 0xb39a: 'skein1024-464', 0xb39b: 'skein1024-472', 0xb39c: 'skein1024-480', 0xb39d: 'skein1024-488', 0xb39e: 'skein1024-496', 0xb39f: 'skein1024-504', 0xb3a0: 'skein1024-512', 0xb3a1: 'skein1024-520', 0xb3a2: 'skein1024-528', 0xb3a3: 'skein1024-536', 0xb3a4: 'skein1024-544', 0xb3a5: 'skein1024-552', 0xb3a6: 'skein1024-560', 0xb3a7: 'skein1024-568', 0xb3a8: 'skein1024-576', 0xb3a9: 'skein1024-584', 0xb3aa: 'skein1024-592', 0xb3ab: 'skein1024-600', 0xb3ac: 'skein1024-608', 0xb3ad: 'skein1024-616', 0xb3ae: 'skein1024-624', 0xb3af: 'skein1024-632', 0xb3b0: 'skein1024-640', 0xb3b1: 'skein1024-648', 0xb3b2: 'skein1024-656', 0xb3b3: 'skein1024-664', 0xb3b4: 'skein1024-672', 0xb3b5: 'skein1024-680', 0xb3b6: 'skein1024-688', 0xb3b7: 'skein1024-696', 0xb3b8: 'skein1024-704', 0xb3b9: 'skein1024-712', 0xb3ba: 'skein1024-720', 0xb3bb: 'skein1024-728', 0xb3bc: 'skein1024-736', 0xb3bd: 'skein1024-744', 0xb3be: 'skein1024-752', 0xb3bf: 'skein1024-760', 0xb3c0: 'skein1024-768', 0xb3c1: 'skein1024-776', 0xb3c2: 'skein1024-784', 0xb3c3: 'skein1024-792', 0xb3c4: 'skein1024-800', 0xb3c5: 'skein1024-808', 0xb3c6: 'skein1024-816', 0xb3c7: 'skein1024-824', 0xb3c8: 'skein1024-832', 0xb3c9: 'skein1024-840', 0xb3ca: 'skein1024-848', 0xb3cb: 'skein1024-856', 0xb3cc: 'skein1024-864', 0xb3cd: 'skein1024-872', 0xb3ce: 'skein1024-880', 0xb3cf: 'skein1024-888', 0xb3d0: 'skein1024-896', 0xb3d1: 'skein1024-904', 0xb3d2: 'skein1024-912', 0xb3d3: 'skein1024-920', 0xb3d4: 'skein1024-928', 0xb3d5: 'skein1024-936', 0xb3d6: 'skein1024-944', 0xb3d7: 'skein1024-952', 0xb3d8: 'skein1024-960', 0xb3d9: 'skein1024-968', 0xb3da: 'skein1024-976', 0xb3db: 'skein1024-984', 0xb3dc: 'skein1024-992', 0xb3dd: 'skein1024-1000', 0xb3de: 'skein1024-1008', 0xb3df: 'skein1024-1016', 0xb3e0: 'skein1024-1024', // multiaddr 0x04: 'ip4', 0x06: 'tcp', 0x21: 'dccp', 0x29: 'ip6', 0x2a: 'ip6zone', 0x35: 'dns', 0x36: 'dns4', 0x37: 'dns6', 0x38: 'dnsaddr', 0x84: 'sctp', 0x0111: 'udp', 0x0113: 'p2p-webrtc-star', 0x0114: 'p2p-webrtc-direct', 0x0115: 'p2p-stardust', 0x0122: 'p2p-circuit', 0x012d: 'udt', 0x012e: 'utp', 0x0190: 'unix', 0x01a5: 'p2p', 0x01bb: 'https', 0x01bc: 'onion', 0x01bd: 'onion3', 0x01be: 'garlic64', 0x01bf: 'garlic32', 0x01cc: 'quic', 0x01dd: 'ws', 0x01de: 'wss', 0x01df: 'p2p-websocket-star', 0x01e0: 'http', // ipld 0x55: 'raw', 0x70: 'dag-pb', 0x71: 'dag-cbor', 0x72: 'libp2p-key', 0x78: 'git-raw', 0x7b: 'torrent-info', 0x7c: 'torrent-file', 0x81: 'leofcoin-block', 0x82: 'leofcoin-tx', 0x83: 'leofcoin-pr', 0x90: 'eth-block', 0x91: 'eth-block-list', 0x92: 'eth-tx-trie', 0x93: 'eth-tx', 0x94: 'eth-tx-receipt-trie', 0x95: 'eth-tx-receipt', 0x96: 'eth-state-trie', 0x97: 'eth-account-snapshot', 0x98: 'eth-storage-trie', 0xb0: 'bitcoin-block', 0xb1: 'bitcoin-tx', 0xc0: 'zcash-block', 0xc1: 'zcash-tx', 0xd0: 'stellar-block', 0xd1: 'stellar-tx', 0xe0: 'decred-block', 0xe1: 'decred-tx', 0xf0: 'dash-block', 0xf1: 'dash-tx', 0xfa: 'swarm-manifest', 0xfb: 'swarm-feed', 0x0129: 'dag-json', // namespace 0x2f: 'path', 0xe2: 'ipld-ns', 0xe3: 'ipfs-ns', 0xe4: 'swarm-ns', 0xe5: 'ipns-ns', 0xe6: 'zeronet', // key 0xed: 'ed25519-pub', // holochain 0x807124: 'holochain-adr-v0', 0x817124: 'holochain-adr-v1', 0x947124: 'holochain-key-v0', 0x957124: 'holochain-key-v1', 0xa27124: 'holochain-sig-v0', 0xa37124: 'holochain-sig-v1' }); /***/ }), /* 226 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const mh = __webpack_require__(14); var CIDUtil = { /** * Test if the given input is a valid CID object. * Returns an error message if it is not. * Returns undefined if it is a valid CID. * * @param {any} other * @returns {string} */ checkCIDComponents: function checkCIDComponents(other) { if (other == null) { return 'null values are not valid CIDs'; } if (!(other.version === 0 || other.version === 1)) { return 'Invalid version, must be a number equal to 1 or 0'; } if (typeof other.codec !== 'string') { return 'codec must be string'; } if (other.version === 0) { if (other.codec !== 'dag-pb') { return "codec must be 'dag-pb' for CIDv0"; } if (other.multibaseName !== 'base58btc') { return "multibaseName must be 'base58btc' for CIDv0"; } } if (!Buffer.isBuffer(other.multihash)) { return 'multihash must be a Buffer'; } try { mh.validate(other.multihash); } catch (err) { let errorMsg = err.message; if (!errorMsg) { // Just in case mh.validate() throws an error with empty error message errorMsg = 'Multihash validation failed'; } return errorMsg; } } }; module.exports = CIDUtil; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 227 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { const protobuf = __webpack_require__(48); const keysPBM = protobuf(__webpack_require__(69)); __webpack_require__(70); __webpack_require__(112); __webpack_require__(118); const forge = __webpack_require__(7); exports = module.exports; const supportedKeys = { rsa: __webpack_require__(250), ed25519: __webpack_require__(269), secp256k1: __webpack_require__(273)(keysPBM, __webpack_require__(126)) }; exports.supportedKeys = supportedKeys; exports.keysPBM = keysPBM; function isValidKeyType(keyType) { const key = supportedKeys[keyType.toLowerCase()]; return key !== undefined; } exports.keyStretcher = __webpack_require__(305); exports.generateEphemeralKeyPair = __webpack_require__(311); // Generates a keypair of the given type and bitsize exports.generateKeyPair = (type, bits, cb) => { let key = supportedKeys[type.toLowerCase()]; if (!key) { return cb(new Error('invalid or unsupported key type')); } key.generateKeyPair(bits, cb); }; // Generates a keypair of the given type and bitsize // seed is a 32 byte uint8array exports.generateKeyPairFromSeed = (type, seed, bits, cb) => { let key = supportedKeys[type.toLowerCase()]; if (!key) { return cb(new Error('invalid or unsupported key type')); } if (type.toLowerCase() !== 'ed25519') { return cb(new Error('Seed key derivation is unimplemented for RSA or secp256k1')); } key.generateKeyPairFromSeed(seed, bits, cb); }; // Converts a protobuf serialized public key into its // representative object exports.unmarshalPublicKey = buf => { const decoded = keysPBM.PublicKey.decode(buf); const data = decoded.Data; switch (decoded.Type) { case keysPBM.KeyType.RSA: return supportedKeys.rsa.unmarshalRsaPublicKey(data); case keysPBM.KeyType.Ed25519: return supportedKeys.ed25519.unmarshalEd25519PublicKey(data); case keysPBM.KeyType.Secp256k1: if (supportedKeys.secp256k1) { return supportedKeys.secp256k1.unmarshalSecp256k1PublicKey(data); } else { throw new Error('secp256k1 support requires libp2p-crypto-secp256k1 package'); } default: throw new Error('invalid or unsupported key type'); } }; // Converts a public key object into a protobuf serialized public key exports.marshalPublicKey = (key, type) => { type = (type || 'rsa').toLowerCase(); if (!isValidKeyType(type)) { throw new Error('invalid or unsupported key type'); } return key.bytes; }; // Converts a protobuf serialized private key into its // representative object exports.unmarshalPrivateKey = (buf, callback) => { let decoded; try { decoded = keysPBM.PrivateKey.decode(buf); } catch (err) { return callback(err); } const data = decoded.Data; switch (decoded.Type) { case keysPBM.KeyType.RSA: return supportedKeys.rsa.unmarshalRsaPrivateKey(data, callback); case keysPBM.KeyType.Ed25519: return supportedKeys.ed25519.unmarshalEd25519PrivateKey(data, callback); case keysPBM.KeyType.Secp256k1: if (supportedKeys.secp256k1) { return supportedKeys.secp256k1.unmarshalSecp256k1PrivateKey(data, callback); } else { return callback(new Error('secp256k1 support requires libp2p-crypto-secp256k1 package')); } default: callback(new Error('invalid or unsupported key type')); } }; // Converts a private key object into a protobuf serialized private key exports.marshalPrivateKey = (key, type) => { type = (type || 'rsa').toLowerCase(); if (!isValidKeyType(type)) { throw new Error('invalid or unsupported key type'); } return key.bytes; }; exports.import = (pem, password, callback) => { try { const key = forge.pki.decryptRsaPrivateKey(pem, password); if (key === null) { throw new Error('Cannot read the key, most likely the password is wrong or not a RSA key'); } let der = forge.asn1.toDer(forge.pki.privateKeyToAsn1(key)); der = Buffer.from(der.getBytes(), 'binary'); return supportedKeys.rsa.unmarshalRsaPrivateKey(der, callback); } catch (err) { callback(err); } }; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 228 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var parse = __webpack_require__(229); var stringify = __webpack_require__(231); module.exports = parse; module.exports.parse = parse; module.exports.stringify = stringify; /***/ }), /* 229 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var tokenize = __webpack_require__(230); var MAX_RANGE = 0x1FFFFFFF; // "Only repeated fields of primitive numeric types (types which use the varint, 32-bit, or 64-bit wire types) can be declared "packed"." // https://developers.google.com/protocol-buffers/docs/encoding#optional var PACKABLE_TYPES = [// varint wire types 'int32', 'int64', 'uint32', 'uint64', 'sint32', 'sint64', 'bool', // + ENUMS // 64-bit wire types 'fixed64', 'sfixed64', 'double', // 32-bit wire types 'fixed32', 'sfixed32', 'float']; var onfieldoptions = function onfieldoptions(tokens) { var opts = {}; while (tokens.length) { switch (tokens[0]) { case '[': case ',': tokens.shift(); var name = tokens.shift(); if (name === '(') { // handling [(A) = B] name = tokens.shift(); tokens.shift(); // remove the end of bracket } if (tokens[0] !== '=') throw new Error('Unexpected token in field options: ' + tokens[0]); tokens.shift(); if (tokens[0] === ']') throw new Error('Unexpected ] in field option'); opts[name] = tokens.shift(); break; case ']': tokens.shift(); return opts; default: throw new Error('Unexpected token in field options: ' + tokens[0]); } } throw new Error('No closing tag for field options'); }; var onfield = function onfield(tokens) { var field = { name: null, type: null, tag: -1, map: null, oneof: null, required: false, repeated: false, options: {} }; while (tokens.length) { switch (tokens[0]) { case '=': tokens.shift(); field.tag = Number(tokens.shift()); break; case 'map': field.type = 'map'; field.map = { from: null, to: null }; tokens.shift(); if (tokens[0] !== '<') throw new Error('Unexpected token in map type: ' + tokens[0]); tokens.shift(); field.map.from = tokens.shift(); if (tokens[0] !== ',') throw new Error('Unexpected token in map type: ' + tokens[0]); tokens.shift(); field.map.to = tokens.shift(); if (tokens[0] !== '>') throw new Error('Unexpected token in map type: ' + tokens[0]); tokens.shift(); field.name = tokens.shift(); break; case 'repeated': case 'required': case 'optional': var t = tokens.shift(); field.required = t === 'required'; field.repeated = t === 'repeated'; field.type = tokens.shift(); field.name = tokens.shift(); break; case '[': field.options = onfieldoptions(tokens); break; case ';': if (field.name === null) throw new Error('Missing field name'); if (field.type === null) throw new Error('Missing type in message field: ' + field.name); if (field.tag === -1) throw new Error('Missing tag number in message field: ' + field.name); tokens.shift(); return field; default: throw new Error('Unexpected token in message field: ' + tokens[0]); } } throw new Error('No ; found for message field'); }; var onmessagebody = function onmessagebody(tokens) { var body = { enums: [], messages: [], fields: [], extends: [], extensions: null }; while (tokens.length) { switch (tokens[0]) { case 'map': case 'repeated': case 'optional': case 'required': body.fields.push(onfield(tokens)); break; case 'enum': body.enums.push(onenum(tokens)); break; case 'message': body.messages.push(onmessage(tokens)); break; case 'extensions': body.extensions = onextensions(tokens); break; case 'oneof': tokens.shift(); var name = tokens.shift(); if (tokens[0] !== '{') throw new Error('Unexpected token in oneof: ' + tokens[0]); tokens.shift(); while (tokens[0] !== '}') { tokens.unshift('optional'); var field = onfield(tokens); field.oneof = name; body.fields.push(field); } tokens.shift(); break; case 'extend': body.extends.push(onextend(tokens)); break; case ';': tokens.shift(); break; case 'reserved': case 'option': tokens.shift(); while (tokens[0] !== ';') { tokens.shift(); } break; default: // proto3 does not require the use of optional/required, assumed as optional // "singular: a well-formed message can have zero or one of this field (but not more than one)." // https://developers.google.com/protocol-buffers/docs/proto3#specifying-field-rules tokens.unshift('optional'); body.fields.push(onfield(tokens)); } } return body; }; var onextend = function onextend(tokens) { var out = { name: tokens[1], message: onmessage(tokens) }; return out; }; var onextensions = function onextensions(tokens) { tokens.shift(); var from = Number(tokens.shift()); if (isNaN(from)) throw new Error('Invalid from in extensions definition'); if (tokens.shift() !== 'to') throw new Error("Expected keyword 'to' in extensions definition"); var to = tokens.shift(); if (to === 'max') to = MAX_RANGE; to = Number(to); if (isNaN(to)) throw new Error('Invalid to in extensions definition'); if (tokens.shift() !== ';') throw new Error('Missing ; in extensions definition'); return { from: from, to: to }; }; var onmessage = function onmessage(tokens) { tokens.shift(); var lvl = 1; var body = []; var msg = { name: tokens.shift(), enums: [], extends: [], messages: [], fields: [] }; if (tokens[0] !== '{') throw new Error('Expected { but found ' + tokens[0]); tokens.shift(); while (tokens.length) { if (tokens[0] === '{') lvl++;else if (tokens[0] === '}') lvl--; if (!lvl) { tokens.shift(); body = onmessagebody(body); msg.enums = body.enums; msg.messages = body.messages; msg.fields = body.fields; msg.extends = body.extends; msg.extensions = body.extensions; return msg; } body.push(tokens.shift()); } if (lvl) throw new Error('No closing tag for message'); }; var onpackagename = function onpackagename(tokens) { tokens.shift(); var name = tokens.shift(); if (tokens[0] !== ';') throw new Error('Expected ; but found ' + tokens[0]); tokens.shift(); return name; }; var onsyntaxversion = function onsyntaxversion(tokens) { tokens.shift(); if (tokens[0] !== '=') throw new Error('Expected = but found ' + tokens[0]); tokens.shift(); var version = tokens.shift(); switch (version) { case '"proto2"': version = 2; break; case '"proto3"': version = 3; break; default: throw new Error('Expected protobuf syntax version but found ' + version); } if (tokens[0] !== ';') throw new Error('Expected ; but found ' + tokens[0]); tokens.shift(); return version; }; var onenumvalue = function onenumvalue(tokens) { if (tokens.length < 4) throw new Error('Invalid enum value: ' + tokens.slice(0, 3).join(' ')); if (tokens[1] !== '=') throw new Error('Expected = but found ' + tokens[1]); if (tokens[3] !== ';' && tokens[3] !== '[') throw new Error('Expected ; or [ but found ' + tokens[1]); var name = tokens.shift(); tokens.shift(); var val = { value: null, options: {} }; val.value = Number(tokens.shift()); if (tokens[0] === '[') { val.options = onfieldoptions(tokens); } tokens.shift(); // expecting the semicolon here return { name: name, val: val }; }; var onenum = function onenum(tokens) { tokens.shift(); var options = {}; var e = { name: tokens.shift(), values: {}, options: {} }; if (tokens[0] !== '{') throw new Error('Expected { but found ' + tokens[0]); tokens.shift(); while (tokens.length) { if (tokens[0] === '}') { tokens.shift(); // there goes optional semicolon after the enclosing "}" if (tokens[0] === ';') tokens.shift(); return e; } if (tokens[0] === 'option') { options = onoption(tokens); e.options[options.name] = options.value; continue; } var val = onenumvalue(tokens); e.values[val.name] = val.val; } throw new Error('No closing tag for enum'); }; var onoption = function onoption(tokens) { var name = null; var value = null; var parse = function parse(value) { if (value === 'true') return true; if (value === 'false') return false; return value.replace(/^"+|"+$/gm, ''); }; while (tokens.length) { if (tokens[0] === ';') { tokens.shift(); return { name: name, value: value }; } switch (tokens[0]) { case 'option': tokens.shift(); var hasBracket = tokens[0] === '('; if (hasBracket) tokens.shift(); name = tokens.shift(); if (hasBracket) { if (tokens[0] !== ')') throw new Error('Expected ) but found ' + tokens[0]); tokens.shift(); } if (tokens[0][0] === '.') { name += tokens.shift(); } break; case '=': tokens.shift(); if (name === null) throw new Error('Expected key for option with value: ' + tokens[0]); value = parse(tokens.shift()); if (name === 'optimize_for' && !/^(SPEED|CODE_SIZE|LITE_RUNTIME)$/.test(value)) { throw new Error('Unexpected value for option optimize_for: ' + value); } else if (value === '{') { // option foo = {bar: baz} value = onoptionMap(tokens); } break; default: throw new Error('Unexpected token in option: ' + tokens[0]); } } }; var onoptionMap = function onoptionMap(tokens) { var parse = function parse(value) { if (value === 'true') return true; if (value === 'false') return false; return value.replace(/^"+|"+$/gm, ''); }; var map = {}; while (tokens.length) { if (tokens[0] === '}') { tokens.shift(); return map; } var hasBracket = tokens[0] === '('; if (hasBracket) tokens.shift(); var key = tokens.shift(); if (hasBracket) { if (tokens[0] !== ')') throw new Error('Expected ) but found ' + tokens[0]); tokens.shift(); } var value = null; switch (tokens[0]) { case ':': if (map[key] !== undefined) throw new Error('Duplicate option map key ' + key); tokens.shift(); value = parse(tokens.shift()); if (value === '{') { // option foo = {bar: baz} value = onoptionMap(tokens); } map[key] = value; if (tokens[0] === ';') { tokens.shift(); } break; case '{': tokens.shift(); value = onoptionMap(tokens); if (map[key] === undefined) map[key] = []; if (!Array.isArray(map[key])) throw new Error('Duplicate option map key ' + key); map[key].push(value); break; default: throw new Error('Unexpected token in option map: ' + tokens[0]); } } throw new Error('No closing tag for option map'); }; var onimport = function onimport(tokens) { tokens.shift(); var file = tokens.shift().replace(/^"+|"+$/gm, ''); if (tokens[0] !== ';') throw new Error('Unexpected token: ' + tokens[0] + '. Expected ";"'); tokens.shift(); return file; }; var onservice = function onservice(tokens) { tokens.shift(); var service = { name: tokens.shift(), methods: [], options: {} }; if (tokens[0] !== '{') throw new Error('Expected { but found ' + tokens[0]); tokens.shift(); while (tokens.length) { if (tokens[0] === '}') { tokens.shift(); // there goes optional semicolon after the enclosing "}" if (tokens[0] === ';') tokens.shift(); return service; } switch (tokens[0]) { case 'option': var opt = onoption(tokens); if (service.options[opt.name] !== undefined) throw new Error('Duplicate option ' + opt.name); service.options[opt.name] = opt.value; break; case 'rpc': service.methods.push(onrpc(tokens)); break; default: throw new Error('Unexpected token in service: ' + tokens[0]); } } throw new Error('No closing tag for service'); }; var onrpc = function onrpc(tokens) { tokens.shift(); var rpc = { name: tokens.shift(), input_type: null, output_type: null, client_streaming: false, server_streaming: false, options: {} }; if (tokens[0] !== '(') throw new Error('Expected ( but found ' + tokens[0]); tokens.shift(); if (tokens[0] === 'stream') { tokens.shift(); rpc.client_streaming = true; } rpc.input_type = tokens.shift(); if (tokens[0] !== ')') throw new Error('Expected ) but found ' + tokens[0]); tokens.shift(); if (tokens[0] !== 'returns') throw new Error('Expected returns but found ' + tokens[0]); tokens.shift(); if (tokens[0] !== '(') throw new Error('Expected ( but found ' + tokens[0]); tokens.shift(); if (tokens[0] === 'stream') { tokens.shift(); rpc.server_streaming = true; } rpc.output_type = tokens.shift(); if (tokens[0] !== ')') throw new Error('Expected ) but found ' + tokens[0]); tokens.shift(); if (tokens[0] === ';') { tokens.shift(); return rpc; } if (tokens[0] !== '{') throw new Error('Expected { but found ' + tokens[0]); tokens.shift(); while (tokens.length) { if (tokens[0] === '}') { tokens.shift(); // there goes optional semicolon after the enclosing "}" if (tokens[0] === ';') tokens.shift(); return rpc; } if (tokens[0] === 'option') { var opt = onoption(tokens); if (rpc.options[opt.name] !== undefined) throw new Error('Duplicate option ' + opt.name); rpc.options[opt.name] = opt.value; } else { throw new Error('Unexpected token in rpc options: ' + tokens[0]); } } throw new Error('No closing tag for rpc'); }; var parse = function parse(buf) { var tokens = tokenize(buf.toString()); // check for isolated strings in tokens by looking for opening quote for (var i = 0; i < tokens.length; i++) { if (/^("|')([^'"]*)$/.test(tokens[i])) { var j; if (tokens[i].length === 1) { j = i + 1; } else { j = i; } // look ahead for the closing quote and collapse all // in-between tokens into a single token for (j; j < tokens.length; j++) { if (/^([^'"]*)("|')$/.test(tokens[j])) { tokens = tokens.slice(0, i).concat(tokens.slice(i, j + 1).join('')).concat(tokens.slice(j + 1)); break; } } } } var schema = { syntax: 3, package: null, imports: [], enums: [], messages: [], options: {}, extends: [] }; var firstline = true; while (tokens.length) { switch (tokens[0]) { case 'package': schema.package = onpackagename(tokens); break; case 'syntax': if (!firstline) throw new Error('Protobuf syntax version should be first thing in file'); schema.syntax = onsyntaxversion(tokens); break; case 'message': schema.messages.push(onmessage(tokens)); break; case 'enum': schema.enums.push(onenum(tokens)); break; case 'option': var opt = onoption(tokens); if (schema.options[opt.name]) throw new Error('Duplicate option ' + opt.name); schema.options[opt.name] = opt.value; break; case 'import': schema.imports.push(onimport(tokens)); break; case 'extend': schema.extends.push(onextend(tokens)); break; case 'service': if (!schema.services) schema.services = []; schema.services.push(onservice(tokens)); break; default: throw new Error('Unexpected token: ' + tokens[0]); } firstline = false; } // now iterate over messages and propagate extends schema.extends.forEach(function (ext) { schema.messages.forEach(function (msg) { if (msg.name === ext.name) { ext.message.fields.forEach(function (field) { if (!msg.extensions || field.tag < msg.extensions.from || field.tag > msg.extensions.to) { throw new Error(msg.name + ' does not declare ' + field.tag + ' as an extension number'); } msg.fields.push(field); }); } }); }); schema.messages.forEach(function (msg) { msg.fields.forEach(function (field) { var fieldSplit; var messageName; var nestedEnumName; var message; function enumNameIsFieldType(en) { return en.name === field.type; } function enumNameIsNestedEnumName(en) { return en.name === nestedEnumName; } if (field.options && field.options.packed === 'true') { if (PACKABLE_TYPES.indexOf(field.type) === -1) { // let's see if it's an enum if (field.type.indexOf('.') === -1) { if (msg.enums && msg.enums.some(enumNameIsFieldType)) { return; } } else { fieldSplit = field.type.split('.'); if (fieldSplit.length > 2) { throw new Error('what is this?'); } messageName = fieldSplit[0]; nestedEnumName = fieldSplit[1]; schema.messages.some(function (msg) { if (msg.name === messageName) { message = msg; return msg; } }); if (message && message.enums && message.enums.some(enumNameIsNestedEnumName)) { return; } } throw new Error('Fields of type ' + field.type + ' cannot be declared [packed=true]. ' + 'Only repeated fields of primitive numeric types (types which use ' + 'the varint, 32-bit, or 64-bit wire types) can be declared "packed". ' + 'See https://developers.google.com/protocol-buffers/docs/encoding#optional'); } } }); }); return schema; }; module.exports = parse; /***/ }), /* 230 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = function (sch) { var noComments = function noComments(line) { var i = line.indexOf('//'); return i > -1 ? line.slice(0, i) : line; }; var noMultilineComments = function noMultilineComments() { var inside = false; return function (token) { if (token === '/*') { inside = true; return false; } if (token === '*/') { inside = false; return false; } return !inside; }; }; var trim = function trim(line) { return line.trim(); }; return sch.replace(/([;,{}()=:[\]<>]|\/\*|\*\/)/g, ' $1 ').split(/\n/).map(trim).filter(Boolean).map(noComments).map(trim).filter(Boolean).join('\n').split(/\s+|\n+/gm).filter(noMultilineComments()); }; /***/ }), /* 231 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var onfield = function onfield(f, result) { var prefix = f.repeated ? 'repeated' : f.required ? 'required' : 'optional'; if (f.type === 'map') prefix = 'map<' + f.map.from + ',' + f.map.to + '>'; if (f.oneof) prefix = ''; var opts = Object.keys(f.options || {}).map(function (key) { return key + ' = ' + f.options[key]; }).join(','); if (opts) opts = ' [' + opts + ']'; result.push((prefix ? prefix + ' ' : '') + (f.map === 'map' ? '' : f.type + ' ') + f.name + ' = ' + f.tag + opts + ';'); return result; }; var onmessage = function onmessage(m, result) { result.push('message ' + m.name + ' {'); if (!m.enums) m.enums = []; m.enums.forEach(function (e) { result.push(onenum(e, [])); }); if (!m.messages) m.messages = []; m.messages.forEach(function (m) { result.push(onmessage(m, [])); }); var oneofs = {}; if (!m.fields) m.fields = []; m.fields.forEach(function (f) { if (f.oneof) { if (!oneofs[f.oneof]) oneofs[f.oneof] = []; oneofs[f.oneof].push(onfield(f, [])); } else { result.push(onfield(f, [])); } }); Object.keys(oneofs).forEach(function (n) { oneofs[n].unshift('oneof ' + n + ' {'); oneofs[n].push('}'); result.push(oneofs[n]); }); result.push('}', ''); return result; }; var onenum = function onenum(e, result) { result.push('enum ' + e.name + ' {'); if (!e.options) e.options = {}; var options = onoption(e.options, []); if (options.length > 1) { result.push(options.slice(0, -1)); } Object.keys(e.values).map(function (v) { var val = onenumvalue(e.values[v]); result.push([v + ' = ' + val + ';']); }); result.push('}', ''); return result; }; var onenumvalue = function onenumvalue(v, result) { var opts = Object.keys(v.options || {}).map(function (key) { return key + ' = ' + v.options[key]; }).join(','); if (opts) opts = ' [' + opts + ']'; var val = v.value + opts; return val; }; var onoption = function onoption(o, result) { var keys = Object.keys(o); keys.forEach(function (option) { var v = o[option]; if (~option.indexOf('.')) option = '(' + option + ')'; var type = typeof v; if (type === 'object') { v = onoptionMap(v, []); if (v.length) result.push('option ' + option + ' = {', v, '};'); } else { if (type === 'string' && option !== 'optimize_for') v = '"' + v + '"'; result.push('option ' + option + ' = ' + v + ';'); } }); if (keys.length > 0) { result.push(''); } return result; }; var onoptionMap = function onoptionMap(o, result) { var keys = Object.keys(o); keys.forEach(function (k) { var v = o[k]; var type = typeof v; if (type === 'object') { if (Array.isArray(v)) { v.forEach(function (v) { v = onoptionMap(v, []); if (v.length) result.push(k + ' {', v, '}'); }); } else { v = onoptionMap(v, []); if (v.length) result.push(k + ' {', v, '}'); } } else { if (type === 'string') v = '"' + v + '"'; result.push(k + ': ' + v); } }); return result; }; var onservices = function onservices(s, result) { result.push('service ' + s.name + ' {'); if (!s.options) s.options = {}; onoption(s.options, result); if (!s.methods) s.methods = []; s.methods.forEach(function (m) { result.push(onrpc(m, [])); }); result.push('}', ''); return result; }; var onrpc = function onrpc(rpc, result) { var def = 'rpc ' + rpc.name + '('; if (rpc.client_streaming) def += 'stream '; def += rpc.input_type + ') returns ('; if (rpc.server_streaming) def += 'stream '; def += rpc.output_type + ')'; if (!rpc.options) rpc.options = {}; var options = onoption(rpc.options, []); if (options.length > 1) { result.push(def + ' {', options.slice(0, -1), '}'); } else { result.push(def + ';'); } return result; }; var indent = function indent(lvl) { return function (line) { if (Array.isArray(line)) return line.map(indent(lvl + ' ')).join('\n'); return lvl + line; }; }; module.exports = function (schema) { var result = []; result.push('syntax = "proto' + schema.syntax + '";', ''); if (schema.package) result.push('package ' + schema.package + ';', ''); if (!schema.options) schema.options = {}; onoption(schema.options, result); if (!schema.enums) schema.enums = []; schema.enums.forEach(function (e) { onenum(e, result); }); if (!schema.messages) schema.messages = []; schema.messages.forEach(function (m) { onmessage(m, result); }); if (schema.services) { schema.services.forEach(function (s) { onservices(s, result); }); } return result.map(indent('')).join('\n'); }; /***/ }), /* 232 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var encodings = __webpack_require__(233); var compileDecode = __webpack_require__(235); var compileEncode = __webpack_require__(236); var compileEncodingLength = __webpack_require__(237); var varint = __webpack_require__(12); var flatten = function flatten(values) { if (!values) return null; var result = {}; Object.keys(values).forEach(function (k) { result[k] = values[k].value; }); return result; }; module.exports = function (schema, extraEncodings) { var messages = {}; var enums = {}; var cache = {}; var visit = function visit(schema, prefix) { if (schema.enums) { schema.enums.forEach(function (e) { e.id = prefix + (prefix ? '.' : '') + e.name; enums[e.id] = e; visit(e, e.id); }); } if (schema.messages) { schema.messages.forEach(function (m) { m.id = prefix + (prefix ? '.' : '') + m.name; messages[m.id] = m; m.fields.forEach(function (f) { if (!f.map) return; var name = 'Map_' + f.map.from + '_' + f.map.to; var map = { name: name, enums: [], messages: [], fields: [{ name: 'key', type: f.map.from, tag: 1, repeated: false, required: true }, { name: 'value', type: f.map.to, tag: 2, repeated: false, required: false }], extensions: null, id: prefix + (prefix ? '.' : '') + name }; if (!messages[map.id]) { messages[map.id] = map; schema.messages.push(map); } f.type = name; f.repeated = true; }); visit(m, m.id); }); } }; visit(schema, ''); var compileEnum = function compileEnum(e) { var values = Object.keys(e.values || []).map(function (k) { return parseInt(e.values[k].value, 10); }); var encode = function encode(val, buf, offset) { if (!values.length || values.indexOf(val) === -1) { throw new Error('Invalid enum value: ' + val); } varint.encode(val, buf, offset); encode.bytes = varint.encode.bytes; return buf; }; var decode = function decode(buf, offset) { var val = varint.decode(buf, offset); if (!values.length || values.indexOf(val) === -1) { throw new Error('Invalid enum value: ' + val); } decode.bytes = varint.decode.bytes; return val; }; return encodings.make(0, encode, decode, varint.encodingLength); }; var compileMessage = function compileMessage(m, exports) { m.messages.forEach(function (nested) { exports[nested.name] = resolve(nested.name, m.id); }); m.enums.forEach(function (val) { exports[val.name] = flatten(val.values); }); exports.type = 2; exports.message = true; exports.name = m.name; var oneofs = {}; m.fields.forEach(function (f) { if (!f.oneof) return; if (!oneofs[f.oneof]) oneofs[f.oneof] = []; oneofs[f.oneof].push(f.name); }); var enc = m.fields.map(function (f) { return resolve(f.type, m.id); }); var encodingLength = compileEncodingLength(m, enc, oneofs); var encode = compileEncode(m, resolve, enc, oneofs, encodingLength); var decode = compileDecode(m, resolve, enc); // end of compilation - return all the things encode.bytes = decode.bytes = 0; exports.buffer = true; exports.encode = encode; exports.decode = decode; exports.encodingLength = encodingLength; return exports; }; var resolve = function resolve(name, from, compile) { if (extraEncodings && extraEncodings[name]) return extraEncodings[name]; if (encodings[name]) return encodings[name]; var m = (from ? from + '.' + name : name).split('.').map(function (part, i, list) { return list.slice(0, i).concat(name).join('.'); }).reverse().reduce(function (result, id) { return result || messages[id] || enums[id]; }, null); if (compile === false) return m; if (!m) throw new Error('Could not resolve ' + name); if (m.values) return compileEnum(m); var res = cache[m.id] || compileMessage(m, cache[m.id] = {}); return res; }; return (schema.enums || []).concat((schema.messages || []).map(function (message) { return resolve(message.id); })); }; /***/ }), /* 233 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var varint = __webpack_require__(12); var svarint = __webpack_require__(234); var Buffer = __webpack_require__(8).Buffer; var encoder = function encoder(type, encode, decode, encodingLength) { encode.bytes = decode.bytes = 0; return { type: type, encode: encode, decode: decode, encodingLength: encodingLength }; }; exports.make = encoder; exports.bytes = function (tag) { var bufferLength = function bufferLength(val) { return Buffer.isBuffer(val) ? val.length : Buffer.byteLength(val); }; var encodingLength = function encodingLength(val) { var len = bufferLength(val); return varint.encodingLength(len) + len; }; var encode = function encode(val, buffer, offset) { var oldOffset = offset; var len = bufferLength(val); varint.encode(len, buffer, offset); offset += varint.encode.bytes; if (Buffer.isBuffer(val)) val.copy(buffer, offset);else buffer.write(val, offset, len); offset += len; encode.bytes = offset - oldOffset; return buffer; }; var decode = function decode(buffer, offset) { var oldOffset = offset; var len = varint.decode(buffer, offset); offset += varint.decode.bytes; var val = buffer.slice(offset, offset + len); offset += val.length; decode.bytes = offset - oldOffset; return val; }; return encoder(2, encode, decode, encodingLength); }(); exports.string = function () { var encodingLength = function encodingLength(val) { var len = Buffer.byteLength(val); return varint.encodingLength(len) + len; }; var encode = function encode(val, buffer, offset) { var oldOffset = offset; var len = Buffer.byteLength(val); varint.encode(len, buffer, offset, 'utf-8'); offset += varint.encode.bytes; buffer.write(val, offset, len); offset += len; encode.bytes = offset - oldOffset; return buffer; }; var decode = function decode(buffer, offset) { var oldOffset = offset; var len = varint.decode(buffer, offset); offset += varint.decode.bytes; var val = buffer.toString('utf-8', offset, offset + len); offset += len; decode.bytes = offset - oldOffset; return val; }; return encoder(2, encode, decode, encodingLength); }(); exports.bool = function () { var encodingLength = function encodingLength(val) { return 1; }; var encode = function encode(val, buffer, offset) { buffer[offset] = val ? 1 : 0; encode.bytes = 1; return buffer; }; var decode = function decode(buffer, offset) { var bool = buffer[offset] > 0; decode.bytes = 1; return bool; }; return encoder(0, encode, decode, encodingLength); }(); exports.int32 = function () { var decode = function decode(buffer, offset) { var val = varint.decode(buffer, offset); decode.bytes = varint.decode.bytes; return val > 2147483647 ? val - 4294967296 : val; }; var encode = function encode(val, buffer, offset) { varint.encode(val < 0 ? val + 4294967296 : val, buffer, offset); encode.bytes = varint.encode.bytes; return buffer; }; var encodingLength = function encodingLength(val) { return varint.encodingLength(val < 0 ? val + 4294967296 : val); }; return encoder(0, varint.encode, decode, encodingLength); }(); exports.int64 = function () { var decode = function decode(buffer, offset) { var val = varint.decode(buffer, offset); if (val >= Math.pow(2, 63)) { var limit = 9; while (buffer[offset + limit - 1] === 0xff) limit--; limit = limit || 9; var subset = Buffer.allocUnsafe(limit); buffer.copy(subset, 0, offset, offset + limit); subset[limit - 1] = subset[limit - 1] & 0x7f; val = -1 * varint.decode(subset, 0); decode.bytes = 10; } else { decode.bytes = varint.decode.bytes; } return val; }; var encode = function encode(val, buffer, offset) { if (val < 0) { var last = offset + 9; varint.encode(val * -1, buffer, offset); offset += varint.encode.bytes - 1; buffer[offset] = buffer[offset] | 0x80; while (offset < last - 1) { offset++; buffer[offset] = 0xff; } buffer[last] = 0x01; encode.bytes = 10; } else { varint.encode(val, buffer, offset); encode.bytes = varint.encode.bytes; } return buffer; }; var encodingLength = function encodingLength(val) { return val < 0 ? 10 : varint.encodingLength(val); }; return encoder(0, encode, decode, encodingLength); }(); exports.sint32 = exports.sint64 = function () { return encoder(0, svarint.encode, svarint.decode, svarint.encodingLength); }(); exports.uint32 = exports.uint64 = exports.enum = exports.varint = function () { return encoder(0, varint.encode, varint.decode, varint.encodingLength); }(); // we cannot represent these in javascript so we just use buffers exports.fixed64 = exports.sfixed64 = function () { var encodingLength = function encodingLength(val) { return 8; }; var encode = function encode(val, buffer, offset) { val.copy(buffer, offset); encode.bytes = 8; return buffer; }; var decode = function decode(buffer, offset) { var val = buffer.slice(offset, offset + 8); decode.bytes = 8; return val; }; return encoder(1, encode, decode, encodingLength); }(); exports.double = function () { var encodingLength = function encodingLength(val) { return 8; }; var encode = function encode(val, buffer, offset) { buffer.writeDoubleLE(val, offset); encode.bytes = 8; return buffer; }; var decode = function decode(buffer, offset) { var val = buffer.readDoubleLE(offset); decode.bytes = 8; return val; }; return encoder(1, encode, decode, encodingLength); }(); exports.fixed32 = function () { var encodingLength = function encodingLength(val) { return 4; }; var encode = function encode(val, buffer, offset) { buffer.writeUInt32LE(val, offset); encode.bytes = 4; return buffer; }; var decode = function decode(buffer, offset) { var val = buffer.readUInt32LE(offset); decode.bytes = 4; return val; }; return encoder(5, encode, decode, encodingLength); }(); exports.sfixed32 = function () { var encodingLength = function encodingLength(val) { return 4; }; var encode = function encode(val, buffer, offset) { buffer.writeInt32LE(val, offset); encode.bytes = 4; return buffer; }; var decode = function decode(buffer, offset) { var val = buffer.readInt32LE(offset); decode.bytes = 4; return val; }; return encoder(5, encode, decode, encodingLength); }(); exports.float = function () { var encodingLength = function encodingLength(val) { return 4; }; var encode = function encode(val, buffer, offset) { buffer.writeFloatLE(val, offset); encode.bytes = 4; return buffer; }; var decode = function decode(buffer, offset) { var val = buffer.readFloatLE(offset); decode.bytes = 4; return val; }; return encoder(5, encode, decode, encodingLength); }(); /***/ }), /* 234 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var varint = __webpack_require__(12); exports.encode = function encode(v, b, o) { v = v >= 0 ? v * 2 : v * -2 - 1; var r = varint.encode(v, b, o); encode.bytes = varint.encode.bytes; return r; }; exports.decode = function decode(b, o) { var v = varint.decode(b, o); decode.bytes = varint.decode.bytes; return v & 1 ? (v + 1) / -2 : v / 2; }; exports.encodingLength = function (v) { return varint.encodingLength(v >= 0 ? v * 2 : v * -2 - 1); }; /***/ }), /* 235 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* eslint max-depth: 1 */ var varint = __webpack_require__(12); var defined = __webpack_require__(68).defined; function compileDecode(m, resolve, enc) { var requiredFields = []; var fields = {}; var oneofFields = []; var vals = []; for (var i = 0; i < enc.length; i++) { var field = m.fields[i]; fields[field.tag] = i; var def = field.options && field.options.default; var resolved = resolve(field.type, m.id, false); vals[i] = [def, resolved && resolved.values]; m.fields[i].packed = field.repeated && field.options && field.options.packed && field.options.packed !== 'false'; if (field.required) { requiredFields.push(field.name); } if (field.oneof) { oneofFields.push(field.name); } } function decodeField(e, field, obj, buf, offset, i) { var name = field.name; if (field.oneof) { // clear already defined oneof fields var props = Object.keys(obj); for (var j = 0; j < props.length; j++) { if (oneofFields.indexOf(props[j]) > -1) { delete obj[props[j]]; } } } if (e.message) { var len = varint.decode(buf, offset); offset += varint.decode.bytes; var decoded = e.decode(buf, offset, offset + len); if (field.map) { obj[name] = obj[name] || {}; obj[name][decoded.key] = decoded.value; } else if (field.repeated) { obj[name] = obj[name] || []; obj[name].push(decoded); } else { obj[name] = decoded; } } else { if (field.repeated) { obj[name] = obj[name] || []; obj[name].push(e.decode(buf, offset)); } else { obj[name] = e.decode(buf, offset); } } offset += e.decode.bytes; return offset; } return function decode(buf, offset, end) { if (offset == null) { offset = 0; } if (end == null) { end = buf.length; } if (!(end <= buf.length && offset <= buf.length)) { throw new Error('Decoded message is not valid'); } var oldOffset = offset; var obj = {}; var field; while (true) { if (end <= offset) { // finished // check required methods var name = ''; var j = 0; for (j = 0; j < requiredFields.length; j++) { name = requiredFields[j]; if (!defined(obj[name])) { throw new Error('Decoded message is not valid, missing required field: ' + name); } } // fill out missing defaults var val; var def; for (j = 0; j < enc.length; j++) { field = m.fields[j]; def = vals[j][0]; val = vals[j][1]; name = field.name; if (defined(obj[name])) { continue; } var done = false; if (field.oneof) { var props = Object.keys(obj); for (var k = 0; k < props.length; k++) { if (oneofFields.indexOf(props[k]) > -1) { done = true; break; } } } if (done) { continue; } if (val) { // is enum if (field.repeated) { obj[name] = []; } else { def = def && val[def] ? val[def].value : val[Object.keys(val)[0]].value; obj[name] = parseInt(def || 0, 10); } } else { obj[name] = defaultValue(field, def); } } decode.bytes = offset - oldOffset; return obj; } var prefix = varint.decode(buf, offset); offset += varint.decode.bytes; var tag = prefix >> 3; var i = fields[tag]; if (i == null) { offset = skip(prefix & 7, buf, offset); continue; } var e = enc[i]; field = m.fields[i]; if (field.packed) { var packedEnd = varint.decode(buf, offset); offset += varint.decode.bytes; packedEnd += offset; while (offset < packedEnd) { offset = decodeField(e, field, obj, buf, offset, i); } } else { offset = decodeField(e, field, obj, buf, offset, i); } } }; } var skip = function skip(type, buffer, offset) { switch (type) { case 0: varint.decode(buffer, offset); return offset + varint.decode.bytes; case 1: return offset + 8; case 2: var len = varint.decode(buffer, offset); return offset + varint.decode.bytes + len; case 3: case 4: throw new Error('Groups are not supported'); case 5: return offset + 4; default: throw new Error('Unknown wire type: ' + type); } }; var defaultValue = function defaultValue(f, def) { if (f.map) return {}; if (f.repeated) return []; switch (f.type) { case 'string': return def != null ? def : ''; case 'bool': return def === 'true'; case 'float': case 'double': case 'sfixed32': case 'fixed32': case 'varint': case 'enum': case 'uint64': case 'uint32': case 'int64': case 'int32': case 'sint64': case 'sint32': return parseInt(def || 0, 10); default: return null; } }; module.exports = compileDecode; /***/ }), /* 236 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(Buffer) { var defined = __webpack_require__(68).defined; var varint = __webpack_require__(12); function compileEncode(m, resolve, enc, oneofs, encodingLength) { var oneofsKeys = Object.keys(oneofs); var encLength = enc.length; var ints = {}; for (var i = 0; i < encLength; i++) { ints[i] = { p: varint.encode(m.fields[i].tag << 3 | 2), h: varint.encode(m.fields[i].tag << 3 | enc[i].type) }; var field = m.fields[i]; m.fields[i].packed = field.repeated && field.options && field.options.packed && field.options.packed !== 'false'; } function encodeField(buf, offset, h, e, packed, innerVal) { var j = 0; if (!packed) { for (j = 0; j < h.length; j++) { buf[offset++] = h[j]; } } if (e.message) { varint.encode(e.encodingLength(innerVal), buf, offset); offset += varint.encode.bytes; } e.encode(innerVal, buf, offset); return offset + e.encode.bytes; } return function encode(obj, buf, offset) { if (offset == null) { offset = 0; } if (buf == null) { buf = Buffer.allocUnsafe(encodingLength(obj)); } var oldOffset = offset; var objKeys = Object.keys(obj); var i = 0; // oneof checks var match = false; for (i = 0; i < oneofsKeys.length; i++) { var name = oneofsKeys[i]; var prop = oneofs[i]; if (objKeys.indexOf(prop) > -1) { if (match) { throw new Error('only one of the properties defined in oneof ' + name + ' can be set'); } match = true; } } for (i = 0; i < encLength; i++) { var e = enc[i]; var field = m.fields[i]; // was f var val = obj[field.name]; var j = 0; if (!defined(val)) { if (field.required) { throw new Error(field.name + ' is required'); } continue; } var p = ints[i].p; var h = ints[i].h; var packed = field.packed; if (field.map) { var tmp = Object.keys(val); for (j = 0; j < tmp.length; j++) { tmp[j] = { key: tmp[j], value: val[tmp[j]] }; } val = tmp; } if (packed) { var packedLen = 0; for (j = 0; j < val.length; j++) { if (!defined(val[j])) { continue; } packedLen += e.encodingLength(val[j]); } if (packedLen) { for (j = 0; j < h.length; j++) { buf[offset++] = p[j]; } varint.encode(packedLen, buf, offset); offset += varint.encode.bytes; } } if (field.repeated) { var innerVal; for (j = 0; j < val.length; j++) { innerVal = val[j]; if (!defined(innerVal)) { continue; } offset = encodeField(buf, offset, h, e, packed, innerVal); } } else { offset = encodeField(buf, offset, h, e, packed, val); } } encode.bytes = offset - oldOffset; return buf; }; } module.exports = compileEncode; /* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(0).Buffer)) /***/ }), /* 237 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; var defined = __webpack_require__(68).defined; var varint = __webpack_require__(12); function compileEncodingLength(m, enc, oneofs) { var oneofsKeys = Object.keys(oneofs); var encLength = enc.length; var hls = new Array(encLength); for (var i = 0; i < m.fields.length; i++) { hls[i] = varint.encodingLength(m.fields[i].tag << 3 | enc[i].type); var field = m.fields[i]; m.fields[i].packed = field.repeated && field.options && field.options.packed && field.options.packed !== 'false'; } return function encodingLength(obj) { var length = 0; var i = 0; var j = 0; for (i = 0; i < oneofsKeys.length; i++) { var name = oneofsKeys[i]; var props = oneofs[name]; var match = false; for (j = 0; j < props.length; j++) { if (defined(obj[props[j]])) { if (match) { throw new Error('only one of the properties defined in oneof ' + name + ' can be set'); } match = true; } } } for (i = 0; i < encLength; i++) { var e = enc[i]; var field = m.fields[i]; var val = obj[field.name]; var hl = hls[i]; var len; if (!defined(val)) { if (field.required) { throw new Error(field.name + ' is required'); } continue; } if (field.map) { var tmp = Object.keys(val); for (j = 0; j < tmp.length; j++) { tmp[j] = { key: tmp[j], value: val[tmp[j]] }; } val = tmp; } if (field.packed) { var packedLen = 0; for (j = 0; j < val.length; j++) { if (!defined(val[j])) { continue; } len = e.encodingLength(val[j]); packedLen += len; if (e.message) { packedLen += varint.encodingLength(len); } } if (packedLen) { length += hl + packedLen + varint.encodingLength(packedLen); } } else if (field.repeated) { for (j = 0; j < val.length; j++) { if (!defined(val[j])) { continue; } len = e.encodingLength(val[j]); length += hl + len + (e.message ? varint.encodingLength(len) : 0); } } else { len = e.encodingLength(val); length += hl + len + (e.message ? varint.encodingLength(len) : 0); } } return length; }; } module.exports = compileEncodingLength; /***/ }), /* 238 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(global, process) { (function (global, undefined) { "use strict"; if (global.setImmediate) { return; } var nextHandle = 1; // Spec says greater than zero var tasksByHandle = {}; var currentlyRunningATask = false; var doc = global.document; var registerImmediate; function setImmediate(callback) { // Callback can either be a function or a string if (typeof callback !== "function") { callback = new Function("" + callback); } // Copy function arguments var args = new Array(arguments.length - 1); for (var i = 0; i < args.length; i++) { args[i] = arguments[i + 1]; } // Store and register the task var task = { callback: callback, args: args }; tasksByHandle[nextHandle] = task; registerImmediate(nextHandle); return nextHandle++; } function clearImmediate(handle) { delete tasksByHandle[handle]; } function run(task) { var callback = task.callback; var args = task.args; switch (args.length) { case 0: callback(); break; case 1: callback(args[0]); break; case 2: callback(args[0], args[1]); break; case 3: callback(args[0], args[1], args[2]); break; default: callback.apply(undefined, args); break; } } function runIfPresent(handle) { // From the spec: "Wait until any invocations of this algorithm started before this one have completed." // So if we're currently running a task, we'll need to delay this invocation. if (currentlyRunningATask) { // Delay by doing a setTimeout. setImmediate was tried instead, but in Firefox 7 it generated a // "too much recursion" error. setTimeout(runIfPresent, 0, handle); } else { var task = tasksByHandle[handle]; if (task) { currentlyRunningATask = true; try { run(task); } finally { clearImmediate(handle); currentlyRunningATask = false; } } } } function installNextTickImplementation() { registerImmediate = function registerImmediate(handle) { process.nextTick(function () { runIfPresent(handle); }); }; } function canUsePostMessage() { // The test against `importScripts` prevents this implementation from being installed inside a web worker, // where `global.postMessage` means something completely different and can't be used for this purpose. if (global.postMessage && !global.importScripts) { var postMessageIsAsynchronous = true; var oldOnMessage = global.onmessage; global.onmessage = function () { postMessageIsAsynchronous = false; }; global.postMessage("", "*"); global.onmessage = oldOnMessage; return postMessageIsAsynchronous; } } function installPostMessageImplementation() { // Installs an event handler on `global` for the `message` event: see // * https://developer.mozilla.org/en/DOM/window.postMessage // * http://www.whatwg.org/specs/web-apps/current-work/multipage/comms.html#crossDocumentMessages var messagePrefix = "setImmediate$" + Math.random() + "$"; var onGlobalMessage = function onGlobalMessage(event) { if (event.source === global && typeof event.data === "string" && event.data.indexOf(messagePrefix) === 0) { runIfPresent(+event.data.slice(messagePrefix.length)); } }; if (global.addEventListener) { global.addEventListener("message", onGlobalMessage, false); } else { global.attachEvent("onmessage", onGlobalMessage); } registerImmediate = function registerImmediate(handle) { global.postMessage(messagePrefix + handle, "*"); }; } function installMessageChannelImplementation() { var channel = new MessageChannel(); channel.port1.onmessage = function (event) { var handle = event.data; runIfPresent(handle); }; registerImmediate = function registerImmediate(handle) { channel.port2.postMessage(handle); }; } function installReadyStateChangeImplementation() { var html = doc.documentElement; registerImmediate = function registerImmediate(handle) { // Create a