付智勇

项目初始化

正在显示 72 个修改的文件 包含 4532 行增加0 行删除

要显示太多修改。

为保证性能只显示 72 of 72+ 个文件。

  1 +初始化
  1 +
  2 + # koa2-Sequelize—project
  3 +
  4 +
  5 + ## 基于nodejs的后台架构设计
  6 + web框架koa.js orm框架Sequelizejs 数据库mysql
  7 +
  8 +<img src="https://dl.dropboxusercontent.com/u/6396913/koa/logo.png" alt="koa middleware framework for nodejs" width="255px" />
  9 +
  10 +## Installation
  11 +
  12 +Koa requires __node v7.6.0__ or higher for ES2015 and async function support.
  13 +
  14 +```
  15 +$ npm install koa -g
  16 +```
  17 +```
  18 +$ npm i
  19 +```
  20 +```
  21 +$ npm start
  22 +```
  23 +```
  24 +访问 http://localhost:3000/
  25 +```
  26 +# 项目的目录与文件结构
  27 +
  28 + ├── bin //node的启动文件
  29 + ├── controllers //控制器
  30 + ├── model //数据库模型映射
  31 + ├── public //静态文件
  32 + ├── routes //路由文件
  33 + ├── services //业务层
  34 + ├── docs //api markdown 编写api
  35 + ├── util //针对本项目工具类
  36 + ├── package.json //nodejs的包管理和分发工具
  37 + ├── view //存放视图文件
  38 + ├── README.md //项目说明
  39 + └── config //数据库配置
  1 +const Koa = require('koa')
  2 +const app = new Koa()
  3 +const views = require('koa-views')
  4 +const json = require('koa-json')
  5 +const onerror = require('koa-onerror')
  6 +const bodyparser = require('koa-bodyparser')
  7 +const logger = require('koa-logger')
  8 +const cors = require('koa-cors');
  9 +
  10 +
  11 +const index = require('./routes/index')
  12 +const users = require('./routes/users')
  13 +const filterUrl = require(__dirname+'/util/filterUrl')
  14 +const _ = require('lodash');
  15 +// error handler
  16 +onerror(app)
  17 +
  18 +// middlewares
  19 +app.use(cors());
  20 +app.use(bodyparser({
  21 + enableTypes:['json', 'form', 'text']
  22 +}))
  23 +app.use(json())
  24 +app.use(logger())
  25 +app.use(require('koa-static')(__dirname + '/public'))
  26 +
  27 +app.use(views(__dirname + '/views', {
  28 + extension: 'pug'
  29 +}))
  30 +
  31 +// logger
  32 +app.use(async (ctx, next) => {
  33 + const start = new Date();
  34 + if(filterUrl.indexOf(ctx.request.url) != -1){
  35 + await next();
  36 + }else if(!ctx.header.token){
  37 + ctx.response.status = 400;
  38 + ctx.response.body = {msg:'请登录'}
  39 + }else{
  40 + await next();
  41 + }
  42 + const ms = new Date() - start
  43 + console.log(`${ctx.method} ${ctx.url} - ${ms}ms`)
  44 +})
  45 +
  46 +// routes
  47 +app.use(index.routes(), index.allowedMethods())
  48 +app.use(users.routes(), users.allowedMethods())
  49 +
  50 +module.exports = app
  1 +#!/usr/bin/env node
  2 +
  3 +/**
  4 + * Module dependencies.
  5 + */
  6 +
  7 +var app = require('../app');
  8 +var debug = require('debug')('demo:server');
  9 +var http = require('http');
  10 +
  11 +/**
  12 + * Get port from environment and store in Express.
  13 + */
  14 +
  15 +var port = normalizePort(process.env.PORT || '3000');
  16 +// app.set('port', port);
  17 +
  18 +/**
  19 + * Create HTTP server.
  20 + */
  21 +
  22 +var server = http.createServer(app.callback());
  23 +
  24 +/**
  25 + * Listen on provided port, on all network interfaces.
  26 + */
  27 +
  28 +server.listen(port);
  29 +server.on('error', onError);
  30 +server.on('listening', onListening);
  31 +
  32 +/**
  33 + * Normalize a port into a number, string, or false.
  34 + */
  35 +
  36 +function normalizePort(val) {
  37 + var port = parseInt(val, 10);
  38 +
  39 + if (isNaN(port)) {
  40 + // named pipe
  41 + return val;
  42 + }
  43 +
  44 + if (port >= 0) {
  45 + // port number
  46 + return port;
  47 + }
  48 +
  49 + return false;
  50 +}
  51 +
  52 +/**
  53 + * Event listener for HTTP server "error" event.
  54 + */
  55 +
  56 +function onError(error) {
  57 + if (error.syscall !== 'listen') {
  58 + throw error;
  59 + }
  60 +
  61 + var bind = typeof port === 'string'
  62 + ? 'Pipe ' + port
  63 + : 'Port ' + port;
  64 +
  65 + // handle specific listen errors with friendly messages
  66 + switch (error.code) {
  67 + case 'EACCES':
  68 + console.error(bind + ' requires elevated privileges');
  69 + process.exit(1);
  70 + break;
  71 + case 'EADDRINUSE':
  72 + console.error(bind + ' is already in use');
  73 + process.exit(1);
  74 + break;
  75 + default:
  76 + throw error;
  77 + }
  78 +}
  79 +
  80 +/**
  81 + * Event listener for HTTP server "listening" event.
  82 + */
  83 +
  84 +function onListening() {
  85 + var addr = server.address();
  86 + var bind = typeof addr === 'string'
  87 + ? 'pipe ' + addr
  88 + : 'port ' + addr.port;
  89 + debug('Listening on ' + bind);
  90 +}
  1 +var Sequelize = require('sequelize');
  2 +//数据配置
  3 +var sequelize = new Sequelize('guest', 'root', "", {
  4 + host:'localhost',
  5 + dialect: 'mysql',
  6 + pool: {
  7 + max: 5,
  8 + min: 0,
  9 + idle: 30000
  10 + }
  11 +})
  12 +
  13 +module.exports = sequelize
  1 +var userModel = require('../model/userModel');
  2 +var saitMd5 = require('../util/saltMD5')
  3 +var status = require('../util/resTemplate')
  4 +const userService = require('../services/userService')
  5 +const uuid = require('../util/UuidUtil')
  6 +
  7 +
  8 +var userController =function (){
  9 +
  10 +};
  11 +
  12 +var sleep = function (time) {
  13 + return new Promise(function (resolve, reject) {
  14 + setTimeout(function () {
  15 + console.log(2)
  16 + resolve();
  17 + }, time);
  18 + })
  19 +};
  20 +userController.prototype.addUser = async(ctx, next) =>{
  21 +
  22 + var user = {
  23 + id:uuid.db36(),
  24 + name:'555555',
  25 + age:11,
  26 + telephone:11112112,
  27 + password:saitMd5.md5AddSalt('123455').md5Pass
  28 + }
  29 +
  30 +
  31 + return await userService.addUser(user)
  32 +
  33 +}
  34 +module.exports = new userController();
  1 +var sequelize = require('../config');
  2 +var Sequelize = require('sequelize');
  3 +
  4 +var user = sequelize.define('user', {
  5 + id: {
  6 + type: Sequelize.STRING(36),
  7 + primaryKey: true
  8 + },
  9 + name: Sequelize.STRING(100),
  10 + age: Sequelize.BIGINT(11),
  11 + telephone: Sequelize.BIGINT(11),
  12 + password:Sequelize.STRING(36)
  13 +}, {
  14 + timestamps: false,
  15 + freezeTableName: true
  16 + });
  17 +
  18 +module.exports = user;
  1 +../acorn/bin/acorn
  1 +../clean-css/bin/cleancss
  1 +../latest-version/cli.js
  1 +../mkdirp/bin/cmd.js
  1 +../nodemon/bin/nodemon.js
  1 +../nopt/bin/nopt.js
  1 +../rc/index.js
  1 +../repeating/cli.js
  1 +../semver/bin/semver
  1 +../swig/bin/swig.js
  1 +../touch/bin/touch.js
  1 +../uglify-js/bin/uglifyjs
  1 +All packages installed at Fri Aug 18 2017 18:17:06 GMT+0800 (CST)
  1 +{
  2 + "mysql": [
  3 + "2.14.1"
  4 + ],
  5 + "crypto": [
  6 + "1.0.1"
  7 + ],
  8 + "objectid": [
  9 + "3.2.1"
  10 + ],
  11 + "jsonwebtoken": [
  12 + "7.4.3"
  13 + ],
  14 + "jws": [
  15 + "3.1.4"
  16 + ],
  17 + "lodash.once": [
  18 + "4.1.1"
  19 + ],
  20 + "ms": [
  21 + "2.0.0"
  22 + ],
  23 + "xtend": [
  24 + "4.0.1"
  25 + ],
  26 + "joi": [
  27 + "6.10.1"
  28 + ],
  29 + "isemail": [
  30 + "1.2.0"
  31 + ],
  32 + "moment": [
  33 + "2.18.1"
  34 + ],
  35 + "topo": [
  36 + "1.1.0"
  37 + ],
  38 + "hoek": [
  39 + "2.16.3"
  40 + ]
  41 +}
  1 +Recently updated (since 2017-08-11)
  2 + 2017-08-16
  3 + → mysql2@* (06:48:48)
  4 + → mysql2@1.4.1 › denque@^1.1.1 (05:03:36)
  1 + MIT License
  2 +
  3 + Copyright (c) Microsoft Corporation. All rights reserved.
  4 +
  5 + Permission is hereby granted, free of charge, to any person obtaining a copy
  6 + of this software and associated documentation files (the "Software"), to deal
  7 + in the Software without restriction, including without limitation the rights
  8 + to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  9 + copies of the Software, and to permit persons to whom the Software is
  10 + furnished to do so, subject to the following conditions:
  11 +
  12 + The above copyright notice and this permission notice shall be included in all
  13 + copies or substantial portions of the Software.
  14 +
  15 + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  16 + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  17 + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  18 + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  19 + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  20 + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  21 + SOFTWARE
  1 +# Installation
  2 +> `npm install --save @types/geojson`
  3 +
  4 +# Summary
  5 +This package contains type definitions for GeoJSON Format Specification Revision (http://geojson.org/).
  6 +
  7 +# Details
  8 +Files were exported from https://www.github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/geojson
  9 +
  10 +Additional Details
  11 + * Last updated: Mon, 17 Apr 2017 17:55:17 GMT
  12 + * Dependencies: none
  13 + * Global values: GeoJSON
  14 +
  15 +# Credits
  16 +These definitions were written by Jacob Bruun <https://github.com/cobster/>.
  1 +// Type definitions for GeoJSON Format Specification Revision 1.0
  2 +// Project: http://geojson.org/
  3 +// Definitions by: Jacob Bruun <https://github.com/cobster/>
  4 +// Definitions: https://github.com/DefinitelyTyped/DefinitelyTyped
  5 +
  6 +export as namespace GeoJSON;
  7 +
  8 +/***
  9 +* http://geojson.org/geojson-spec.html#geojson-objects
  10 +*/
  11 +export interface GeoJsonObject {
  12 + type: string;
  13 + bbox?: number[];
  14 + crs?: CoordinateReferenceSystem;
  15 +}
  16 +
  17 +/***
  18 +* http://geojson.org/geojson-spec.html#positions
  19 +*/
  20 +export type Position = number[];
  21 +
  22 +/***
  23 +* http://geojson.org/geojson-spec.html#geometry-objects
  24 +*/
  25 +export interface DirectGeometryObject extends GeoJsonObject {
  26 + coordinates: Position[][][] | Position[][] | Position[] | Position;
  27 +}
  28 +/**
  29 + * GeometryObject supports geometry collection as well
  30 + */
  31 +export type GeometryObject = DirectGeometryObject | GeometryCollection;
  32 +
  33 +/***
  34 +* http://geojson.org/geojson-spec.html#point
  35 +*/
  36 +export interface Point extends DirectGeometryObject {
  37 + type: 'Point';
  38 + coordinates: Position;
  39 +}
  40 +
  41 +/***
  42 +* http://geojson.org/geojson-spec.html#multipoint
  43 +*/
  44 +export interface MultiPoint extends DirectGeometryObject {
  45 + type: 'MultiPoint';
  46 + coordinates: Position[];
  47 +}
  48 +
  49 +/***
  50 +* http://geojson.org/geojson-spec.html#linestring
  51 +*/
  52 +export interface LineString extends DirectGeometryObject {
  53 + type: 'LineString';
  54 + coordinates: Position[];
  55 +}
  56 +
  57 +/***
  58 +* http://geojson.org/geojson-spec.html#multilinestring
  59 +*/
  60 +export interface MultiLineString extends DirectGeometryObject {
  61 + type: 'MultiLineString';
  62 + coordinates: Position[][];
  63 +}
  64 +
  65 +/***
  66 +* http://geojson.org/geojson-spec.html#polygon
  67 +*/
  68 +export interface Polygon extends DirectGeometryObject {
  69 + type: 'Polygon';
  70 + coordinates: Position[][];
  71 +}
  72 +
  73 +/***
  74 +* http://geojson.org/geojson-spec.html#multipolygon
  75 +*/
  76 +export interface MultiPolygon extends DirectGeometryObject {
  77 + type: 'MultiPolygon';
  78 + coordinates: Position[][][];
  79 +}
  80 +
  81 +/***
  82 +* http://geojson.org/geojson-spec.html#geometry-collection
  83 +*/
  84 +export interface GeometryCollection extends GeoJsonObject {
  85 + type: 'GeometryCollection';
  86 + geometries: GeometryObject[];
  87 +}
  88 +
  89 +/***
  90 +* http://geojson.org/geojson-spec.html#feature-objects
  91 +*/
  92 +export interface Feature<T extends GeometryObject> extends GeoJsonObject {
  93 + type: 'Feature';
  94 + geometry: T;
  95 + properties: {} | null;
  96 + id?: string;
  97 +}
  98 +
  99 +/***
  100 +* http://geojson.org/geojson-spec.html#feature-collection-objects
  101 +*/
  102 +export interface FeatureCollection<T extends GeometryObject> extends GeoJsonObject {
  103 + type: 'FeatureCollection';
  104 + features: Array<Feature<T>>;
  105 +}
  106 +
  107 +/***
  108 +* http://geojson.org/geojson-spec.html#coordinate-reference-system-objects
  109 +*/
  110 +export interface CoordinateReferenceSystem {
  111 + type: string;
  112 + properties: any;
  113 +}
  114 +
  115 +export interface NamedCoordinateReferenceSystem extends CoordinateReferenceSystem {
  116 + properties: { name: string };
  117 +}
  118 +
  119 +export interface LinkedCoordinateReferenceSystem extends CoordinateReferenceSystem {
  120 + properties: { href: string; type: string };
  121 +}
  1 +{
  2 + "_args": [
  3 + [
  4 + {
  5 + "raw": "@types/geojson@^1.0.0",
  6 + "scope": "@types",
  7 + "escapedName": "@types%2fgeojson",
  8 + "name": "@types/geojson",
  9 + "rawSpec": "^1.0.0",
  10 + "spec": ">=1.0.0 <2.0.0",
  11 + "type": "range"
  12 + },
  13 + "/Users/fzy/project/3mang/node_modules/_terraformer-wkt-parser@1.1.2@terraformer-wkt-parser/node_modules/terraformer"
  14 + ]
  15 + ],
  16 + "_from": "@types/geojson@>=1.0.0 <2.0.0",
  17 + "_id": "@types/geojson@1.0.2",
  18 + "_inCache": true,
  19 + "_location": "/@types/geojson",
  20 + "_npmOperationalInternal": {
  21 + "host": "packages-12-west.internal.npmjs.com",
  22 + "tmp": "tmp/geojson-1.0.2.tgz_1492451765652_0.5249417354352772"
  23 + },
  24 + "_npmUser": {
  25 + "name": "types",
  26 + "email": "ts-npm-types@microsoft.com"
  27 + },
  28 + "_phantomChildren": {},
  29 + "_requested": {
  30 + "raw": "@types/geojson@^1.0.0",
  31 + "scope": "@types",
  32 + "escapedName": "@types%2fgeojson",
  33 + "name": "@types/geojson",
  34 + "rawSpec": "^1.0.0",
  35 + "spec": ">=1.0.0 <2.0.0",
  36 + "type": "range"
  37 + },
  38 + "_requiredBy": [
  39 + "/terraformer",
  40 + "/terraformer",
  41 + "/terraformer-wkt-parser/terraformer"
  42 + ],
  43 + "_resolved": "https://registry.npmjs.org/@types/geojson/-/geojson-1.0.2.tgz",
  44 + "_shasum": "b02d10ab028e2928ac592a051aaa4981a1941d03",
  45 + "_shrinkwrap": null,
  46 + "_spec": "@types/geojson@^1.0.0",
  47 + "_where": "/Users/fzy/project/3mang/node_modules/_terraformer-wkt-parser@1.1.2@terraformer-wkt-parser/node_modules/terraformer",
  48 + "contributors": [
  49 + {
  50 + "name": "Jacob Bruun",
  51 + "url": "https://github.com/cobster/"
  52 + }
  53 + ],
  54 + "dependencies": {},
  55 + "description": "TypeScript definitions for GeoJSON Format Specification Revision",
  56 + "devDependencies": {},
  57 + "directories": {},
  58 + "dist": {
  59 + "shasum": "b02d10ab028e2928ac592a051aaa4981a1941d03",
  60 + "tarball": "https://registry.npmjs.org/@types/geojson/-/geojson-1.0.2.tgz"
  61 + },
  62 + "license": "MIT",
  63 + "main": "",
  64 + "maintainers": [
  65 + {
  66 + "name": "types",
  67 + "email": "ts-npm-types@microsoft.com"
  68 + }
  69 + ],
  70 + "name": "@types/geojson",
  71 + "optionalDependencies": {},
  72 + "peerDependencies": {},
  73 + "readme": "# Installation\r\n> `npm install --save @types/geojson`\r\n\r\n# Summary\r\nThis package contains type definitions for GeoJSON Format Specification Revision (http://geojson.org/).\r\n\r\n# Details\r\nFiles were exported from https://www.github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/geojson\r\n\r\nAdditional Details\r\n * Last updated: Mon, 17 Apr 2017 17:55:17 GMT\r\n * Dependencies: none\r\n * Global values: GeoJSON\r\n\r\n# Credits\r\nThese definitions were written by Jacob Bruun <https://github.com/cobster/>.\r\n",
  74 + "readmeFilename": "README.md",
  75 + "repository": {
  76 + "type": "git",
  77 + "url": "https://www.github.com/DefinitelyTyped/DefinitelyTyped.git"
  78 + },
  79 + "scripts": {},
  80 + "typeScriptVersion": "2.0",
  81 + "typesPublisherContentHash": "8af0f83b55578253a8217e74c8a6b4d11cf8aad1b82772cf45162e9ebc4eb776",
  82 + "version": "1.0.2"
  83 +}
  1 +../_@types_node@6.0.87@@types/node
  1 + MIT License
  2 +
  3 + Copyright (c) Microsoft Corporation. All rights reserved.
  4 +
  5 + Permission is hereby granted, free of charge, to any person obtaining a copy
  6 + of this software and associated documentation files (the "Software"), to deal
  7 + in the Software without restriction, including without limitation the rights
  8 + to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  9 + copies of the Software, and to permit persons to whom the Software is
  10 + furnished to do so, subject to the following conditions:
  11 +
  12 + The above copyright notice and this permission notice shall be included in all
  13 + copies or substantial portions of the Software.
  14 +
  15 + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  16 + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  17 + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  18 + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  19 + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  20 + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  21 + SOFTWARE
  1 +# Installation
  2 +> `npm install --save @types/geojson`
  3 +
  4 +# Summary
  5 +This package contains type definitions for GeoJSON Format Specification Revision (http://geojson.org/).
  6 +
  7 +# Details
  8 +Files were exported from https://www.github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/geojson
  9 +
  10 +Additional Details
  11 + * Last updated: Mon, 17 Apr 2017 17:55:17 GMT
  12 + * Dependencies: none
  13 + * Global values: GeoJSON
  14 +
  15 +# Credits
  16 +These definitions were written by Jacob Bruun <https://github.com/cobster/>.
  1 +// Type definitions for GeoJSON Format Specification Revision 1.0
  2 +// Project: http://geojson.org/
  3 +// Definitions by: Jacob Bruun <https://github.com/cobster/>
  4 +// Definitions: https://github.com/DefinitelyTyped/DefinitelyTyped
  5 +
  6 +export as namespace GeoJSON;
  7 +
  8 +/***
  9 +* http://geojson.org/geojson-spec.html#geojson-objects
  10 +*/
  11 +export interface GeoJsonObject {
  12 + type: string;
  13 + bbox?: number[];
  14 + crs?: CoordinateReferenceSystem;
  15 +}
  16 +
  17 +/***
  18 +* http://geojson.org/geojson-spec.html#positions
  19 +*/
  20 +export type Position = number[];
  21 +
  22 +/***
  23 +* http://geojson.org/geojson-spec.html#geometry-objects
  24 +*/
  25 +export interface DirectGeometryObject extends GeoJsonObject {
  26 + coordinates: Position[][][] | Position[][] | Position[] | Position;
  27 +}
  28 +/**
  29 + * GeometryObject supports geometry collection as well
  30 + */
  31 +export type GeometryObject = DirectGeometryObject | GeometryCollection;
  32 +
  33 +/***
  34 +* http://geojson.org/geojson-spec.html#point
  35 +*/
  36 +export interface Point extends DirectGeometryObject {
  37 + type: 'Point';
  38 + coordinates: Position;
  39 +}
  40 +
  41 +/***
  42 +* http://geojson.org/geojson-spec.html#multipoint
  43 +*/
  44 +export interface MultiPoint extends DirectGeometryObject {
  45 + type: 'MultiPoint';
  46 + coordinates: Position[];
  47 +}
  48 +
  49 +/***
  50 +* http://geojson.org/geojson-spec.html#linestring
  51 +*/
  52 +export interface LineString extends DirectGeometryObject {
  53 + type: 'LineString';
  54 + coordinates: Position[];
  55 +}
  56 +
  57 +/***
  58 +* http://geojson.org/geojson-spec.html#multilinestring
  59 +*/
  60 +export interface MultiLineString extends DirectGeometryObject {
  61 + type: 'MultiLineString';
  62 + coordinates: Position[][];
  63 +}
  64 +
  65 +/***
  66 +* http://geojson.org/geojson-spec.html#polygon
  67 +*/
  68 +export interface Polygon extends DirectGeometryObject {
  69 + type: 'Polygon';
  70 + coordinates: Position[][];
  71 +}
  72 +
  73 +/***
  74 +* http://geojson.org/geojson-spec.html#multipolygon
  75 +*/
  76 +export interface MultiPolygon extends DirectGeometryObject {
  77 + type: 'MultiPolygon';
  78 + coordinates: Position[][][];
  79 +}
  80 +
  81 +/***
  82 +* http://geojson.org/geojson-spec.html#geometry-collection
  83 +*/
  84 +export interface GeometryCollection extends GeoJsonObject {
  85 + type: 'GeometryCollection';
  86 + geometries: GeometryObject[];
  87 +}
  88 +
  89 +/***
  90 +* http://geojson.org/geojson-spec.html#feature-objects
  91 +*/
  92 +export interface Feature<T extends GeometryObject> extends GeoJsonObject {
  93 + type: 'Feature';
  94 + geometry: T;
  95 + properties: {} | null;
  96 + id?: string;
  97 +}
  98 +
  99 +/***
  100 +* http://geojson.org/geojson-spec.html#feature-collection-objects
  101 +*/
  102 +export interface FeatureCollection<T extends GeometryObject> extends GeoJsonObject {
  103 + type: 'FeatureCollection';
  104 + features: Array<Feature<T>>;
  105 +}
  106 +
  107 +/***
  108 +* http://geojson.org/geojson-spec.html#coordinate-reference-system-objects
  109 +*/
  110 +export interface CoordinateReferenceSystem {
  111 + type: string;
  112 + properties: any;
  113 +}
  114 +
  115 +export interface NamedCoordinateReferenceSystem extends CoordinateReferenceSystem {
  116 + properties: { name: string };
  117 +}
  118 +
  119 +export interface LinkedCoordinateReferenceSystem extends CoordinateReferenceSystem {
  120 + properties: { href: string; type: string };
  121 +}
  1 +{
  2 + "name": "@types/geojson",
  3 + "version": "1.0.2",
  4 + "description": "TypeScript definitions for GeoJSON Format Specification Revision",
  5 + "license": "MIT",
  6 + "contributors": [
  7 + {
  8 + "name": "Jacob Bruun",
  9 + "url": "https://github.com/cobster/"
  10 + }
  11 + ],
  12 + "main": "",
  13 + "repository": {
  14 + "type": "git",
  15 + "url": "https://www.github.com/DefinitelyTyped/DefinitelyTyped.git"
  16 + },
  17 + "scripts": {},
  18 + "dependencies": {},
  19 + "peerDependencies": {},
  20 + "typesPublisherContentHash": "8af0f83b55578253a8217e74c8a6b4d11cf8aad1b82772cf45162e9ebc4eb776",
  21 + "typeScriptVersion": "2.0",
  22 + "_from": "@types/geojson@1.0.2",
  23 + "_resolved": "http://registry.npm.taobao.org/@types/geojson/download/@types/geojson-1.0.2.tgz"
  24 +}
  1 +Thu Aug 17 2017 17:03:40 GMT+0800 (CST)
  1 + MIT License
  2 +
  3 + Copyright (c) Microsoft Corporation. All rights reserved.
  4 +
  5 + Permission is hereby granted, free of charge, to any person obtaining a copy
  6 + of this software and associated documentation files (the "Software"), to deal
  7 + in the Software without restriction, including without limitation the rights
  8 + to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  9 + copies of the Software, and to permit persons to whom the Software is
  10 + furnished to do so, subject to the following conditions:
  11 +
  12 + The above copyright notice and this permission notice shall be included in all
  13 + copies or substantial portions of the Software.
  14 +
  15 + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  16 + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  17 + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  18 + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  19 + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  20 + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  21 + SOFTWARE
  1 +# Installation
  2 +> `npm install --save @types/node`
  3 +
  4 +# Summary
  5 +This package contains type definitions for Node.js (http://nodejs.org/).
  6 +
  7 +# Details
  8 +Files were exported from https://www.github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node/v6
  9 +
  10 +Additional Details
  11 + * Last updated: Wed, 16 Aug 2017 22:06:59 GMT
  12 + * Dependencies: events, net, stream, child_process, tls, http, readline, crypto
  13 + * Global values: Buffer, NodeJS, SlowBuffer, ___dirname, ___filename, clearImmediate, clearInterval, clearTimeout, console, exports, global, module, process, require, setImmediate, setInterval, setTimeout
  14 +
  15 +# Credits
  16 +These definitions were written by Microsoft TypeScript <http://typescriptlang.org>, DefinitelyTyped <https://github.com/DefinitelyTyped/DefinitelyTyped>, Wilco Bakker <https://github.com/WilcoBakker>.
  1 +{
  2 + "name": "@types/node",
  3 + "version": "6.0.87",
  4 + "description": "TypeScript definitions for Node.js",
  5 + "license": "MIT",
  6 + "contributors": [
  7 + {
  8 + "name": "Microsoft TypeScript",
  9 + "url": "http://typescriptlang.org"
  10 + },
  11 + {
  12 + "name": "DefinitelyTyped",
  13 + "url": "https://github.com/DefinitelyTyped/DefinitelyTyped"
  14 + },
  15 + {
  16 + "name": "Wilco Bakker",
  17 + "url": "https://github.com/WilcoBakker"
  18 + }
  19 + ],
  20 + "main": "",
  21 + "repository": {
  22 + "type": "git",
  23 + "url": "https://www.github.com/DefinitelyTyped/DefinitelyTyped.git"
  24 + },
  25 + "scripts": {},
  26 + "dependencies": {},
  27 + "typesPublisherContentHash": "2bb27a652843cdb5a2bc4fa7c403d6d27c3e2b8608304783c3086402d6fcac83",
  28 + "typeScriptVersion": "2.0",
  29 + "_from": "@types/node@6.0.87",
  30 + "_resolved": "http://registry.npm.taobao.org/@types/node/download/@types/node-6.0.87.tgz"
  31 +}
  1 +lib-cov
  2 +*.seed
  3 +*.log
  4 +*.csv
  5 +*.dat
  6 +*.out
  7 +*.pid
  8 +*.gz
  9 +
  10 +pids
  11 +logs
  12 +results
  13 +
  14 +npm-debug.log
  15 +node_modules
  1 +Thu Aug 17 2017 17:34:27 GMT+0800 (CST)
  1 +language: node_js
  2 +node_js:
  3 + - 0.6
  4 + - 0.8
  1 +Copyright 2013 Thorsten Lorenz.
  2 +All rights reserved.
  3 +
  4 +Permission is hereby granted, free of charge, to any person
  5 +obtaining a copy of this software and associated documentation
  6 +files (the "Software"), to deal in the Software without
  7 +restriction, including without limitation the rights to use,
  8 +copy, modify, merge, publish, distribute, sublicense, and/or sell
  9 +copies of the Software, and to permit persons to whom the
  10 +Software is furnished to do so, subject to the following
  11 +conditions:
  12 +
  13 +The above copyright notice and this permission notice shall be
  14 +included in all copies or substantial portions of the Software.
  15 +
  16 +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
  17 +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES
  18 +OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
  19 +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT
  20 +HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
  21 +WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
  22 +FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
  23 +OTHER DEALINGS IN THE SOFTWARE.
  1 +# ansicolors [![build status](https://secure.travis-ci.org/thlorenz/ansicolors.png)](http://next.travis-ci.org/thlorenz/ansicolors)
  2 +
  3 +Functions that surround a string with ansicolor codes so it prints in color.
  4 +
  5 +## Installation
  6 +
  7 + npm install ansicolors
  8 +
  9 +## Usage
  10 +
  11 +```js
  12 +var colors = require('ansicolors');
  13 +
  14 +// foreground colors
  15 +var redHerring = colors.red('herring');
  16 +var blueMoon = colors.blue('moon');
  17 +var brighBlueMoon = colors.brightBlue('moon');
  18 +
  19 +console.log(redHerring); // this will print 'herring' in red
  20 +console.log(blueMoon); // this 'moon' in blue
  21 +console.log(brightBlueMoon); // I think you got the idea
  22 +
  23 +// background colors
  24 +console.log(colors.bgYellow('printed on yellow background'));
  25 +console.log(colors.bgBrightBlue('printed on bright blue background'));
  26 +
  27 +// mixing background and foreground colors
  28 +// below two lines have same result (order in which bg and fg are combined doesn't matter)
  29 +console.log(colors.bgYellow(colors.blue('printed on yellow background in blue')));
  30 +console.log(colors.blue(colors.bgYellow('printed on yellow background in blue')));
  31 +```
  32 +
  33 +## Tests
  34 +
  35 +Look at the [tests](https://github.com/thlorenz/ansicolors/blob/master/test/ansicolors.js) to see more examples and/or run them via:
  36 +
  37 + npm explore ansicolors && npm test
  38 +
  39 +## Alternatives
  40 +
  41 +**ansicolors** tries to meet simple use cases with a very simple API. However, if you need a more powerful ansi formatting tool,
  42 +I'd suggest to look at the [features](https://github.com/TooTallNate/ansi.js#features) of the [ansi module](https://github.com/TooTallNate/ansi.js).
  1 +// ColorCodes explained: http://www.termsys.demon.co.uk/vtansi.htm
  2 +'use strict';
  3 +
  4 +var colorNums = {
  5 + white : 37
  6 + , black : 30
  7 + , blue : 34
  8 + , cyan : 36
  9 + , green : 32
  10 + , magenta : 35
  11 + , red : 31
  12 + , yellow : 33
  13 + , brightBlack : 90
  14 + , brightRed : 91
  15 + , brightGreen : 92
  16 + , brightYellow : 93
  17 + , brightBlue : 94
  18 + , brightMagenta : 95
  19 + , brightCyan : 96
  20 + , brightWhite : 97
  21 + }
  22 + , backgroundColorNums = {
  23 + bgBlack : 40
  24 + , bgRed : 41
  25 + , bgGreen : 42
  26 + , bgYellow : 43
  27 + , bgBlue : 44
  28 + , bgMagenta : 45
  29 + , bgCyan : 46
  30 + , bgWhite : 47
  31 + , bgBrightBlack : 100
  32 + , bgBrightRed : 101
  33 + , bgBrightGreen : 102
  34 + , bgBrightYellow : 103
  35 + , bgBrightBlue : 104
  36 + , bgBrightMagenta : 105
  37 + , bgBrightCyan : 106
  38 + , bgBrightWhite : 107
  39 + }
  40 + , colors = {};
  41 +
  42 +
  43 +Object.keys(colorNums).forEach(function (k) {
  44 + colors[k] = function (s) {
  45 + return '\u001b[' + colorNums[k] + 'm' + s + '\u001b[39m';
  46 + };
  47 +});
  48 +
  49 +Object.keys(backgroundColorNums).forEach(function (k) {
  50 + colors[k] = function (s) {
  51 + return '\u001b[' + backgroundColorNums[k] + 'm' + s + '\u001b[49m';
  52 + };
  53 +});
  54 +
  55 +module.exports = colors;
  1 +{
  2 + "name": "ansicolors",
  3 + "version": "0.2.1",
  4 + "description": "Functions that surround a string with ansicolor codes so it prints in color.",
  5 + "main": "ansicolors.js",
  6 + "scripts": {
  7 + "test": "node test/*.js"
  8 + },
  9 + "repository": {
  10 + "type": "git",
  11 + "url": "git://github.com/thlorenz/ansicolors.git"
  12 + },
  13 + "keywords": [
  14 + "ansi",
  15 + "colors",
  16 + "highlight",
  17 + "string"
  18 + ],
  19 + "author": "Thorsten Lorenz <thlorenz@gmx.de> (thlorenz.com)",
  20 + "license": "MIT",
  21 + "readmeFilename": "README.md",
  22 + "gitHead": "858847ca28e8b360d9b70eee0592700fa2ab087d",
  23 + "_from": "ansicolors@0.2.1",
  24 + "_resolved": "http://registry.npm.taobao.org/ansicolors/download/ansicolors-0.2.1.tgz"
  25 +}
  1 +'use strict';
  2 +
  3 +var assert = require('assert')
  4 + , colors = require('..');
  5 +
  6 +console.log('Foreground colors ..');
  7 +
  8 +assert.equal(colors.white('printed in white'), '\u001b[37mprinted in white\u001b[39m');
  9 +
  10 +assert.equal(colors.black('printed in black'), '\u001b[30mprinted in black\u001b[39m');
  11 +assert.equal(colors.brightBlack('printed in bright black'), '\u001b[90mprinted in bright black\u001b[39m');
  12 +
  13 +assert.equal(colors.green('printed in green'), '\u001b[32mprinted in green\u001b[39m');
  14 +assert.equal(colors.brightGreen('printed in bright green'), '\u001b[92mprinted in bright green\u001b[39m');
  15 +
  16 +assert.equal(colors.red('printed in red'), '\u001b[31mprinted in red\u001b[39m');
  17 +assert.equal(colors.brightRed('printed in bright red'), '\u001b[91mprinted in bright red\u001b[39m');
  18 +
  19 +console.log('OK');
  20 +
  21 +console.log('Background colors ..');
  22 +
  23 +assert.equal(
  24 + colors.bgBlack('printed with black background')
  25 + , '\u001b[40mprinted with black background\u001b[49m'
  26 +);
  27 +
  28 +assert.equal(
  29 + colors.bgYellow('printed with yellow background')
  30 + , '\u001b[43mprinted with yellow background\u001b[49m'
  31 +);
  32 +assert.equal(
  33 + colors.bgBrightYellow('printed with bright yellow background')
  34 + , '\u001b[103mprinted with bright yellow background\u001b[49m'
  35 +);
  36 +
  37 +assert.equal(
  38 + colors.bgWhite('printed with white background')
  39 + , '\u001b[47mprinted with white background\u001b[49m'
  40 +);
  41 +
  42 +console.log('OK');
  43 +
  44 +console.log('Mixing background and foreground colors ..');
  45 +
  46 +assert.equal(
  47 + colors.blue(colors.bgYellow('printed in blue with yellow background'))
  48 + , '\u001b[34m\u001b[43mprinted in blue with yellow background\u001b[49m\u001b[39m'
  49 +);
  50 +assert.equal(
  51 + colors.bgYellow(colors.blue('printed in blue with yellow background again'))
  52 + , '\u001b[43m\u001b[34mprinted in blue with yellow background again\u001b[39m\u001b[49m'
  53 +);
  54 +
  55 +console.log('OK');
  1 +Thu Aug 17 2017 17:05:03 GMT+0800 (CST)
  1 +The MIT Licence.
  2 +
  3 +Copyright (c) 2012, 2013, 2014, 2015, 2016, 2017 Michael Mclaughlin
  4 +
  5 +Permission is hereby granted, free of charge, to any person obtaining
  6 +a copy of this software and associated documentation files (the
  7 +'Software'), to deal in the Software without restriction, including
  8 +without limitation the rights to use, copy, modify, merge, publish,
  9 +distribute, sublicense, and/or sell copies of the Software, and to
  10 +permit persons to whom the Software is furnished to do so, subject to
  11 +the following conditions:
  12 +
  13 +The above copyright notice and this permission notice shall be
  14 +included in all copies or substantial portions of the Software.
  15 +
  16 +THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,
  17 +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
  18 +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
  19 +IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
  20 +CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
  21 +TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
  22 +SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  23 +
  1 +![bignumber.js](https://raw.githubusercontent.com/MikeMcl/bignumber.js/gh-pages/bignumberjs.png)
  2 +
  3 +A JavaScript library for arbitrary-precision decimal and non-decimal arithmetic.
  4 +
  5 +[![Build Status](https://travis-ci.org/MikeMcl/bignumber.js.svg)](https://travis-ci.org/MikeMcl/bignumber.js)
  6 +
  7 +<br />
  8 +
  9 +## Features
  10 +
  11 + - Faster, smaller, and perhaps easier to use than JavaScript versions of Java's BigDecimal
  12 + - 8 KB minified and gzipped
  13 + - Simple API but full-featured
  14 + - Works with numbers with or without fraction digits in bases from 2 to 64 inclusive
  15 + - Replicates the `toExponential`, `toFixed`, `toPrecision` and `toString` methods of JavaScript's Number type
  16 + - Includes a `toFraction` and a correctly-rounded `squareRoot` method
  17 + - Supports cryptographically-secure pseudo-random number generation
  18 + - No dependencies
  19 + - Wide platform compatibility: uses JavaScript 1.5 (ECMAScript 3) features only
  20 + - Comprehensive [documentation](http://mikemcl.github.io/bignumber.js/) and test set
  21 +
  22 +![API](https://raw.githubusercontent.com/MikeMcl/bignumber.js/gh-pages/API.png)
  23 +
  24 +If a smaller and simpler library is required see [big.js](https://github.com/MikeMcl/big.js/).
  25 +It's less than half the size but only works with decimal numbers and only has half the methods.
  26 +It also does not allow `NaN` or `Infinity`, or have the configuration options of this library.
  27 +
  28 +See also [decimal.js](https://github.com/MikeMcl/decimal.js/), which among other things adds support for non-integer powers, and performs all operations to a specified number of significant digits.
  29 +
  30 +## Load
  31 +
  32 +The library is the single JavaScript file *bignumber.js* (or minified, *bignumber.min.js*).
  33 +
  34 +```html
  35 +<script src='relative/path/to/bignumber.js'></script>
  36 +```
  37 +
  38 +For [Node.js](http://nodejs.org), the library is available from the [npm](https://npmjs.org/) registry
  39 +
  40 + $ npm install bignumber.js
  41 +
  42 +```javascript
  43 +var BigNumber = require('bignumber.js');
  44 +```
  45 +
  46 +To load with AMD loader libraries such as [requireJS](http://requirejs.org/):
  47 +
  48 +```javascript
  49 +require(['path/to/bignumber'], function(BigNumber) {
  50 + // Use BigNumber here in local scope. No global BigNumber.
  51 +});
  52 +```
  53 +
  54 +## Use
  55 +
  56 +*In all examples below, `var`, semicolons and `toString` calls are not shown.
  57 +If a commented-out value is in quotes it means `toString` has been called on the preceding expression.*
  58 +
  59 +The library exports a single function: `BigNumber`, the constructor of BigNumber instances.
  60 +
  61 +It accepts a value of type number *(up to 15 significant digits only)*, string or BigNumber object,
  62 +
  63 +```javascript
  64 +x = new BigNumber(123.4567)
  65 +y = new BigNumber('123456.7e-3')
  66 +z = new BigNumber(x)
  67 +x.equals(y) && y.equals(z) && x.equals(z) // true
  68 +```
  69 +
  70 +
  71 +and a base from 2 to 64 inclusive can be specified.
  72 +
  73 +```javascript
  74 +x = new BigNumber(1011, 2) // "11"
  75 +y = new BigNumber('zz.9', 36) // "1295.25"
  76 +z = x.plus(y) // "1306.25"
  77 +```
  78 +
  79 +A BigNumber is immutable in the sense that it is not changed by its methods.
  80 +
  81 +```javascript
  82 +0.3 - 0.1 // 0.19999999999999998
  83 +x = new BigNumber(0.3)
  84 +x.minus(0.1) // "0.2"
  85 +x // "0.3"
  86 +```
  87 +
  88 +The methods that return a BigNumber can be chained.
  89 +
  90 +```javascript
  91 +x.dividedBy(y).plus(z).times(9).floor()
  92 +x.times('1.23456780123456789e+9').plus(9876.5432321).dividedBy('4444562598.111772').ceil()
  93 +```
  94 +
  95 +Many method names have a shorter alias.
  96 +
  97 +```javascript
  98 +x.squareRoot().dividedBy(y).toPower(3).equals(x.sqrt().div(y).pow(3)) // true
  99 +x.cmp(y.mod(z).neg()) == 1 && x.comparedTo(y.modulo(z).negated()) == 1 // true
  100 +```
  101 +
  102 +Like JavaScript's number type, there are `toExponential`, `toFixed` and `toPrecision` methods
  103 +
  104 +```javascript
  105 +x = new BigNumber(255.5)
  106 +x.toExponential(5) // "2.55500e+2"
  107 +x.toFixed(5) // "255.50000"
  108 +x.toPrecision(5) // "255.50"
  109 +x.toNumber() // 255.5
  110 +```
  111 +
  112 + and a base can be specified for `toString`.
  113 +
  114 + ```javascript
  115 + x.toString(16) // "ff.8"
  116 + ```
  117 +
  118 +There is also a `toFormat` method which may be useful for internationalisation
  119 +
  120 +```javascript
  121 +y = new BigNumber('1234567.898765')
  122 +y.toFormat(2) // "1,234,567.90"
  123 +```
  124 +
  125 +The maximum number of decimal places of the result of an operation involving division (i.e. a division, square root, base conversion or negative power operation) is set using the `config` method of the `BigNumber` constructor.
  126 +
  127 +The other arithmetic operations always give the exact result.
  128 +
  129 +```javascript
  130 +BigNumber.config({ DECIMAL_PLACES: 10, ROUNDING_MODE: 4 })
  131 +
  132 +x = new BigNumber(2);
  133 +y = new BigNumber(3);
  134 +z = x.div(y) // "0.6666666667"
  135 +z.sqrt() // "0.8164965809"
  136 +z.pow(-3) // "3.3749999995"
  137 +z.toString(2) // "0.1010101011"
  138 +z.times(z) // "0.44444444448888888889"
  139 +z.times(z).round(10) // "0.4444444445"
  140 +```
  141 +
  142 +There is a `toFraction` method with an optional *maximum denominator* argument
  143 +
  144 +```javascript
  145 +y = new BigNumber(355)
  146 +pi = y.dividedBy(113) // "3.1415929204"
  147 +pi.toFraction() // [ "7853982301", "2500000000" ]
  148 +pi.toFraction(1000) // [ "355", "113" ]
  149 +```
  150 +
  151 +and `isNaN` and `isFinite` methods, as `NaN` and `Infinity` are valid `BigNumber` values.
  152 +
  153 +```javascript
  154 +x = new BigNumber(NaN) // "NaN"
  155 +y = new BigNumber(Infinity) // "Infinity"
  156 +x.isNaN() && !y.isNaN() && !x.isFinite() && !y.isFinite() // true
  157 +```
  158 +
  159 +The value of a BigNumber is stored in a decimal floating point format in terms of a coefficient, exponent and sign.
  160 +
  161 +
  162 +```javascript
  163 +x = new BigNumber(-123.456);
  164 +x.c // [ 123, 45600000000000 ] coefficient (i.e. significand)
  165 +x.e // 2 exponent
  166 +x.s // -1 sign
  167 +```
  168 +
  169 +
  170 +Multiple BigNumber constructors can be created, each with their own independent configuration which applies to all BigNumber's created from it.
  171 +
  172 +```javascript
  173 +// Set DECIMAL_PLACES for the original BigNumber constructor
  174 +BigNumber.config({ DECIMAL_PLACES: 10 })
  175 +
  176 +// Create another BigNumber constructor, optionally passing in a configuration object
  177 +BN = BigNumber.another({ DECIMAL_PLACES: 5 })
  178 +
  179 +x = new BigNumber(1)
  180 +y = new BN(1)
  181 +
  182 +x.div(3) // '0.3333333333'
  183 +y.div(3) // '0.33333'
  184 +```
  185 +
  186 +For futher information see the [API](http://mikemcl.github.io/bignumber.js/) reference in the *doc* directory.
  187 +
  188 +## Test
  189 +
  190 +The *test* directory contains the test scripts for each method.
  191 +
  192 +The tests can be run with Node or a browser. For Node use
  193 +
  194 + $ npm test
  195 +
  196 +or
  197 +
  198 + $ node test/every-test
  199 +
  200 +To test a single method, e.g.
  201 +
  202 + $ node test/toFraction
  203 +
  204 +For the browser, see *every-test.html* and *single-test.html* in the *test/browser* directory.
  205 +
  206 +*bignumber-vs-number.html* enables some of the methods of bignumber.js to be compared with those of JavaScript's number type.
  207 +
  208 +## Versions
  209 +
  210 +Version 1.x.x of this library is still supported on the 'original' branch. The advantages of later versions are that they are considerably faster for numbers with many digits and that there are some added methods (see Change Log below). The disadvantages are more lines of code and increased code complexity, and the loss of simplicity in no longer having the coefficient of a BigNumber stored in base 10.
  211 +
  212 +## Performance
  213 +
  214 +See the [README](https://github.com/MikeMcl/bignumber.js/tree/master/perf) in the *perf* directory.
  215 +
  216 +## Build
  217 +
  218 +For Node, if [uglify-js](https://github.com/mishoo/UglifyJS2) is installed
  219 +
  220 + npm install uglify-js -g
  221 +
  222 +then
  223 +
  224 + npm run build
  225 +
  226 +will create *bignumber.min.js*.
  227 +
  228 +A source map will also be created in the root directory.
  229 +
  230 +## Feedback
  231 +
  232 +Open an issue, or email
  233 +
  234 +Michael
  235 +
  236 +<a href="mailto:M8ch88l@gmail.com">M8ch88l@gmail.com</a>
  237 +
  238 +## Licence
  239 +
  240 +MIT.
  241 +
  242 +See [LICENCE](https://github.com/MikeMcl/bignumber.js/blob/master/LICENCE).
  243 +
  244 +## Change Log
  245 +
  246 +#### 4.0.2
  247 +* 03/05/2017
  248 +* #120 Workaround Safari/Webkit bug.
  249 +
  250 +#### 4.0.1
  251 +* 05/04/2017
  252 +* #121 BigNumber.default to BigNumber['default'].
  253 +
  254 +#### 4.0.0
  255 +* 09/01/2017
  256 +* Replace BigNumber.isBigNumber method with isBigNumber prototype property.
  257 +
  258 +#### 3.1.2
  259 +* 08/01/2017
  260 +* Minor documentation edit.
  261 +
  262 +#### 3.1.1
  263 +* 08/01/2017
  264 +* Uncomment `isBigNumber` tests.
  265 +* Ignore dot files.
  266 +
  267 +#### 3.1.0
  268 +* 08/01/2017
  269 +* Add `isBigNumber` method.
  270 +
  271 +#### 3.0.2
  272 +* 08/01/2017
  273 +* Bugfix: Possible incorrect value of `ERRORS` after a `BigNumber.another` call (due to `parseNumeric` declaration in outer scope).
  274 +
  275 +#### 3.0.1
  276 +* 23/11/2016
  277 +* Apply fix for old ipads with `%` issue, see #57 and #102.
  278 +* Correct error message.
  279 +
  280 +#### 3.0.0
  281 +* 09/11/2016
  282 +* Remove `require('crypto')` - leave it to the user.
  283 +* Add `BigNumber.set` as `BigNumber.config` alias.
  284 +* Default `POW_PRECISION` to `0`.
  285 +
  286 +#### 2.4.0
  287 +* 14/07/2016
  288 +* #97 Add exports to support ES6 imports.
  289 +
  290 +#### 2.3.0
  291 +* 07/03/2016
  292 +* #86 Add modulus parameter to `toPower`.
  293 +
  294 +#### 2.2.0
  295 +* 03/03/2016
  296 +* #91 Permit larger JS integers.
  297 +
  298 +#### 2.1.4
  299 +* 15/12/2015
  300 +* Correct UMD.
  301 +
  302 +#### 2.1.3
  303 +* 13/12/2015
  304 +* Refactor re global object and crypto availability when bundling.
  305 +
  306 +#### 2.1.2
  307 +* 10/12/2015
  308 +* Bugfix: `window.crypto` not assigned to `crypto`.
  309 +
  310 +#### 2.1.1
  311 +* 09/12/2015
  312 +* Prevent code bundler from adding `crypto` shim.
  313 +
  314 +#### 2.1.0
  315 +* 26/10/2015
  316 +* For `valueOf` and `toJSON`, include the minus sign with negative zero.
  317 +
  318 +#### 2.0.8
  319 +* 2/10/2015
  320 +* Internal round function bugfix.
  321 +
  322 +#### 2.0.6
  323 +* 31/03/2015
  324 +* Add bower.json. Tweak division after in-depth review.
  325 +
  326 +#### 2.0.5
  327 +* 25/03/2015
  328 +* Amend README. Remove bitcoin address.
  329 +
  330 +#### 2.0.4
  331 +* 25/03/2015
  332 +* Critical bugfix #58: division.
  333 +
  334 +#### 2.0.3
  335 +* 18/02/2015
  336 +* Amend README. Add source map.
  337 +
  338 +#### 2.0.2
  339 +* 18/02/2015
  340 +* Correct links.
  341 +
  342 +#### 2.0.1
  343 +* 18/02/2015
  344 +* Add `max`, `min`, `precision`, `random`, `shift`, `toDigits` and `truncated` methods.
  345 +* Add the short-forms: `add`, `mul`, `sd`, `sub` and `trunc`.
  346 +* Add an `another` method to enable multiple independent constructors to be created.
  347 +* Add support for the base 2, 8 and 16 prefixes `0b`, `0o` and `0x`.
  348 +* Enable a rounding mode to be specified as a second parameter to `toExponential`, `toFixed`, `toFormat` and `toPrecision`.
  349 +* Add a `CRYPTO` configuration property so cryptographically-secure pseudo-random number generation can be specified.
  350 +* Add a `MODULO_MODE` configuration property to enable the rounding mode used by the `modulo` operation to be specified.
  351 +* Add a `POW_PRECISION` configuration property to enable the number of significant digits calculated by the power operation to be limited.
  352 +* Improve code quality.
  353 +* Improve documentation.
  354 +
  355 +#### 2.0.0
  356 +* 29/12/2014
  357 +* Add `dividedToIntegerBy`, `isInteger` and `toFormat` methods.
  358 +* Remove the following short-forms: `isF`, `isZ`, `toE`, `toF`, `toFr`, `toN`, `toP`, `toS`.
  359 +* Store a BigNumber's coefficient in base 1e14, rather than base 10.
  360 +* Add fast path for integers to BigNumber constructor.
  361 +* Incorporate the library into the online documentation.
  362 +
  363 +#### 1.5.0
  364 +* 13/11/2014
  365 +* Add `toJSON` and `decimalPlaces` methods.
  366 +
  367 +#### 1.4.1
  368 +* 08/06/2014
  369 +* Amend README.
  370 +
  371 +#### 1.4.0
  372 +* 08/05/2014
  373 +* Add `toNumber`.
  374 +
  375 +#### 1.3.0
  376 +* 08/11/2013
  377 +* Ensure correct rounding of `sqrt` in all, rather than almost all, cases.
  378 +* Maximum radix to 64.
  379 +
  380 +#### 1.2.1
  381 +* 17/10/2013
  382 +* Sign of zero when x < 0 and x + (-x) = 0.
  383 +
  384 +#### 1.2.0
  385 +* 19/9/2013
  386 +* Throw Error objects for stack.
  387 +
  388 +#### 1.1.1
  389 +* 22/8/2013
  390 +* Show original value in constructor error message.
  391 +
  392 +#### 1.1.0
  393 +* 1/8/2013
  394 +* Allow numbers with trailing radix point.
  395 +
  396 +#### 1.0.1
  397 +* Bugfix: error messages with incorrect method name
  398 +
  399 +#### 1.0.0
  400 +* 8/11/2012
  401 +* Initial release
  1 +{"version":3,"file":"bignumber.min.js","sources":["bignumber.js"],"names":["globalObj","constructorFactory","config","BigNumber","n","b","c","e","i","num","len","str","x","this","ERRORS","raise","isValidInt","id","round","DECIMAL_PLACES","ROUNDING_MODE","RegExp","ALPHABET","slice","test","parseNumeric","s","replace","length","tooManyDigits","charCodeAt","convertBase","isNumeric","indexOf","search","substring","MAX_SAFE_INTEGER","mathfloor","MAX_EXP","MIN_EXP","LOG_BASE","push","baseOut","baseIn","sign","d","k","r","xc","y","dp","rm","toLowerCase","POW_PRECISION","pow","toBaseOut","toFixedPoint","coeffToString","pop","div","concat","charAt","format","caller","c0","ne","roundingMode","toString","TO_EXP_NEG","toExponential","maxOrMin","args","method","m","isArray","call","intValidatorWithErrors","min","max","name","truncate","normalise","j","msg","val","error","Error","sd","ni","rd","pows10","POWS_TEN","out","mathceil","BASE","P","prototype","ONE","TO_EXP_POS","CRYPTO","MODULO_MODE","FORMAT","decimalSeparator","groupSeparator","groupSize","secondaryGroupSize","fractionGroupSeparator","fractionGroupSize","another","ROUND_UP","ROUND_DOWN","ROUND_CEIL","ROUND_FLOOR","ROUND_HALF_UP","ROUND_HALF_DOWN","ROUND_HALF_EVEN","ROUND_HALF_CEIL","ROUND_HALF_FLOOR","EUCLID","set","v","p","a","arguments","o","has","hasOwnProperty","MAX","intValidatorNoErrors","notBool","crypto","getRandomValues","randomBytes","lt","gt","random","pow2_53","random53bitInt","Math","rand","Uint32Array","copy","splice","multiply","base","temp","xlo","xhi","carry","klo","SQRT_BASE","khi","compare","aL","bL","cmp","subtract","more","prod","prodL","q","qc","rem","remL","rem0","xi","xL","yc0","yL","yz","yc","NaN","bitFloor","basePrefix","dotAfter","dotBefore","isInfinityOrNaN","whitespaceOrPlus","isNaN","p1","p2","absoluteValue","abs","ceil","comparedTo","decimalPlaces","dividedBy","dividedToIntegerBy","divToInt","equals","eq","floor","greaterThan","greaterThanOrEqualTo","gte","isFinite","isInteger","isInt","isNegative","isNeg","isZero","lessThan","lessThanOrEqualTo","lte","minus","sub","t","xLTy","plus","xe","ye","reverse","modulo","mod","times","negated","neg","add","precision","z","shift","squareRoot","sqrt","rep","half","mul","xcL","ycL","ylo","yhi","zc","sqrtBase","toDigits","toFixed","toFormat","arr","split","g1","g2","intPart","fractionPart","intDigits","substr","toFraction","md","d0","d2","exp","n0","n1","d1","toNumber","toPower","parseFloat","toPrecision","truncated","trunc","valueOf","toJSON","isBigNumber","l","obj","Object","arrL","define","amd","module","exports","self","Function"],"mappings":";CAEC,SAAWA,GACR,YAqCA,SAASC,GAAmBC,GAiHxB,QAASC,GAAWC,EAAGC,GACnB,GAAIC,GAAGC,EAAGC,EAAGC,EAAKC,EAAKC,EACnBC,EAAIC,IAGR,MAAQD,YAAaT,IAIjB,MADIW,IAAQC,EAAO,GAAI,+BAAgCX,GAChD,GAAID,GAAWC,EAAGC,EAK7B,IAAU,MAALA,GAAcW,EAAYX,EAAG,EAAG,GAAIY,EAAI,QA4BtC,CAMH,GALAZ,EAAQ,EAAJA,EACJM,EAAMP,EAAI,GAIA,IAALC,EAED,MADAO,GAAI,GAAIT,GAAWC,YAAaD,GAAYC,EAAIO,GACzCO,EAAON,EAAGO,EAAiBP,EAAEL,EAAI,EAAGa,EAK/C,KAAOX,EAAkB,gBAALL,KAAuB,EAAJA,GAAS,IAC7C,GAAMiB,QAAQ,OAAUf,EAAI,IAAMgB,EAASC,MAAO,EAAGlB,GAAM,MAC1D,SAAWC,EAAI,MAAU,GAAJD,EAAS,IAAM,IAAOmB,KAAKb,GAChD,MAAOc,GAAcb,EAAGD,EAAKF,EAAKJ,EAGlCI,IACAG,EAAEc,EAAY,EAAR,EAAItB,GAAUO,EAAMA,EAAIY,MAAM,GAAI,IAAO,EAE1CT,GAAUH,EAAIgB,QAAS,YAAa,IAAKC,OAAS,IAGnDb,EAAOE,EAAIY,EAAezB,GAI9BK,GAAM,GAENG,EAAEc,EAA0B,KAAtBf,EAAImB,WAAW,IAAcnB,EAAMA,EAAIY,MAAM,GAAI,IAAO,EAGlEZ,EAAMoB,EAAapB,EAAK,GAAIN,EAAGO,EAAEc,OA9DmB,CAGpD,GAAKtB,YAAaD,GAKd,MAJAS,GAAEc,EAAItB,EAAEsB,EACRd,EAAEL,EAAIH,EAAEG,EACRK,EAAEN,GAAMF,EAAIA,EAAEE,GAAMF,EAAEmB,QAAUnB,OAChCa,EAAK,EAIT,KAAOR,EAAkB,gBAALL,KAAuB,EAAJA,GAAS,EAAI,CAIhD,GAHAQ,EAAEc,EAAY,EAAR,EAAItB,GAAUA,GAAKA,EAAG,IAAO,EAG9BA,MAAQA,EAAI,CACb,IAAMG,EAAI,EAAGC,EAAIJ,EAAGI,GAAK,GAAIA,GAAK,GAAID,KAItC,MAHAK,GAAEL,EAAIA,EACNK,EAAEN,GAAKF,QACPa,EAAK,GAITN,EAAMP,EAAI,OACP,CACH,IAAM4B,EAAUR,KAAMb,EAAMP,EAAI,IAAO,MAAOqB,GAAcb,EAAGD,EAAKF,EACpEG,GAAEc,EAA0B,KAAtBf,EAAImB,WAAW,IAAcnB,EAAMA,EAAIY,MAAM,GAAI,IAAO,GAwDtE,KAhBOhB,EAAII,EAAIsB,QAAQ,MAAS,KAAKtB,EAAMA,EAAIgB,QAAS,IAAK,MAGtDnB,EAAIG,EAAIuB,OAAQ,OAAW,GAGrB,EAAJ3B,IAAQA,EAAIC,GACjBD,IAAMI,EAAIY,MAAOf,EAAI,GACrBG,EAAMA,EAAIwB,UAAW,EAAG3B,IACZ,EAAJD,IAGRA,EAAII,EAAIiB,QAINpB,EAAI,EAAyB,KAAtBG,EAAImB,WAAWtB,GAAWA,KAGvC,IAAME,EAAMC,EAAIiB,OAAkC,KAA1BjB,EAAImB,aAAapB,KAGzC,GAFAC,EAAMA,EAAIY,MAAOf,EAAGE,EAAM,GActB,GAXAA,EAAMC,EAAIiB,OAILnB,GAAOK,GAAUJ,EAAM,KAAQN,EAAIgC,GAAoBhC,IAAMiC,EAAUjC,KACxEW,EAAOE,EAAIY,EAAejB,EAAEc,EAAItB,GAGpCG,EAAIA,EAAIC,EAAI,EAGPD,EAAI+B,EAGL1B,EAAEN,EAAIM,EAAEL,EAAI,SAGT,IAASgC,EAAJhC,EAGRK,EAAEN,GAAMM,EAAEL,EAAI,OACX,CAWH,GAVAK,EAAEL,EAAIA,EACNK,EAAEN,KAMFE,GAAMD,EAAI,GAAMiC,EACP,EAAJjC,IAAQC,GAAKgC,GAET9B,EAAJF,EAAU,CAGX,IAFIA,GAAGI,EAAEN,EAAEmC,MAAO9B,EAAIY,MAAO,EAAGf,IAE1BE,GAAO8B,EAAc9B,EAAJF,GACnBI,EAAEN,EAAEmC,MAAO9B,EAAIY,MAAOf,EAAGA,GAAKgC,GAGlC7B,GAAMA,EAAIY,MAAMf,GAChBA,EAAIgC,EAAW7B,EAAIiB,WAEnBpB,IAAKE,CAGT,MAAQF,IAAKG,GAAO,KACpBC,EAAEN,EAAEmC,MAAO9B,OAKfC,GAAEN,GAAMM,EAAEL,EAAI,EAGlBU,GAAK,EA2VT,QAASc,GAAapB,EAAK+B,EAASC,EAAQC,GACxC,GAAIC,GAAGtC,EAAGuC,EAAGC,EAAGnC,EAAGoC,EAAIC,EACnBzC,EAAIG,EAAIsB,QAAS,KACjBiB,EAAK/B,EACLgC,EAAK/B,CA0BT,KAxBc,GAATuB,IAAchC,EAAMA,EAAIyC,eAGxB5C,GAAK,IACNsC,EAAIO,EAGJA,EAAgB,EAChB1C,EAAMA,EAAIgB,QAAS,IAAK,IACxBsB,EAAI,GAAI9C,GAAUwC,GAClB/B,EAAIqC,EAAEK,IAAK3C,EAAIiB,OAASpB,GACxB6C,EAAgBP,EAIhBG,EAAE3C,EAAIiD,EAAWC,EAAcC,EAAe7C,EAAEN,GAAKM,EAAEL,GAAK,GAAImC,GAChEO,EAAE1C,EAAI0C,EAAE3C,EAAEsB,QAIdoB,EAAKO,EAAW5C,EAAKgC,EAAQD,GAC7BnC,EAAIuC,EAAIE,EAAGpB,OAGQ,GAAXoB,IAAKF,GAASE,EAAGU,OACzB,IAAMV,EAAG,GAAK,MAAO,GA2BrB,IAzBS,EAAJxC,IACCD,GAEFK,EAAEN,EAAI0C,EACNpC,EAAEL,EAAIA,EAGNK,EAAEc,EAAIkB,EACNhC,EAAI+C,EAAK/C,EAAGqC,EAAGC,EAAIC,EAAIT,GACvBM,EAAKpC,EAAEN,EACPyC,EAAInC,EAAEmC,EACNxC,EAAIK,EAAEL,GAGVsC,EAAItC,EAAI2C,EAAK,EAGb1C,EAAIwC,EAAGH,GACPC,EAAIJ,EAAU,EACdK,EAAIA,GAAS,EAAJF,GAAsB,MAAbG,EAAGH,EAAI,GAEzBE,EAAS,EAALI,GAAgB,MAAL3C,GAAauC,KAAe,GAANI,GAAWA,IAAQvC,EAAEc,EAAI,EAAI,EAAI,IACzDlB,EAAIsC,GAAKtC,GAAKsC,IAAY,GAANK,GAAWJ,GAAW,GAANI,GAAuB,EAAZH,EAAGH,EAAI,IACtDM,IAAQvC,EAAEc,EAAI,EAAI,EAAI,IAE1B,EAAJmB,IAAUG,EAAG,GAGdrC,EAAMoC,EAAIS,EAAc,KAAMN,GAAO,QAClC,CAGH,GAFAF,EAAGpB,OAASiB,EAERE,EAGA,MAAQL,IAAWM,IAAKH,GAAKH,GACzBM,EAAGH,GAAK,EAEFA,MACAtC,EACFyC,GAAM,GAAGY,OAAOZ,GAM5B,KAAMF,EAAIE,EAAGpB,QAASoB,IAAKF,KAG3B,IAAMtC,EAAI,EAAGG,EAAM,GAASmC,GAALtC,EAAQG,GAAOW,EAASuC,OAAQb,EAAGxC,OAC1DG,EAAM6C,EAAc7C,EAAKJ,GAI7B,MAAOI,GA4QX,QAASmD,GAAQ1D,EAAGI,EAAG2C,EAAIY,GACvB,GAAIC,GAAIzD,EAAG0D,EAAIvD,EAAKC,CAKpB,IAHAwC,EAAW,MAANA,GAAcnC,EAAYmC,EAAI,EAAG,EAAGY,EAAQG,GACxC,EAALf,EAAS/B,GAEPhB,EAAEE,EAAI,MAAOF,GAAE+D,UAIrB,IAHAH,EAAK5D,EAAEE,EAAE,GACT2D,EAAK7D,EAAEG,EAEG,MAALC,EACDG,EAAM8C,EAAerD,EAAEE,GACvBK,EAAgB,IAAVoD,GAA0B,IAAVA,GAAsBK,GAANH,EAClCI,EAAe1D,EAAKsD,GACpBT,EAAc7C,EAAKsD,OAevB,IAbA7D,EAAIc,EAAO,GAAIf,GAAUC,GAAII,EAAG2C,GAGhC5C,EAAIH,EAAEG,EAENI,EAAM8C,EAAerD,EAAEE,GACvBI,EAAMC,EAAIiB,OAOK,IAAVmC,GAA0B,IAAVA,IAAuBxD,GAALC,GAAe4D,GAAL7D,GAAoB,CAGjE,KAAcC,EAANE,EAASC,GAAO,IAAKD,KAC7BC,EAAM0D,EAAe1D,EAAKJ,OAQ1B,IAJAC,GAAKyD,EACLtD,EAAM6C,EAAc7C,EAAKJ,GAGpBA,EAAI,EAAIG,GACT,KAAOF,EAAI,EAAI,IAAMG,GAAO,IAAKH,IAAKG,GAAO,UAG7C,IADAH,GAAKD,EAAIG,EACJF,EAAI,EAEL,IADKD,EAAI,GAAKG,IAAMC,GAAO,KACnBH,IAAKG,GAAO,KAMpC,MAAOP,GAAEsB,EAAI,GAAKsC,EAAK,IAAMrD,EAAMA,EAKvC,QAAS2D,GAAUC,EAAMC,GACrB,GAAIC,GAAGrE,EACHI,EAAI,CAKR,KAHKkE,EAASH,EAAK,MAAOA,EAAOA,EAAK,IACtCE,EAAI,GAAItE,GAAWoE,EAAK,MAEd/D,EAAI+D,EAAK3C,QAAU,CAIzB,GAHAxB,EAAI,GAAID,GAAWoE,EAAK/D,KAGlBJ,EAAEsB,EAAI,CACR+C,EAAIrE,CACJ,OACQoE,EAAOG,KAAMF,EAAGrE,KACxBqE,EAAIrE,GAIZ,MAAOqE,GAQX,QAASG,GAAwBxE,EAAGyE,EAAKC,EAAKf,EAAQgB,GAMlD,OALSF,EAAJzE,GAAWA,EAAI0E,GAAO1E,GAAK4E,EAAS5E,KACrCW,EAAOgD,GAAUgB,GAAQ,mBACjBF,EAAJzE,GAAWA,EAAI0E,EAAM,gBAAkB,mBAAqB1E,IAG7D,EAQX,QAAS6E,GAAW7E,EAAGE,EAAGC,GAKtB,IAJA,GAAIC,GAAI,EACJ0E,EAAI5E,EAAEsB,QAGDtB,IAAI4E,GAAI5E,EAAEoD,OAGnB,IAAMwB,EAAI5E,EAAE,GAAI4E,GAAK,GAAIA,GAAK,GAAI1E,KAkBlC,OAfOD,EAAIC,EAAID,EAAIiC,EAAW,GAAMF,EAGhClC,EAAEE,EAAIF,EAAEG,EAAI,KAGAgC,EAAJhC,EAGRH,EAAEE,GAAMF,EAAEG,EAAI,IAEdH,EAAEG,EAAIA,EACNH,EAAEE,EAAIA,GAGHF,EAmDX,QAASW,GAAOgD,EAAQoB,EAAKC,GACzB,GAAIC,GAAQ,GAAIC,QACZ,gBACA,MACA,SACA,MACA,WACA,KACA,KACA,MACA,KACA,MACA,QACA,MACA,OACA,YACA,SACA,QACA,QACA,QACA,WACA,gBACA,UACA,WACA,aACA,MACA,cACA,WACA,aACFvB,GAAU,MAAQoB,EAAM,KAAOC,EAIjC,MAFAC,GAAMN,KAAO,kBACb9D,EAAK,EACCoE,EAQV,QAASnE,GAAON,EAAG2E,EAAIpC,EAAIJ,GACvB,GAAIF,GAAGrC,EAAG0E,EAAGpC,EAAG1C,EAAGoF,EAAIC,EACnBzC,EAAKpC,EAAEN,EACPoF,EAASC,CAGb,IAAI3C,EAAI,CAQJ4C,EAAK,CAGD,IAAM/C,EAAI,EAAGC,EAAIE,EAAG,GAAIF,GAAK,GAAIA,GAAK,GAAID,KAI1C,GAHArC,EAAI+E,EAAK1C,EAGA,EAAJrC,EACDA,GAAKgC,EACL0C,EAAIK,EACJnF,EAAI4C,EAAIwC,EAAK,GAGbC,EAAKrF,EAAIsF,EAAQ7C,EAAIqC,EAAI,GAAM,GAAK,MAIpC,IAFAM,EAAKK,GAAYrF,EAAI,GAAMgC,GAEtBgD,GAAMxC,EAAGpB,OAAS,CAEnB,IAAImB,EASA,KAAM6C,EANN,MAAQ5C,EAAGpB,QAAU4D,EAAIxC,EAAGP,KAAK,IACjCrC,EAAIqF,EAAK,EACT5C,EAAI,EACJrC,GAAKgC,EACL0C,EAAI1E,EAAIgC,EAAW,MAIpB,CAIH,IAHApC,EAAI0C,EAAIE,EAAGwC,GAGL3C,EAAI,EAAGC,GAAK,GAAIA,GAAK,GAAID,KAG/BrC,GAAKgC,EAIL0C,EAAI1E,EAAIgC,EAAWK,EAGnB4C,EAAS,EAAJP,EAAQ,EAAI9E,EAAIsF,EAAQ7C,EAAIqC,EAAI,GAAM,GAAK,EAmBxD,GAfAnC,EAAIA,GAAU,EAALwC,GAKO,MAAdvC,EAAGwC,EAAK,KAAoB,EAAJN,EAAQ9E,EAAIA,EAAIsF,EAAQ7C,EAAIqC,EAAI,IAE1DnC,EAAS,EAALI,GACEsC,GAAM1C,KAAe,GAANI,GAAWA,IAAQvC,EAAEc,EAAI,EAAI,EAAI,IAClD+D,EAAK,GAAW,GAANA,IAAmB,GAANtC,GAAWJ,GAAW,GAANI,IAGnC3C,EAAI,EAAI0E,EAAI,EAAI9E,EAAIsF,EAAQ7C,EAAIqC,GAAM,EAAIlC,EAAGwC,EAAK,IAAO,GAAO,GAClErC,IAAQvC,EAAEc,EAAI,EAAI,EAAI,IAElB,EAAL6D,IAAWvC,EAAG,GAiBf,MAhBAA,GAAGpB,OAAS,EAERmB,GAGAwC,GAAM3E,EAAEL,EAAI,EAGZyC,EAAG,GAAK0C,GAAUlD,EAAW+C,EAAK/C,GAAaA,GAC/C5B,EAAEL,GAAKgF,GAAM,GAIbvC,EAAG,GAAKpC,EAAEL,EAAI,EAGXK,CAkBX,IAdU,GAALJ,GACDwC,EAAGpB,OAAS4D,EACZ1C,EAAI,EACJ0C,MAEAxC,EAAGpB,OAAS4D,EAAK,EACjB1C,EAAI4C,EAAQlD,EAAWhC,GAIvBwC,EAAGwC,GAAMN,EAAI,EAAI7C,EAAWjC,EAAIsF,EAAQ7C,EAAIqC,GAAMQ,EAAOR,IAAOpC,EAAI,GAIpEC,EAEA,OAAY,CAGR,GAAW,GAANyC,EAAU,CAGX,IAAMhF,EAAI,EAAG0E,EAAIlC,EAAG,GAAIkC,GAAK,GAAIA,GAAK,GAAI1E,KAE1C,IADA0E,EAAIlC,EAAG,IAAMF,EACPA,EAAI,EAAGoC,GAAK,GAAIA,GAAK,GAAIpC,KAG1BtC,GAAKsC,IACNlC,EAAEL,IACGyC,EAAG,IAAM8C,IAAO9C,EAAG,GAAK,GAGjC,OAGA,GADAA,EAAGwC,IAAO1C,EACLE,EAAGwC,IAAOM,EAAO,KACtB9C,GAAGwC,KAAQ,EACX1C,EAAI,EAMhB,IAAMtC,EAAIwC,EAAGpB,OAAoB,IAAZoB,IAAKxC,GAAUwC,EAAGU,QAItC9C,EAAEL,EAAI+B,EACP1B,EAAEN,EAAIM,EAAEL,EAAI,KAGJK,EAAEL,EAAIgC,IACd3B,EAAEN,GAAMM,EAAEL,EAAI,IAItB,MAAOK,GA9zCX,GAAI+C,GAAKlC,EAGLR,EAAK,EACL8E,EAAI5F,EAAU6F,UACdC,EAAM,GAAI9F,GAAU,GAYpBgB,EAAiB,GAejBC,EAAgB,EAMhBgD,EAAa,GAIb8B,EAAa,GAMb3D,EAAU,KAKVD,EAAU,IAGVxB,GAAS,EAGTE,EAAa4D,EAGbuB,GAAS,EAoBTC,EAAc,EAId/C,EAAgB,EAGhBgD,GACIC,iBAAkB,IAClBC,eAAgB,IAChBC,UAAW,EACXC,mBAAoB,EACpBC,uBAAwB,IACxBC,kBAAmB,EAm3E3B,OA9rEAxG,GAAUyG,QAAU3G,EAEpBE,EAAU0G,SAAW,EACrB1G,EAAU2G,WAAa,EACvB3G,EAAU4G,WAAa,EACvB5G,EAAU6G,YAAc,EACxB7G,EAAU8G,cAAgB,EAC1B9G,EAAU+G,gBAAkB,EAC5B/G,EAAUgH,gBAAkB,EAC5BhH,EAAUiH,gBAAkB,EAC5BjH,EAAUkH,iBAAmB,EAC7BlH,EAAUmH,OAAS,EAoCnBnH,EAAUD,OAASC,EAAUoH,IAAM,WAC/B,GAAIC,GAAGC,EACHjH,EAAI,EACJuC,KACA2E,EAAIC,UACJC,EAAIF,EAAE,GACNG,EAAMD,GAAiB,gBAALA,GACd,WAAc,MAAKA,GAAEE,eAAeL,GAA4B,OAAdD,EAAII,EAAEH,IAA1C,QACd,WAAc,MAAKC,GAAE9F,OAASpB,EAA6B,OAAhBgH,EAAIE,EAAElH,MAAnC,OAuHtB,OAlHKqH,GAAKJ,EAAI,mBAAsBzG,EAAYwG,EAAG,EAAGO,EAAK,EAAGN,KAC1DtG,EAAqB,EAAJqG,GAErBzE,EAAE0E,GAAKtG,EAKF0G,EAAKJ,EAAI,kBAAqBzG,EAAYwG,EAAG,EAAG,EAAG,EAAGC,KACvDrG,EAAoB,EAAJoG,GAEpBzE,EAAE0E,GAAKrG,EAMFyG,EAAKJ,EAAI,oBAEL/C,EAAQ8C,GACJxG,EAAYwG,EAAE,IAAKO,EAAK,EAAG,EAAGN,IAAOzG,EAAYwG,EAAE,GAAI,EAAGO,EAAK,EAAGN,KACnErD,EAAoB,EAAPoD,EAAE,GACftB,EAAoB,EAAPsB,EAAE,IAEXxG,EAAYwG,GAAIO,EAAKA,EAAK,EAAGN,KACrCrD,IAAgB8B,EAAkC,GAAf,EAAJsB,GAASA,EAAIA,MAGpDzE,EAAE0E,IAAOrD,EAAY8B,GAOhB2B,EAAKJ,EAAI,WAEL/C,EAAQ8C,GACJxG,EAAYwG,EAAE,IAAKO,EAAK,GAAI,EAAGN,IAAOzG,EAAYwG,EAAE,GAAI,EAAGO,EAAK,EAAGN,KACpElF,EAAiB,EAAPiF,EAAE,GACZlF,EAAiB,EAAPkF,EAAE,IAERxG,EAAYwG,GAAIO,EAAKA,EAAK,EAAGN,KAC5B,EAAJD,EAAQjF,IAAaD,EAA+B,GAAf,EAAJkF,GAASA,EAAIA,IAC1C1G,GAAQC,EAAO,EAAG0G,EAAI,kBAAmBD,KAG1DzE,EAAE0E,IAAOlF,EAASD,GAIbuF,EAAKJ,EAAI,YAELD,MAAQA,GAAW,IAANA,GAAiB,IAANA,GACzBvG,EAAK,EACLD,GAAeF,IAAW0G,GAAM5C,EAAyBoD,GAClDlH,GACPC,EAAO,EAAG0G,EAAIQ,EAAST,IAG/BzE,EAAE0E,GAAK3G,EAKF+G,EAAKJ,EAAI,YAELD,KAAM,GAAQA,KAAM,GAAe,IAANA,GAAiB,IAANA,EACrCA,GACAA,EAAqB,mBAAVU,SACLV,GAAKU,SAAWA,OAAOC,iBAAmBD,OAAOE,aACnDjC,GAAS,EACFrF,EACPC,EAAO,EAAG,qBAAsByG,EAAI,OAASU,QAE7C/B,GAAS,GAGbA,GAAS,EAENrF,GACPC,EAAO,EAAG0G,EAAIQ,EAAST,IAG/BzE,EAAE0E,GAAKtB,EAKF0B,EAAKJ,EAAI,gBAAmBzG,EAAYwG,EAAG,EAAG,EAAG,EAAGC,KACrDrB,EAAkB,EAAJoB,GAElBzE,EAAE0E,GAAKrB,EAKFyB,EAAKJ,EAAI,kBAAqBzG,EAAYwG,EAAG,EAAGO,EAAK,EAAGN,KACzDpE,EAAoB,EAAJmE,GAEpBzE,EAAE0E,GAAKpE,EAIFwE,EAAKJ,EAAI,YAEO,gBAALD,GACRnB,EAASmB,EACF1G,GACPC,EAAO,EAAG0G,EAAI,iBAAkBD,IAGxCzE,EAAE0E,GAAKpB,EAEAtD,GASX5C,EAAU2E,IAAM,WAAc,MAAOR,GAAUqD,UAAW5B,EAAEsC,KAQ5DlI,EAAU0E,IAAM,WAAc,MAAOP,GAAUqD,UAAW5B,EAAEuC,KAc5DnI,EAAUoI,OAAS,WACf,GAAIC,GAAU,iBAMVC,EAAkBC,KAAKH,SAAWC,EAAW,QAC7C,WAAc,MAAOnG,GAAWqG,KAAKH,SAAWC,IAChD,WAAc,MAA2C,UAAlB,WAAhBE,KAAKH,SAAwB,IACjC,QAAhBG,KAAKH,SAAsB,GAElC,OAAO,UAAUrF,GACb,GAAIwE,GAAGrH,EAAGE,EAAGuC,EAAG0E,EACZhH,EAAI,EACJF,KACAqI,EAAO,GAAIxI,GAAU8F,EAKzB,IAHA/C,EAAW,MAANA,GAAelC,EAAYkC,EAAI,EAAG6E,EAAK,IAA6B,EAAL7E,EAAjB/B,EACnD2B,EAAI+C,EAAU3C,EAAKV,GAEf2D,EAGA,GAAI+B,OAAOC,gBAAiB,CAIxB,IAFAT,EAAIQ,OAAOC,gBAAiB,GAAIS,aAAa9F,GAAK,IAEtCA,EAAJtC,GAQJgH,EAAW,OAAPE,EAAElH,IAAgBkH,EAAElH,EAAI,KAAO,IAM9BgH,GAAK,MACNnH,EAAI6H,OAAOC,gBAAiB,GAAIS,aAAY,IAC5ClB,EAAElH,GAAKH,EAAE,GACTqH,EAAElH,EAAI,GAAKH,EAAE,KAKbC,EAAEmC,KAAM+E,EAAI,MACZhH,GAAK,EAGbA,GAAIsC,EAAI,MAGL,IAAIoF,OAAOE,YAAa,CAK3B,IAFAV,EAAIQ,OAAOE,YAAatF,GAAK,GAEjBA,EAAJtC,GAMJgH,EAAsB,iBAAP,GAAPE,EAAElH,IAA6C,cAAXkH,EAAElH,EAAI,GAC/B,WAAXkH,EAAElH,EAAI,GAAkC,SAAXkH,EAAElH,EAAI,IACnCkH,EAAElH,EAAI,IAAM,KAASkH,EAAElH,EAAI,IAAM,GAAMkH,EAAElH,EAAI,GAEhDgH,GAAK,KACNU,OAAOE,YAAY,GAAGS,KAAMnB,EAAGlH,IAI/BF,EAAEmC,KAAM+E,EAAI,MACZhH,GAAK,EAGbA,GAAIsC,EAAI,MAERqD,IAAS,EACLrF,GAAQC,EAAO,GAAI,qBAAsBmH,OAKrD,KAAK/B,EAED,KAAYrD,EAAJtC,GACJgH,EAAIiB,IACK,KAAJjB,IAAWlH,EAAEE,KAAOgH,EAAI,KAcrC,KAVA1E,EAAIxC,IAAIE,GACR0C,GAAMV,EAGDM,GAAKI,IACNsE,EAAI7B,EAASnD,EAAWU,GACxB5C,EAAEE,GAAK6B,EAAWS,EAAI0E,GAAMA,GAIf,IAATlH,EAAEE,GAAUF,EAAEoD,MAAOlD,KAG7B,GAAS,EAAJA,EACDF,GAAMC,EAAI,OACP,CAGH,IAAMA,EAAI,GAAc,IAATD,EAAE,GAAUA,EAAEwI,OAAO,EAAG,GAAIvI,GAAKiC,GAGhD,IAAMhC,EAAI,EAAGgH,EAAIlH,EAAE,GAAIkH,GAAK,GAAIA,GAAK,GAAIhH,KAGhCgC,EAAJhC,IAAeD,GAAKiC,EAAWhC,GAKxC,MAFAmI,GAAKpI,EAAIA,EACToI,EAAKrI,EAAIA,EACFqI,MAqGfhF,EAAM,WAGF,QAASoF,GAAUnI,EAAGkC,EAAGkG,GACrB,GAAIvE,GAAGwE,EAAMC,EAAKC,EACdC,EAAQ,EACR5I,EAAII,EAAEgB,OACNyH,EAAMvG,EAAIwG,EACVC,EAAMzG,EAAIwG,EAAY,CAE1B,KAAM1I,EAAIA,EAAEW,QAASf,KACjB0I,EAAMtI,EAAEJ,GAAK8I,EACbH,EAAMvI,EAAEJ,GAAK8I,EAAY,EACzB7E,EAAI8E,EAAML,EAAMC,EAAME,EACtBJ,EAAOI,EAAMH,EAAUzE,EAAI6E,EAAcA,EAAcF,EACvDA,GAAUH,EAAOD,EAAO,IAAQvE,EAAI6E,EAAY,GAAMC,EAAMJ,EAC5DvI,EAAEJ,GAAKyI,EAAOD,CAKlB,OAFII,KAAOxI,GAAKwI,GAAOxF,OAAOhD,IAEvBA,EAGX,QAAS4I,GAAS9B,EAAGrH,EAAGoJ,EAAIC,GACxB,GAAIlJ,GAAGmJ,CAEP,IAAKF,GAAMC,EACPC,EAAMF,EAAKC,EAAK,EAAI,OAGpB,KAAMlJ,EAAImJ,EAAM,EAAOF,EAAJjJ,EAAQA,IAEvB,GAAKkH,EAAElH,IAAMH,EAAEG,GAAK,CAChBmJ,EAAMjC,EAAElH,GAAKH,EAAEG,GAAK,EAAI,EACxB,OAIZ,MAAOmJ,GAGX,QAASC,GAAUlC,EAAGrH,EAAGoJ,EAAIT,GAIzB,IAHA,GAAIxI,GAAI,EAGAiJ,KACJ/B,EAAE+B,IAAOjJ,EACTA,EAAIkH,EAAE+B,GAAMpJ,EAAEoJ,GAAM,EAAI,EACxB/B,EAAE+B,GAAMjJ,EAAIwI,EAAOtB,EAAE+B,GAAMpJ,EAAEoJ,EAIjC,OAAS/B,EAAE,IAAMA,EAAE9F,OAAS,EAAG8F,EAAEoB,OAAO,EAAG,KAI/C,MAAO,UAAWlI,EAAGqC,EAAGC,EAAIC,EAAI6F,GAC5B,GAAIW,GAAKpJ,EAAGC,EAAGqJ,EAAMzJ,EAAG0J,EAAMC,EAAOC,EAAGC,EAAIC,EAAKC,EAAMC,EAAMC,EAAIC,EAAIC,EACjEC,EAAIC,EACJ/I,EAAId,EAAEc,GAAKuB,EAAEvB,EAAI,EAAI,GACrBsB,EAAKpC,EAAEN,EACPoK,EAAKzH,EAAE3C,CAGX,MAAM0C,GAAOA,EAAG,IAAO0H,GAAOA,EAAG,IAE7B,MAAO,IAAIvK,GAGRS,EAAEc,GAAMuB,EAAEvB,IAAOsB,GAAK0H,GAAM1H,EAAG,IAAM0H,EAAG,GAAMA,GAG7C1H,GAAe,GAATA,EAAG,KAAY0H,EAAS,EAAJhJ,EAAQA,EAAI,EAHciJ,IAoB5D,KAbAX,EAAI,GAAI7J,GAAUuB,GAClBuI,EAAKD,EAAE1J,KACPC,EAAIK,EAAEL,EAAI0C,EAAE1C,EACZmB,EAAIwB,EAAK3C,EAAI,EAEPyI,IACFA,EAAOlD,EACPvF,EAAIqK,EAAUhK,EAAEL,EAAIiC,GAAaoI,EAAU3H,EAAE1C,EAAIiC,GACjDd,EAAIA,EAAIc,EAAW,GAKjBhC,EAAI,EAAGkK,EAAGlK,KAAQwC,EAAGxC,IAAM,GAAKA,KAGtC,GAFKkK,EAAGlK,IAAOwC,EAAGxC,IAAM,IAAMD,IAErB,EAAJmB,EACDuI,EAAGxH,KAAK,GACRoH,GAAO,MACJ,CAwBH,IAvBAS,EAAKtH,EAAGpB,OACR4I,EAAKE,EAAG9I,OACRpB,EAAI,EACJkB,GAAK,EAILtB,EAAIiC,EAAW2G,GAAS0B,EAAG,GAAK,IAI3BtK,EAAI,IACLsK,EAAK3B,EAAU2B,EAAItK,EAAG4I,GACtBhG,EAAK+F,EAAU/F,EAAI5C,EAAG4I,GACtBwB,EAAKE,EAAG9I,OACR0I,EAAKtH,EAAGpB,QAGZyI,EAAKG,EACLN,EAAMlH,EAAGzB,MAAO,EAAGiJ,GACnBL,EAAOD,EAAItI,OAGI4I,EAAPL,EAAWD,EAAIC,KAAU,GACjCM,EAAKC,EAAGnJ,QACRkJ,GAAM,GAAG7G,OAAO6G,GAChBF,EAAMG,EAAG,GACJA,EAAG,IAAM1B,EAAO,GAAIuB,GAIzB,GAAG,CAOC,GANAnK,EAAI,EAGJuJ,EAAMH,EAASkB,EAAIR,EAAKM,EAAIL,GAGjB,EAANR,EAAU,CAkBX,GAdAS,EAAOF,EAAI,GACNM,GAAML,IAAOC,EAAOA,EAAOpB,GAASkB,EAAI,IAAM,IAGnD9J,EAAIiC,EAAW+H,EAAOG,GAUjBnK,EAAI,EAeL,IAZIA,GAAK4I,IAAM5I,EAAI4I,EAAO,GAG1Bc,EAAOf,EAAU2B,EAAItK,EAAG4I,GACxBe,EAAQD,EAAKlI,OACbuI,EAAOD,EAAItI,OAOkC,GAArC4H,EAASM,EAAMI,EAAKH,EAAOI,IAC/B/J,IAGAwJ,EAAUE,EAAWC,EAALS,EAAaC,EAAKC,EAAIX,EAAOf,GAC7Ce,EAAQD,EAAKlI,OACb+H,EAAM,MAQA,IAALvJ,IAGDuJ,EAAMvJ,EAAI,GAId0J,EAAOY,EAAGnJ,QACVwI,EAAQD,EAAKlI,MAUjB,IAPauI,EAARJ,IAAeD,GAAQ,GAAGlG,OAAOkG,IAGtCF,EAAUM,EAAKJ,EAAMK,EAAMnB,GAC3BmB,EAAOD,EAAItI,OAGC,IAAP+H,EAMD,KAAQH,EAASkB,EAAIR,EAAKM,EAAIL,GAAS,GACnC/J,IAGAwJ,EAAUM,EAAUC,EAALK,EAAYC,EAAKC,EAAIP,EAAMnB,GAC1CmB,EAAOD,EAAItI,WAGH,KAAR+H,IACRvJ,IACA8J,GAAO,GAIXD,GAAGzJ,KAAOJ,EAGL8J,EAAI,GACLA,EAAIC,KAAUnH,EAAGqH,IAAO,GAExBH,GAAQlH,EAAGqH,IACXF,EAAO,UAEHE,IAAOC,GAAgB,MAAVJ,EAAI,KAAgBxI,IAE7CmI,GAAiB,MAAVK,EAAI,GAGLD,EAAG,IAAKA,EAAGnB,OAAO,EAAG,GAG/B,GAAKE,GAAQlD,EAAO,CAGhB,IAAMtF,EAAI,EAAGkB,EAAIuI,EAAG,GAAIvI,GAAK,GAAIA,GAAK,GAAIlB,KAC1CU,EAAO8I,EAAG9G,GAAO8G,EAAEzJ,EAAIC,EAAID,EAAIiC,EAAW,GAAM,EAAGW,EAAI0G,OAIvDG,GAAEzJ,EAAIA,EACNyJ,EAAEjH,GAAK8G,CAGX,OAAOG,OAgJfvI,EAAe,WACX,GAAIoJ,GAAa,8BACbC,EAAW,cACXC,EAAY,cACZC,EAAkB,qBAClBC,EAAmB,4BAEvB,OAAO,UAAWrK,EAAGD,EAAKF,EAAKJ,GAC3B,GAAI2I,GACAtH,EAAIjB,EAAME,EAAMA,EAAIgB,QAASsJ,EAAkB,GAGnD,IAAKD,EAAgBxJ,KAAKE,GACtBd,EAAEc,EAAIwJ,MAAMxJ,GAAK,KAAW,EAAJA,EAAQ,GAAK,MAClC,CACH,IAAMjB,IAGFiB,EAAIA,EAAEC,QAASkJ,EAAY,SAAWpG,EAAG0G,EAAIC,GAEzC,MADApC,GAAoC,MAA3BoC,EAAKA,EAAGhI,eAAyB,GAAW,KAANgI,EAAY,EAAI,EACvD/K,GAAKA,GAAK2I,EAAYvE,EAAL0G,IAGzB9K,IACA2I,EAAO3I,EAGPqB,EAAIA,EAAEC,QAASmJ,EAAU,MAAOnJ,QAASoJ,EAAW,SAGnDpK,GAAOe,GAAI,MAAO,IAAIvB,GAAWuB,EAAGsH,EAKzClI,IAAQC,EAAOE,EAAI,SAAYZ,EAAI,SAAWA,EAAI,IAAO,UAAWM,GACxEC,EAAEc,EAAI,KAGVd,EAAEN,EAAIM,EAAEL,EAAI,KACZU,EAAK,MAmNb8E,EAAEsF,cAAgBtF,EAAEuF,IAAM,WACtB,GAAI1K,GAAI,GAAIT,GAAUU,KAEtB,OADKD,GAAEc,EAAI,IAAId,EAAEc,EAAI,GACdd,GAQXmF,EAAEwF,KAAO,WACL,MAAOrK,GAAO,GAAIf,GAAUU,MAAOA,KAAKN,EAAI,EAAG,IAWnDwF,EAAEyF,WAAazF,EAAE4D,IAAM,SAAW1G,EAAG5C,GAEjC,MADAY,GAAK,EACEuI,EAAS3I,KAAM,GAAIV,GAAW8C,EAAG5C,KAQ5C0F,EAAE0F,cAAgB1F,EAAE7C,GAAK,WACrB,GAAI9C,GAAGoH,EACHlH,EAAIO,KAAKP,CAEb,KAAMA,EAAI,MAAO,KAIjB,IAHAF,IAAQoH,EAAIlH,EAAEsB,OAAS,GAAMgJ,EAAU/J,KAAKN,EAAIiC,IAAeA,EAG1DgF,EAAIlH,EAAEkH,GAAK,KAAQA,EAAI,IAAM,EAAGA,GAAK,GAAIpH,KAG9C,MAFS,GAAJA,IAAQA,EAAI,GAEVA,GAwBX2F,EAAE2F,UAAY3F,EAAEpC,IAAM,SAAWV,EAAG5C,GAEhC,MADAY,GAAK,EACE0C,EAAK9C,KAAM,GAAIV,GAAW8C,EAAG5C,GAAKc,EAAgBC,IAQ7D2E,EAAE4F,mBAAqB5F,EAAE6F,SAAW,SAAW3I,EAAG5C,GAE9C,MADAY,GAAK,EACE0C,EAAK9C,KAAM,GAAIV,GAAW8C,EAAG5C,GAAK,EAAG,IAQhD0F,EAAE8F,OAAS9F,EAAE+F,GAAK,SAAW7I,EAAG5C,GAE5B,MADAY,GAAK,EAC6C,IAA3CuI,EAAS3I,KAAM,GAAIV,GAAW8C,EAAG5C,KAQ5C0F,EAAEgG,MAAQ,WACN,MAAO7K,GAAO,GAAIf,GAAUU,MAAOA,KAAKN,EAAI,EAAG,IAQnDwF,EAAEiG,YAAcjG,EAAEuC,GAAK,SAAWrF,EAAG5C,GAEjC,MADAY,GAAK,EACEuI,EAAS3I,KAAM,GAAIV,GAAW8C,EAAG5C,IAAQ,GAQpD0F,EAAEkG,qBAAuBlG,EAAEmG,IAAM,SAAWjJ,EAAG5C,GAE3C,MADAY,GAAK,EACqD,KAAjDZ,EAAImJ,EAAS3I,KAAM,GAAIV,GAAW8C,EAAG5C,MAAuB,IAANA,GAQnE0F,EAAEoG,SAAW,WACT,QAAStL,KAAKP,GAOlByF,EAAEqG,UAAYrG,EAAEsG,MAAQ,WACpB,QAASxL,KAAKP,GAAKsK,EAAU/J,KAAKN,EAAIiC,GAAa3B,KAAKP,EAAEsB,OAAS,GAOvEmE,EAAEmF,MAAQ,WACN,OAAQrK,KAAKa,GAOjBqE,EAAEuG,WAAavG,EAAEwG,MAAQ,WACrB,MAAO1L,MAAKa,EAAI,GAOpBqE,EAAEyG,OAAS,WACP,QAAS3L,KAAKP,GAAkB,GAAbO,KAAKP,EAAE,IAQ9ByF,EAAE0G,SAAW1G,EAAEsC,GAAK,SAAWpF,EAAG5C,GAE9B,MADAY,GAAK,EACEuI,EAAS3I,KAAM,GAAIV,GAAW8C,EAAG5C,IAAQ,GAQpD0F,EAAE2G,kBAAoB3G,EAAE4G,IAAM,SAAW1J,EAAG5C,GAExC,MADAY,GAAK,EACqD,MAAjDZ,EAAImJ,EAAS3I,KAAM,GAAIV,GAAW8C,EAAG5C,MAAwB,IAANA,GAwBpE0F,EAAE6G,MAAQ7G,EAAE8G,IAAM,SAAW5J,EAAG5C,GAC5B,GAAIG,GAAG0E,EAAG4H,EAAGC,EACTnM,EAAIC,KACJ6G,EAAI9G,EAAEc,CAOV,IALAT,EAAK,GACLgC,EAAI,GAAI9C,GAAW8C,EAAG5C,GACtBA,EAAI4C,EAAEvB,GAGAgG,IAAMrH,EAAI,MAAO,IAAIF,GAAUwK,IAGrC,IAAKjD,GAAKrH,EAEN,MADA4C,GAAEvB,GAAKrB,EACAO,EAAEoM,KAAK/J,EAGlB,IAAIgK,GAAKrM,EAAEL,EAAIiC,EACX0K,EAAKjK,EAAE1C,EAAIiC,EACXQ,EAAKpC,EAAEN,EACPoK,EAAKzH,EAAE3C,CAEX,KAAM2M,IAAOC,EAAK,CAGd,IAAMlK,IAAO0H,EAAK,MAAO1H,IAAOC,EAAEvB,GAAKrB,EAAG4C,GAAM,GAAI9C,GAAWuK,EAAK9J,EAAI+J,IAGxE,KAAM3H,EAAG,KAAO0H,EAAG,GAGf,MAAOA,GAAG,IAAOzH,EAAEvB,GAAKrB,EAAG4C,GAAM,GAAI9C,GAAW6C,EAAG,GAAKpC,EAGrC,GAAjBQ,GAAsB,EAAI,GASpC,GALA6L,EAAKrC,EAASqC,GACdC,EAAKtC,EAASsC,GACdlK,EAAKA,EAAGzB,QAGHmG,EAAIuF,EAAKC,EAAK,CAaf,KAXKH,EAAW,EAAJrF,IACRA,GAAKA,EACLoF,EAAI9J,IAEJkK,EAAKD,EACLH,EAAIpC,GAGRoC,EAAEK,UAGI9M,EAAIqH,EAAGrH,IAAKyM,EAAErK,KAAK,IACzBqK,EAAEK,cAMF,KAFAjI,GAAM6H,GAASrF,EAAI1E,EAAGpB,SAAavB,EAAIqK,EAAG9I,SAAa8F,EAAIrH,EAErDqH,EAAIrH,EAAI,EAAO6E,EAAJ7E,EAAOA,IAEpB,GAAK2C,EAAG3C,IAAMqK,EAAGrK,GAAK,CAClB0M,EAAO/J,EAAG3C,GAAKqK,EAAGrK,EAClB,OAYZ,GANI0M,IAAMD,EAAI9J,EAAIA,EAAK0H,EAAIA,EAAKoC,EAAG7J,EAAEvB,GAAKuB,EAAEvB,GAE5CrB,GAAM6E,EAAIwF,EAAG9I,SAAapB,EAAIwC,EAAGpB,QAI5BvB,EAAI,EAAI,KAAQA,IAAK2C,EAAGxC,KAAO,GAIpC,IAHAH,EAAIyF,EAAO,EAGHZ,EAAIwC,GAAK,CAEb,GAAK1E,IAAKkC,GAAKwF,EAAGxF,GAAK,CACnB,IAAM1E,EAAI0E,EAAG1E,IAAMwC,IAAKxC,GAAIwC,EAAGxC,GAAKH,KAClC2C,EAAGxC,GACLwC,EAAGkC,IAAMY,EAGb9C,EAAGkC,IAAMwF,EAAGxF,GAIhB,KAAiB,GAATlC,EAAG,GAASA,EAAG8F,OAAO,EAAG,KAAMoE,GAGvC,MAAMlK,GAAG,GAWFiC,EAAWhC,EAAGD,EAAIkK,IAPrBjK,EAAEvB,EAAqB,GAAjBN,EAAqB,GAAK,EAChC6B,EAAE3C,GAAM2C,EAAE1C,EAAI,GACP0C,IA8Bf8C,EAAEqH,OAASrH,EAAEsH,IAAM,SAAWpK,EAAG5C,GAC7B,GAAI2J,GAAGtI,EACHd,EAAIC,IAMR,OAJAI,GAAK,GACLgC,EAAI,GAAI9C,GAAW8C,EAAG5C,IAGhBO,EAAEN,IAAM2C,EAAEvB,GAAKuB,EAAE3C,IAAM2C,EAAE3C,EAAE,GACtB,GAAIH,GAAUwK,MAGZ1H,EAAE3C,GAAKM,EAAEN,IAAMM,EAAEN,EAAE,GACrB,GAAIH,GAAUS,IAGL,GAAfwF,GAID1E,EAAIuB,EAAEvB,EACNuB,EAAEvB,EAAI,EACNsI,EAAIrG,EAAK/C,EAAGqC,EAAG,EAAG,GAClBA,EAAEvB,EAAIA,EACNsI,EAAEtI,GAAKA,GAEPsI,EAAIrG,EAAK/C,EAAGqC,EAAG,EAAGmD,GAGfxF,EAAEgM,MAAO5C,EAAEsD,MAAMrK,MAQ5B8C,EAAEwH,QAAUxH,EAAEyH,IAAM,WAChB,GAAI5M,GAAI,GAAIT,GAAUU,KAEtB,OADAD,GAAEc,GAAKd,EAAEc,GAAK,KACPd,GAwBXmF,EAAEiH,KAAOjH,EAAE0H,IAAM,SAAWxK,EAAG5C,GAC3B,GAAIyM,GACAlM,EAAIC,KACJ6G,EAAI9G,EAAEc,CAOV,IALAT,EAAK,GACLgC,EAAI,GAAI9C,GAAW8C,EAAG5C,GACtBA,EAAI4C,EAAEvB,GAGAgG,IAAMrH,EAAI,MAAO,IAAIF,GAAUwK,IAGpC,IAAKjD,GAAKrH,EAEP,MADA4C,GAAEvB,GAAKrB,EACAO,EAAEgM,MAAM3J,EAGnB,IAAIgK,GAAKrM,EAAEL,EAAIiC,EACX0K,EAAKjK,EAAE1C,EAAIiC,EACXQ,EAAKpC,EAAEN,EACPoK,EAAKzH,EAAE3C,CAEX,KAAM2M,IAAOC,EAAK,CAGd,IAAMlK,IAAO0H,EAAK,MAAO,IAAIvK,GAAWuH,EAAI,EAI5C,KAAM1E,EAAG,KAAO0H,EAAG,GAAK,MAAOA,GAAG,GAAKzH,EAAI,GAAI9C,GAAW6C,EAAG,GAAKpC,EAAQ,EAAJ8G,GAQ1E,GALAuF,EAAKrC,EAASqC,GACdC,EAAKtC,EAASsC,GACdlK,EAAKA,EAAGzB,QAGHmG,EAAIuF,EAAKC,EAAK,CAUf,IATKxF,EAAI,GACLwF,EAAKD,EACLH,EAAIpC,IAEJhD,GAAKA,EACLoF,EAAI9J,GAGR8J,EAAEK,UACMzF,IAAKoF,EAAErK,KAAK,IACpBqK,EAAEK,UAUN,IAPAzF,EAAI1E,EAAGpB,OACPvB,EAAIqK,EAAG9I,OAGM,EAAR8F,EAAIrH,IAAQyM,EAAIpC,EAAIA,EAAK1H,EAAIA,EAAK8J,EAAGzM,EAAIqH,GAGxCA,EAAI,EAAGrH,GACTqH,GAAM1E,IAAK3C,GAAK2C,EAAG3C,GAAKqK,EAAGrK,GAAKqH,GAAM5B,EAAO,EAC7C9C,EAAG3C,GAAKyF,IAAS9C,EAAG3C,GAAK,EAAI2C,EAAG3C,GAAKyF,CAUzC,OAPI4B,KACA1E,GAAM0E,GAAG9D,OAAOZ,KACdkK,GAKCjI,EAAWhC,EAAGD,EAAIkK,IAS7BnH,EAAE2H,UAAY3H,EAAER,GAAK,SAAUoI,GAC3B,GAAIvN,GAAGoH,EACH5G,EAAIC,KACJP,EAAIM,EAAEN,CAQV,IALU,MAALqN,GAAaA,MAAQA,GAAW,IAANA,GAAiB,IAANA,IAClC7M,GAAQC,EAAO,GAAI,WAAakH,EAAS0F,GACxCA,KAAOA,IAAIA,EAAI,QAGlBrN,EAAI,MAAO,KAIjB,IAHAkH,EAAIlH,EAAEsB,OAAS,EACfxB,EAAIoH,EAAIhF,EAAW,EAEdgF,EAAIlH,EAAEkH,GAAK,CAGZ,KAAQA,EAAI,IAAM,EAAGA,GAAK,GAAIpH,KAG9B,IAAMoH,EAAIlH,EAAE,GAAIkH,GAAK,GAAIA,GAAK,GAAIpH,MAKtC,MAFKuN,IAAK/M,EAAEL,EAAI,EAAIH,IAAIA,EAAIQ,EAAEL,EAAI,GAE3BH,GAiBX2F,EAAE7E,MAAQ,SAAWgC,EAAIC,GACrB,GAAI/C,GAAI,GAAID,GAAUU,KAOtB,QALW,MAANqC,GAAclC,EAAYkC,EAAI,EAAG6E,EAAK,MACvC7G,EAAOd,IAAK8C,EAAKrC,KAAKN,EAAI,EAAS,MAAN4C,GAC1BnC,EAAYmC,EAAI,EAAG,EAAG,GAAIe,GAAsC,EAALf,EAAhB/B,GAG3ChB,GAgBX2F,EAAE6H,MAAQ,SAAU9K,GAChB,GAAI1C,GAAIS,IACR,OAAOG,GAAY8B,GAAIV,EAAkBA,EAAkB,GAAI,YAG3DhC,EAAEkN,MAAO,KAAOtI,EAASlC,IACzB,GAAI3C,GAAWC,EAAEE,GAAKF,EAAEE,EAAE,MAAa8B,EAALU,GAAyBA,EAAIV,GAC7DhC,EAAEsB,GAAU,EAAJoB,EAAQ,EAAI,EAAI,GACxB1C,IAeV2F,EAAE8H,WAAa9H,EAAE+H,KAAO,WACpB,GAAIrJ,GAAGrE,EAAG2C,EAAGgL,EAAKjB,EACdlM,EAAIC,KACJP,EAAIM,EAAEN,EACNoB,EAAId,EAAEc,EACNnB,EAAIK,EAAEL,EACN2C,EAAK/B,EAAiB,EACtB6M,EAAO,GAAI7N,GAAU,MAGzB,IAAW,IAANuB,IAAYpB,IAAMA,EAAE,GACrB,MAAO,IAAIH,IAAYuB,GAAS,EAAJA,KAAYpB,GAAKA,EAAE,IAAOqK,IAAMrK,EAAIM,EAAI,EAAI,EA8B5E,IA1BAc,EAAIgH,KAAKoF,MAAOlN,GAIN,GAALc,GAAUA,GAAK,EAAI,GACpBtB,EAAIqD,EAAcnD,IACXF,EAAEwB,OAASrB,GAAM,GAAK,IAAIH,GAAK,KACtCsB,EAAIgH,KAAKoF,KAAK1N,GACdG,EAAIqK,GAAYrK,EAAI,GAAM,IAAY,EAAJA,GAASA,EAAI,GAE1CmB,GAAK,EAAI,EACVtB,EAAI,KAAOG,GAEXH,EAAIsB,EAAE2C,gBACNjE,EAAIA,EAAEmB,MAAO,EAAGnB,EAAE6B,QAAQ,KAAO,GAAM1B,GAG3CwC,EAAI,GAAI5C,GAAUC,IAElB2C,EAAI,GAAI5C,GAAWuB,EAAI,IAOtBqB,EAAEzC,EAAE,GAML,IALAC,EAAIwC,EAAExC,EACNmB,EAAInB,EAAI2C,EACC,EAAJxB,IAAQA,EAAI,KAOb,GAHAoL,EAAI/J,EACJA,EAAIiL,EAAKV,MAAOR,EAAEE,KAAMrJ,EAAK/C,EAAGkM,EAAG5J,EAAI,KAElCO,EAAeqJ,EAAExM,GAAMiB,MAAO,EAAGG,MAAUtB,EAC3CqD,EAAeV,EAAEzC,IAAMiB,MAAO,EAAGG,GAAM,CAWxC,GANKqB,EAAExC,EAAIA,KAAMmB,EACjBtB,EAAIA,EAAEmB,MAAOG,EAAI,EAAGA,EAAI,GAKd,QAALtB,IAAgB2N,GAAY,QAAL3N,GAgBrB,IAIIA,KAAOA,EAAEmB,MAAM,IAAqB,KAAfnB,EAAEyD,OAAO,MAGjC3C,EAAO6B,EAAGA,EAAExC,EAAIY,EAAiB,EAAG,GACpCsD,GAAK1B,EAAEuK,MAAMvK,GAAG+I,GAAGlL,GAGvB,OAvBA,IAAMmN,IACF7M,EAAO4L,EAAGA,EAAEvM,EAAIY,EAAiB,EAAG,GAE/B2L,EAAEQ,MAAMR,GAAGhB,GAAGlL,IAAK,CACpBmC,EAAI+J,CACJ,OAIR5J,GAAM,EACNxB,GAAK,EACLqM,EAAM,EAkBtB,MAAO7M,GAAO6B,EAAGA,EAAExC,EAAIY,EAAiB,EAAGC,EAAeqD,IAwB9DsB,EAAEuH,MAAQvH,EAAEkI,IAAM,SAAWhL,EAAG5C,GAC5B,GAAIC,GAAGC,EAAGC,EAAG0E,EAAGpC,EAAG2B,EAAGyJ,EAAKhF,EAAKC,EAAKgF,EAAKC,EAAKC,EAAKC,EAChDtF,EAAMuF,EACN3N,EAAIC,KACJmC,EAAKpC,EAAEN,EACPoK,GAAOzJ,EAAK,GAAIgC,EAAI,GAAI9C,GAAW8C,EAAG5C,IAAMC,CAGhD,MAAM0C,GAAO0H,GAAO1H,EAAG,IAAO0H,EAAG,IAmB7B,OAhBM9J,EAAEc,IAAMuB,EAAEvB,GAAKsB,IAAOA,EAAG,KAAO0H,GAAMA,IAAOA,EAAG,KAAO1H,EACzDC,EAAE3C,EAAI2C,EAAE1C,EAAI0C,EAAEvB,EAAI,MAElBuB,EAAEvB,GAAKd,EAAEc,EAGHsB,GAAO0H,GAKTzH,EAAE3C,GAAK,GACP2C,EAAE1C,EAAI,GALN0C,EAAE3C,EAAI2C,EAAE1C,EAAI,MASb0C,CAYX,KATA1C,EAAIqK,EAAUhK,EAAEL,EAAIiC,GAAaoI,EAAU3H,EAAE1C,EAAIiC,GACjDS,EAAEvB,GAAKd,EAAEc,EACTwM,EAAMlL,EAAGpB,OACTuM,EAAMzD,EAAG9I,OAGEuM,EAAND,IAAYI,EAAKtL,EAAIA,EAAK0H,EAAIA,EAAK4D,EAAI9N,EAAI0N,EAAKA,EAAMC,EAAKA,EAAM3N,GAGhEA,EAAI0N,EAAMC,EAAKG,KAAS9N,IAAK8N,EAAG7L,KAAK,IAK3C,IAHAuG,EAAOlD,EACPyI,EAAWjF,EAEL9I,EAAI2N,IAAO3N,GAAK,GAAK,CAKvB,IAJAF,EAAI,EACJ8N,EAAM1D,EAAGlK,GAAK+N,EACdF,EAAM3D,EAAGlK,GAAK+N,EAAW,EAEnBzL,EAAIoL,EAAKhJ,EAAI1E,EAAIsC,EAAGoC,EAAI1E,GAC1B0I,EAAMlG,IAAKF,GAAKyL,EAChBpF,EAAMnG,EAAGF,GAAKyL,EAAW,EACzB9J,EAAI4J,EAAMnF,EAAMC,EAAMiF,EACtBlF,EAAMkF,EAAMlF,EAAUzE,EAAI8J,EAAaA,EAAaD,EAAGpJ,GAAK5E,EAC5DA,GAAM4I,EAAMF,EAAO,IAAQvE,EAAI8J,EAAW,GAAMF,EAAMlF,EACtDmF,EAAGpJ,KAAOgE,EAAMF,CAGpBsF,GAAGpJ,GAAK5E,EASZ,MANIA,KACEC,EAEF+N,EAAGxF,OAAO,EAAG,GAGV7D,EAAWhC,EAAGqL,EAAI/N,IAgB7BwF,EAAEyI,SAAW,SAAWjJ,EAAIpC,GACxB,GAAI/C,GAAI,GAAID,GAAUU,KAGtB,OAFA0E,GAAW,MAANA,GAAevE,EAAYuE,EAAI,EAAGwC,EAAK,GAAI,aAA4B,EAALxC,EAAP,KAChEpC,EAAW,MAANA,GAAenC,EAAYmC,EAAI,EAAG,EAAG,GAAIe,GAAsC,EAALf,EAAhB/B,EACxDmE,EAAKrE,EAAOd,EAAGmF,EAAIpC,GAAO/C,GAgBrC2F,EAAE1B,cAAgB,SAAWnB,EAAIC,GAC7B,MAAOW,GAAQjD,KACP,MAANqC,GAAclC,EAAYkC,EAAI,EAAG6E,EAAK,MAAS7E,EAAK,EAAI,KAAMC,EAAI,KAmBxE4C,EAAE0I,QAAU,SAAWvL,EAAIC,GACvB,MAAOW,GAAQjD,KAAY,MAANqC,GAAclC,EAAYkC,EAAI,EAAG6E,EAAK,MACrD7E,EAAKrC,KAAKN,EAAI,EAAI,KAAM4C,EAAI,KA0BtC4C,EAAE2I,SAAW,SAAWxL,EAAIC,GACxB,GAAIxC,GAAMmD,EAAQjD,KAAY,MAANqC,GAAclC,EAAYkC,EAAI,EAAG6E,EAAK,MACxD7E,EAAKrC,KAAKN,EAAI,EAAI,KAAM4C,EAAI,GAElC,IAAKtC,KAAKP,EAAI,CACV,GAAIE,GACAmO,EAAMhO,EAAIiO,MAAM,KAChBC,GAAMxI,EAAOG,UACbsI,GAAMzI,EAAOI,mBACbF,EAAiBF,EAAOE,eACxBwI,EAAUJ,EAAI,GACdK,EAAeL,EAAI,GACnBpC,EAAQ1L,KAAKa,EAAI,EACjBuN,EAAY1C,EAAQwC,EAAQxN,MAAM,GAAKwN,EACvCrO,EAAMuO,EAAUrN,MAIpB,IAFIkN,IAAItO,EAAIqO,EAAIA,EAAKC,EAAIA,EAAKtO,EAAGE,GAAOF,GAEnCqO,EAAK,GAAKnO,EAAM,EAAI,CAIrB,IAHAF,EAAIE,EAAMmO,GAAMA,EAChBE,EAAUE,EAAUC,OAAQ,EAAG1O,GAEnBE,EAAJF,EAASA,GAAKqO,EAClBE,GAAWxI,EAAiB0I,EAAUC,OAAQ1O,EAAGqO,EAGhDC,GAAK,IAAIC,GAAWxI,EAAiB0I,EAAU1N,MAAMf,IACtD+L,IAAOwC,EAAU,IAAMA,GAG/BpO,EAAMqO,EACFD,EAAU1I,EAAOC,mBAAuBwI,GAAMzI,EAAOM,mBACnDqI,EAAarN,QAAS,GAAIN,QAAQ,OAASyN,EAAK,OAAQ,KACxD,KAAOzI,EAAOK,wBACdsI,GACFD,EAGR,MAAOpO,IAgBXoF,EAAEoJ,WAAa,SAAUC,GACrB,GAAIT,GAAKU,EAAIC,EAAI/O,EAAGgP,EAAKnP,EAAGoP,EAAIxF,EAAGtI,EAC/BoB,EAAIhC,EACJF,EAAIC,KACJmC,EAAKpC,EAAEN,EACPuC,EAAI,GAAI1C,GAAU8F,GAClBwJ,EAAKJ,EAAK,GAAIlP,GAAU8F,GACxByJ,EAAKF,EAAK,GAAIrP,GAAU8F,EAoB5B,IAlBW,MAANmJ,IACDtO,GAAS,EACTV,EAAI,GAAID,GAAUiP,GAClBtO,EAASgC,KAEDA,EAAI1C,EAAEiM,UAAajM,EAAEiI,GAAGpC,MAExBnF,GACAC,EAAO,GACL,oBAAuB+B,EAAI,eAAiB,kBAAoBsM,GAKtEA,GAAMtM,GAAK1C,EAAEE,GAAKY,EAAOd,EAAGA,EAAEG,EAAI,EAAG,GAAI2L,IAAIjG,GAAO7F,EAAI,QAI1D4C,EAAK,MAAOpC,GAAEuD,UAgBpB,KAfAzC,EAAI+B,EAAcT,GAIlBzC,EAAIsC,EAAEtC,EAAImB,EAAEE,OAAShB,EAAEL,EAAI,EAC3BsC,EAAEvC,EAAE,GAAKqF,GAAY4J,EAAMhP,EAAIiC,GAAa,EAAIA,EAAW+M,EAAMA,GACjEH,GAAMA,GAAMhP,EAAEuJ,IAAI9G,GAAK,EAAMtC,EAAI,EAAIsC,EAAI4M,EAAOrP,EAEhDmP,EAAMjN,EACNA,EAAU,EAAI,EACdlC,EAAI,GAAID,GAAUuB,GAGlB8N,EAAGlP,EAAE,GAAK,EAGN0J,EAAIrG,EAAKvD,EAAGyC,EAAG,EAAG,GAClByM,EAAKD,EAAGrC,KAAMhD,EAAEsD,MAAMoC,IACH,GAAdJ,EAAG3F,IAAIyF,IACZC,EAAKK,EACLA,EAAKJ,EACLG,EAAKD,EAAGxC,KAAMhD,EAAEsD,MAAOgC,EAAKG,IAC5BD,EAAKF,EACLzM,EAAIzC,EAAEwM,MAAO5C,EAAEsD,MAAOgC,EAAKzM,IAC3BzC,EAAIkP,CAgBR,OAbAA,GAAK3L,EAAKyL,EAAGxC,MAAMyC,GAAKK,EAAI,EAAG,GAC/BF,EAAKA,EAAGxC,KAAMsC,EAAGhC,MAAMmC,IACvBJ,EAAKA,EAAGrC,KAAMsC,EAAGhC,MAAMoC,IACvBF,EAAG9N,EAAI+N,EAAG/N,EAAId,EAAEc,EAChBnB,GAAK,EAGLoO,EAAMhL,EAAK8L,EAAIC,EAAInP,EAAGa,GAAgBwL,MAAMhM,GAAG0K,MAAM3B,IAC/ChG,EAAK6L,EAAIH,EAAI9O,EAAGa,GAAgBwL,MAAMhM,GAAG0K,OAAU,GAC7CmE,EAAGtL,WAAYuL,EAAGvL,aAClBqL,EAAGrL,WAAYkL,EAAGlL,YAE9B7B,EAAUiN,EACHZ,GAOX5I,EAAE4J,SAAW,WACT,OAAQ9O,MAsBZkF,EAAE6J,QAAU7J,EAAEzC,IAAM,SAAWlD,EAAGqE,GAC9B,GAAI3B,GAAGG,EAAG0K,EACNnN,EAAI6B,EAAe,EAAJjC,GAASA,GAAKA,GAC7BQ,EAAIC,IAQR,IANU,MAAL4D,IACDxD,EAAK,GACLwD,EAAI,GAAItE,GAAUsE,KAIhBzD,EAAYZ,GAAIgC,EAAkBA,EAAkB,GAAI,eACzD+J,SAAS/L,IAAMI,EAAI4B,IAAsBhC,GAAK,IAC/CyP,WAAWzP,IAAMA,KAAQA,EAAIuK,OAAgB,GAALvK,EAExC,MADA0C,GAAI4F,KAAKpF,KAAM1C,EAAGR,GACX,GAAID,GAAWsE,EAAI3B,EAAI2B,EAAI3B,EAuBtC,KApBI2B,EACKrE,EAAI,GAAKQ,EAAE0H,GAAGrC,IAAQrF,EAAEyL,SAAW5H,EAAE6D,GAAGrC,IAAQxB,EAAE4H,QACnDzL,EAAIA,EAAEyM,IAAI5I,IAEVkJ,EAAIlJ,EAGJA,EAAI,MAEDpB,IAMPP,EAAI+C,EAAUxC,EAAgBb,EAAW,IAG7CS,EAAI,GAAI9C,GAAU8F,KAEN,CACR,GAAKzF,EAAI,EAAI,CAET,GADAyC,EAAIA,EAAEqK,MAAM1M,IACNqC,EAAE3C,EAAI,KACRwC,GACKG,EAAE3C,EAAEsB,OAASkB,IAAIG,EAAE3C,EAAEsB,OAASkB,GAC5B2B,IACPxB,EAAIA,EAAEoK,IAAI5I,IAKlB,GADAjE,EAAI6B,EAAW7B,EAAI,IACbA,EAAI,KACVI,GAAIA,EAAE0M,MAAM1M,GACRkC,EACKlC,EAAEN,GAAKM,EAAEN,EAAEsB,OAASkB,IAAIlC,EAAEN,EAAEsB,OAASkB,GACnC2B,IACP7D,EAAIA,EAAEyM,IAAI5I,IAIlB,MAAIA,GAAUxB,GACL,EAAJ7C,IAAQ6C,EAAIgD,EAAItC,IAAIV,IAElB0K,EAAI1K,EAAEoK,IAAIM,GAAK7K,EAAI5B,EAAO+B,EAAGI,EAAejC,GAAkB6B,IAkBzE8C,EAAE+J,YAAc,SAAWvK,EAAIpC,GAC3B,MAAOW,GAAQjD,KAAY,MAAN0E,GAAcvE,EAAYuE,EAAI,EAAGwC,EAAK,GAAI,aACtD,EAALxC,EAAS,KAAMpC,EAAI,KAgB3B4C,EAAE5B,SAAW,SAAU9D,GACnB,GAAIM,GACAP,EAAIS,KACJa,EAAItB,EAAEsB,EACNnB,EAAIH,EAAEG,CAyBV,OAtBW,QAANA,EAEGmB,GACAf,EAAM,WACG,EAAJe,IAAQf,EAAM,IAAMA,IAEzBA,EAAM,OAGVA,EAAM8C,EAAerD,EAAEE,GAOnBK,EALM,MAALN,GAAcW,EAAYX,EAAG,EAAG,GAAI,GAAI,QAKnC0B,EAAayB,EAAc7C,EAAKJ,GAAS,EAAJF,EAAO,GAAIqB,GAJ3C0C,GAAL7D,GAAmBA,GAAK2F,EAC1B7B,EAAe1D,EAAKJ,GACpBiD,EAAc7C,EAAKJ,GAKlB,EAAJmB,GAAStB,EAAEE,EAAE,KAAKK,EAAM,IAAMA,IAGhCA,GAQXoF,EAAEgK,UAAYhK,EAAEiK,MAAQ,WACpB,MAAO9O,GAAO,GAAIf,GAAUU,MAAOA,KAAKN,EAAI,EAAG,IAQnDwF,EAAEkK,QAAUlK,EAAEmK,OAAS,WACnB,GAAIvP,GACAP,EAAIS,KACJN,EAAIH,EAAEG,CAEV,OAAW,QAANA,EAAoBH,EAAE+D,YAE3BxD,EAAM8C,EAAerD,EAAEE,GAEvBK,EAAWyD,GAAL7D,GAAmBA,GAAK2F,EACxB7B,EAAe1D,EAAKJ,GACpBiD,EAAc7C,EAAKJ,GAElBH,EAAEsB,EAAI,EAAI,IAAMf,EAAMA,IAIjCoF,EAAEoK,aAAc,EAED,MAAVjQ,GAAiBC,EAAUD,OAAOA,GAEhCC,EAOX,QAASyK,GAASxK,GACd,GAAII,GAAQ,EAAJJ,CACR,OAAOA,GAAI,GAAKA,IAAMI,EAAIA,EAAIA,EAAI,EAKtC,QAASiD,GAAciE,GAMnB,IALA,GAAIhG,GAAGiM,EACHnN,EAAI,EACJ0E,EAAIwC,EAAE9F,OACNmB,EAAI2E,EAAE,GAAK,GAEHxC,EAAJ1E,GAAS,CAGb,IAFAkB,EAAIgG,EAAElH,KAAO,GACbmN,EAAInL,EAAWd,EAAEE,OACT+L,IAAKjM,EAAI,IAAMA,GACvBqB,GAAKrB,EAIT,IAAMwD,EAAInC,EAAEnB,OAA8B,KAAtBmB,EAAEjB,aAAaoD,KACnC,MAAOnC,GAAExB,MAAO,EAAG2D,EAAI,GAAK,GAKhC,QAASsE,GAAS5I,EAAGqC,GACjB,GAAIyE,GAAGrH,EACH2C,EAAKpC,EAAEN,EACPoK,EAAKzH,EAAE3C,EACPE,EAAII,EAAEc,EACNwD,EAAIjC,EAAEvB,EACNoB,EAAIlC,EAAEL,EACN6P,EAAInN,EAAE1C,CAGV,KAAMC,IAAM0E,EAAI,MAAO,KAMvB,IAJAwC,EAAI1E,IAAOA,EAAG,GACd3C,EAAIqK,IAAOA,EAAG,GAGThD,GAAKrH,EAAI,MAAOqH,GAAIrH,EAAI,GAAK6E,EAAI1E,CAGtC,IAAKA,GAAK0E,EAAI,MAAO1E,EAMrB,IAJAkH,EAAQ,EAAJlH,EACJH,EAAIyC,GAAKsN,GAGHpN,IAAO0H,EAAK,MAAOrK,GAAI,GAAK2C,EAAK0E,EAAI,EAAI,EAG/C,KAAMrH,EAAI,MAAOyC,GAAIsN,EAAI1I,EAAI,EAAI,EAKjC,KAHAxC,GAAMpC,EAAIE,EAAGpB,SAAawO,EAAI1F,EAAG9I,QAAWkB,EAAIsN,EAG1C5P,EAAI,EAAO0E,EAAJ1E,EAAOA,IAAM,GAAKwC,EAAGxC,IAAMkK,EAAGlK,GAAK,MAAOwC,GAAGxC,GAAKkK,EAAGlK,GAAKkH,EAAI,EAAI,EAG/E,OAAO5E,IAAKsN,EAAI,EAAItN,EAAIsN,EAAI1I,EAAI,EAAI,GASxC,QAASM,GAAsB5H,EAAGyE,EAAKC,GACnC,OAAS1E,EAAI4E,EAAS5E,KAAQyE,GAAYC,GAAL1E,EAIzC,QAASsE,GAAQ2L,GACb,MAA8C,kBAAvCC,OAAOtK,UAAU7B,SAASQ,KAAK0L,GAS1C,QAAS9M,GAAW5C,EAAKgC,EAAQD,GAO7B,IANA,GAAIwC,GAEAqL,EADA5B,GAAO,GAEPnO,EAAI,EACJE,EAAMC,EAAIiB,OAEFlB,EAAJF,GAAW,CACf,IAAM+P,EAAO5B,EAAI/M,OAAQ2O,IAAQ5B,EAAI4B,IAAS5N,GAG9C,IAFAgM,EAAKzJ,EAAI,IAAO5D,EAASW,QAAStB,EAAIkD,OAAQrD,MAEtC0E,EAAIyJ,EAAI/M,OAAQsD,IAEfyJ,EAAIzJ,GAAKxC,EAAU,IACD,MAAdiM,EAAIzJ,EAAI,KAAayJ,EAAIzJ,EAAI,GAAK,GACvCyJ,EAAIzJ,EAAI,IAAMyJ,EAAIzJ,GAAKxC,EAAU,EACjCiM,EAAIzJ,IAAMxC,GAKtB,MAAOiM,GAAIxB,UAIf,QAAS9I,GAAe1D,EAAKJ,GACzB,OAASI,EAAIiB,OAAS,EAAIjB,EAAIkD,OAAO,GAAK,IAAMlD,EAAIY,MAAM,GAAKZ,IACvD,EAAJJ,EAAQ,IAAM,MAASA,EAI/B,QAASiD,GAAc7C,EAAKJ,GACxB,GAAIG,GAAKiN,CAGT,IAAS,EAAJpN,EAAQ,CAGT,IAAMoN,EAAI,OAAQpN,EAAGoN,GAAK,KAC1BhN,EAAMgN,EAAIhN,MAOV,IAHAD,EAAMC,EAAIiB,SAGHrB,EAAIG,EAAM,CACb,IAAMiN,EAAI,IAAKpN,GAAKG,IAAOH,EAAGoN,GAAK,KACnChN,GAAOgN,MACKjN,GAAJH,IACRI,EAAMA,EAAIY,MAAO,EAAGhB,GAAM,IAAMI,EAAIY,MAAMhB,GAIlD,OAAOI,GAIX,QAASqE,GAAS5E,GAEd,MADAA,GAAIyP,WAAWzP,GACJ,EAAJA,EAAQyF,EAASzF,GAAKiC,EAAUjC,GAvoF3C,GAAID,GACA6B,EAAY,uCACZ6D,EAAW6C,KAAK6C,KAChBlJ,EAAYqG,KAAKqD,MACjB9D,EAAU,iCACV/D,EAAe,gBACfrC,EAAgB,kDAChBP,EAAW,mEACXwE,EAAO,KACPtD,EAAW,GACXJ,EAAmB,iBAEnBuD,GAAY,EAAG,GAAI,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KAAM,KAAM,KAAM,MAC7E2D,EAAY,IAOZvB,EAAM,GA0nFV5H,GAAYF,IACZE,EAAU,WAAaA,EAAUA,UAAYA,EAIvB,kBAAVqQ,SAAwBA,OAAOC,IACvCD,OAAQ,WAAc,MAAOrQ,KAGJ,mBAAVuQ,SAAyBA,OAAOC,QAC/CD,OAAOC,QAAUxQ,GAIXH,IAAYA,EAA2B,mBAAR4Q,MAAsBA,KAAOC,SAAS,kBAC3E7Q,EAAUG,UAAYA,IAE3BU"}
  1 +/* bignumber.js v4.0.2 https://github.com/MikeMcl/bignumber.js/LICENCE */
  2 +!function(e){"use strict";function n(e){function a(e,n){var t,r,i,o,u,s,l=this;if(!(l instanceof a))return z&&x(26,"constructor call without new",e),new a(e,n);if(null!=n&&V(n,2,64,C,"base")){if(n=0|n,s=e+"",10==n)return l=new a(e instanceof a?e:s),I(l,B+l.e+1,P);if((o="number"==typeof e)&&0*e!=0||!new RegExp("^-?"+(t="["+v.slice(0,n)+"]+")+"(?:\\."+t+")?$",37>n?"i":"").test(s))return U(l,s,o,n);o?(l.s=0>1/e?(s=s.slice(1),-1):1,z&&s.replace(/^0\.0*|\./,"").length>15&&x(C,w,e),o=!1):l.s=45===s.charCodeAt(0)?(s=s.slice(1),-1):1,s=A(s,10,n,l.s)}else{if(e instanceof a)return l.s=e.s,l.e=e.e,l.c=(e=e.c)?e.slice():e,void(C=0);if((o="number"==typeof e)&&0*e==0){if(l.s=0>1/e?(e=-e,-1):1,e===~~e){for(r=0,i=e;i>=10;i/=10,r++);return l.e=r,l.c=[e],void(C=0)}s=e+""}else{if(!h.test(s=e+""))return U(l,s,o);l.s=45===s.charCodeAt(0)?(s=s.slice(1),-1):1}}for((r=s.indexOf("."))>-1&&(s=s.replace(".","")),(i=s.search(/e/i))>0?(0>r&&(r=i),r+=+s.slice(i+1),s=s.substring(0,i)):0>r&&(r=s.length),i=0;48===s.charCodeAt(i);i++);for(u=s.length;48===s.charCodeAt(--u););if(s=s.slice(i,u+1))if(u=s.length,o&&z&&u>15&&(e>y||e!==p(e))&&x(C,w,l.s*e),r=r-i-1,r>G)l.c=l.e=null;else if($>r)l.c=[l.e=0];else{if(l.e=r,l.c=[],i=(r+1)%b,0>r&&(i+=b),u>i){for(i&&l.c.push(+s.slice(0,i)),u-=b;u>i;)l.c.push(+s.slice(i,i+=b));s=s.slice(i),i=b-s.length}else i-=u;for(;i--;s+="0");l.c.push(+s)}else l.c=[l.e=0];C=0}function A(e,n,t,i){var o,u,l,f,h,g,p,d=e.indexOf("."),m=B,w=P;for(37>t&&(e=e.toLowerCase()),d>=0&&(l=W,W=0,e=e.replace(".",""),p=new a(t),h=p.pow(e.length-d),W=l,p.c=s(c(r(h.c),h.e),10,n),p.e=p.c.length),g=s(e,t,n),u=l=g.length;0==g[--l];g.pop());if(!g[0])return"0";if(0>d?--u:(h.c=g,h.e=u,h.s=i,h=L(h,p,m,w,n),g=h.c,f=h.r,u=h.e),o=u+m+1,d=g[o],l=n/2,f=f||0>o||null!=g[o+1],f=4>w?(null!=d||f)&&(0==w||w==(h.s<0?3:2)):d>l||d==l&&(4==w||f||6==w&&1&g[o-1]||w==(h.s<0?8:7)),1>o||!g[0])e=f?c("1",-m):"0";else{if(g.length=o,f)for(--n;++g[--o]>n;)g[o]=0,o||(++u,g=[1].concat(g));for(l=g.length;!g[--l];);for(d=0,e="";l>=d;e+=v.charAt(g[d++]));e=c(e,u)}return e}function E(e,n,t,i){var o,u,s,f,h;if(t=null!=t&&V(t,0,8,i,m)?0|t:P,!e.c)return e.toString();if(o=e.c[0],s=e.e,null==n)h=r(e.c),h=19==i||24==i&&q>=s?l(h,s):c(h,s);else if(e=I(new a(e),n,t),u=e.e,h=r(e.c),f=h.length,19==i||24==i&&(u>=n||q>=u)){for(;n>f;h+="0",f++);h=l(h,u)}else if(n-=s,h=c(h,u),u+1>f){if(--n>0)for(h+=".";n--;h+="0");}else if(n+=u-f,n>0)for(u+1==f&&(h+=".");n--;h+="0");return e.s<0&&o?"-"+h:h}function D(e,n){var t,r,i=0;for(u(e[0])&&(e=e[0]),t=new a(e[0]);++i<e.length;){if(r=new a(e[i]),!r.s){t=r;break}n.call(t,r)&&(t=r)}return t}function F(e,n,t,r,i){return(n>e||e>t||e!=f(e))&&x(r,(i||"decimal places")+(n>e||e>t?" out of range":" not an integer"),e),!0}function _(e,n,t){for(var r=1,i=n.length;!n[--i];n.pop());for(i=n[0];i>=10;i/=10,r++);return(t=r+t*b-1)>G?e.c=e.e=null:$>t?e.c=[e.e=0]:(e.e=t,e.c=n),e}function x(e,n,t){var r=new Error(["new BigNumber","cmp","config","div","divToInt","eq","gt","gte","lt","lte","minus","mod","plus","precision","random","round","shift","times","toDigits","toExponential","toFixed","toFormat","toFraction","pow","toPrecision","toString","BigNumber"][e]+"() "+n+": "+t);throw r.name="BigNumber Error",C=0,r}function I(e,n,t,r){var i,o,u,s,l,c,f,a=e.c,h=O;if(a){e:{for(i=1,s=a[0];s>=10;s/=10,i++);if(o=n-i,0>o)o+=b,u=n,l=a[c=0],f=l/h[i-u-1]%10|0;else if(c=g((o+1)/b),c>=a.length){if(!r)break e;for(;a.length<=c;a.push(0));l=f=0,i=1,o%=b,u=o-b+1}else{for(l=s=a[c],i=1;s>=10;s/=10,i++);o%=b,u=o-b+i,f=0>u?0:l/h[i-u-1]%10|0}if(r=r||0>n||null!=a[c+1]||(0>u?l:l%h[i-u-1]),r=4>t?(f||r)&&(0==t||t==(e.s<0?3:2)):f>5||5==f&&(4==t||r||6==t&&(o>0?u>0?l/h[i-u]:0:a[c-1])%10&1||t==(e.s<0?8:7)),1>n||!a[0])return a.length=0,r?(n-=e.e+1,a[0]=h[(b-n%b)%b],e.e=-n||0):a[0]=e.e=0,e;if(0==o?(a.length=c,s=1,c--):(a.length=c+1,s=h[b-o],a[c]=u>0?p(l/h[i-u]%h[u])*s:0),r)for(;;){if(0==c){for(o=1,u=a[0];u>=10;u/=10,o++);for(u=a[0]+=s,s=1;u>=10;u/=10,s++);o!=s&&(e.e++,a[0]==N&&(a[0]=1));break}if(a[c]+=s,a[c]!=N)break;a[c--]=0,s=1}for(o=a.length;0===a[--o];a.pop());}e.e>G?e.c=e.e=null:e.e<$&&(e.c=[e.e=0])}return e}var L,U,C=0,M=a.prototype,T=new a(1),B=20,P=4,q=-7,k=21,$=-1e7,G=1e7,z=!0,V=F,j=!1,H=1,W=0,J={decimalSeparator:".",groupSeparator:",",groupSize:3,secondaryGroupSize:0,fractionGroupSeparator:" ",fractionGroupSize:0};return a.another=n,a.ROUND_UP=0,a.ROUND_DOWN=1,a.ROUND_CEIL=2,a.ROUND_FLOOR=3,a.ROUND_HALF_UP=4,a.ROUND_HALF_DOWN=5,a.ROUND_HALF_EVEN=6,a.ROUND_HALF_CEIL=7,a.ROUND_HALF_FLOOR=8,a.EUCLID=9,a.config=a.set=function(){var e,n,t=0,r={},i=arguments,s=i[0],l=s&&"object"==typeof s?function(){return s.hasOwnProperty(n)?null!=(e=s[n]):void 0}:function(){return i.length>t?null!=(e=i[t++]):void 0};return l(n="DECIMAL_PLACES")&&V(e,0,S,2,n)&&(B=0|e),r[n]=B,l(n="ROUNDING_MODE")&&V(e,0,8,2,n)&&(P=0|e),r[n]=P,l(n="EXPONENTIAL_AT")&&(u(e)?V(e[0],-S,0,2,n)&&V(e[1],0,S,2,n)&&(q=0|e[0],k=0|e[1]):V(e,-S,S,2,n)&&(q=-(k=0|(0>e?-e:e)))),r[n]=[q,k],l(n="RANGE")&&(u(e)?V(e[0],-S,-1,2,n)&&V(e[1],1,S,2,n)&&($=0|e[0],G=0|e[1]):V(e,-S,S,2,n)&&(0|e?$=-(G=0|(0>e?-e:e)):z&&x(2,n+" cannot be zero",e))),r[n]=[$,G],l(n="ERRORS")&&(e===!!e||1===e||0===e?(C=0,V=(z=!!e)?F:o):z&&x(2,n+d,e)),r[n]=z,l(n="CRYPTO")&&(e===!0||e===!1||1===e||0===e?e?(e="undefined"==typeof crypto,!e&&crypto&&(crypto.getRandomValues||crypto.randomBytes)?j=!0:z?x(2,"crypto unavailable",e?void 0:crypto):j=!1):j=!1:z&&x(2,n+d,e)),r[n]=j,l(n="MODULO_MODE")&&V(e,0,9,2,n)&&(H=0|e),r[n]=H,l(n="POW_PRECISION")&&V(e,0,S,2,n)&&(W=0|e),r[n]=W,l(n="FORMAT")&&("object"==typeof e?J=e:z&&x(2,n+" not an object",e)),r[n]=J,r},a.max=function(){return D(arguments,M.lt)},a.min=function(){return D(arguments,M.gt)},a.random=function(){var e=9007199254740992,n=Math.random()*e&2097151?function(){return p(Math.random()*e)}:function(){return 8388608*(1073741824*Math.random()|0)+(8388608*Math.random()|0)};return function(e){var t,r,i,o,u,s=0,l=[],c=new a(T);if(e=null!=e&&V(e,0,S,14)?0|e:B,o=g(e/b),j)if(crypto.getRandomValues){for(t=crypto.getRandomValues(new Uint32Array(o*=2));o>s;)u=131072*t[s]+(t[s+1]>>>11),u>=9e15?(r=crypto.getRandomValues(new Uint32Array(2)),t[s]=r[0],t[s+1]=r[1]):(l.push(u%1e14),s+=2);s=o/2}else if(crypto.randomBytes){for(t=crypto.randomBytes(o*=7);o>s;)u=281474976710656*(31&t[s])+1099511627776*t[s+1]+4294967296*t[s+2]+16777216*t[s+3]+(t[s+4]<<16)+(t[s+5]<<8)+t[s+6],u>=9e15?crypto.randomBytes(7).copy(t,s):(l.push(u%1e14),s+=7);s=o/7}else j=!1,z&&x(14,"crypto unavailable",crypto);if(!j)for(;o>s;)u=n(),9e15>u&&(l[s++]=u%1e14);for(o=l[--s],e%=b,o&&e&&(u=O[b-e],l[s]=p(o/u)*u);0===l[s];l.pop(),s--);if(0>s)l=[i=0];else{for(i=-1;0===l[0];l.splice(0,1),i-=b);for(s=1,u=l[0];u>=10;u/=10,s++);b>s&&(i-=b-s)}return c.e=i,c.c=l,c}}(),L=function(){function e(e,n,t){var r,i,o,u,s=0,l=e.length,c=n%R,f=n/R|0;for(e=e.slice();l--;)o=e[l]%R,u=e[l]/R|0,r=f*o+u*c,i=c*o+r%R*R+s,s=(i/t|0)+(r/R|0)+f*u,e[l]=i%t;return s&&(e=[s].concat(e)),e}function n(e,n,t,r){var i,o;if(t!=r)o=t>r?1:-1;else for(i=o=0;t>i;i++)if(e[i]!=n[i]){o=e[i]>n[i]?1:-1;break}return o}function r(e,n,t,r){for(var i=0;t--;)e[t]-=i,i=e[t]<n[t]?1:0,e[t]=i*r+e[t]-n[t];for(;!e[0]&&e.length>1;e.splice(0,1));}return function(i,o,u,s,l){var c,f,h,g,d,m,w,v,y,O,R,S,A,E,D,F,_,x=i.s==o.s?1:-1,L=i.c,U=o.c;if(!(L&&L[0]&&U&&U[0]))return new a(i.s&&o.s&&(L?!U||L[0]!=U[0]:U)?L&&0==L[0]||!U?0*x:x/0:NaN);for(v=new a(x),y=v.c=[],f=i.e-o.e,x=u+f+1,l||(l=N,f=t(i.e/b)-t(o.e/b),x=x/b|0),h=0;U[h]==(L[h]||0);h++);if(U[h]>(L[h]||0)&&f--,0>x)y.push(1),g=!0;else{for(E=L.length,F=U.length,h=0,x+=2,d=p(l/(U[0]+1)),d>1&&(U=e(U,d,l),L=e(L,d,l),F=U.length,E=L.length),A=F,O=L.slice(0,F),R=O.length;F>R;O[R++]=0);_=U.slice(),_=[0].concat(_),D=U[0],U[1]>=l/2&&D++;do{if(d=0,c=n(U,O,F,R),0>c){if(S=O[0],F!=R&&(S=S*l+(O[1]||0)),d=p(S/D),d>1)for(d>=l&&(d=l-1),m=e(U,d,l),w=m.length,R=O.length;1==n(m,O,w,R);)d--,r(m,w>F?_:U,w,l),w=m.length,c=1;else 0==d&&(c=d=1),m=U.slice(),w=m.length;if(R>w&&(m=[0].concat(m)),r(O,m,R,l),R=O.length,-1==c)for(;n(U,O,F,R)<1;)d++,r(O,R>F?_:U,R,l),R=O.length}else 0===c&&(d++,O=[0]);y[h++]=d,O[0]?O[R++]=L[A]||0:(O=[L[A]],R=1)}while((A++<E||null!=O[0])&&x--);g=null!=O[0],y[0]||y.splice(0,1)}if(l==N){for(h=1,x=y[0];x>=10;x/=10,h++);I(v,u+(v.e=h+f*b-1)+1,s,g)}else v.e=f,v.r=+g;return v}}(),U=function(){var e=/^(-?)0([xbo])(?=\w[\w.]*$)/i,n=/^([^.]+)\.$/,t=/^\.([^.]+)$/,r=/^-?(Infinity|NaN)$/,i=/^\s*\+(?=[\w.])|^\s+|\s+$/g;return function(o,u,s,l){var c,f=s?u:u.replace(i,"");if(r.test(f))o.s=isNaN(f)?null:0>f?-1:1;else{if(!s&&(f=f.replace(e,function(e,n,t){return c="x"==(t=t.toLowerCase())?16:"b"==t?2:8,l&&l!=c?e:n}),l&&(c=l,f=f.replace(n,"$1").replace(t,"0.$1")),u!=f))return new a(f,c);z&&x(C,"not a"+(l?" base "+l:"")+" number",u),o.s=null}o.c=o.e=null,C=0}}(),M.absoluteValue=M.abs=function(){var e=new a(this);return e.s<0&&(e.s=1),e},M.ceil=function(){return I(new a(this),this.e+1,2)},M.comparedTo=M.cmp=function(e,n){return C=1,i(this,new a(e,n))},M.decimalPlaces=M.dp=function(){var e,n,r=this.c;if(!r)return null;if(e=((n=r.length-1)-t(this.e/b))*b,n=r[n])for(;n%10==0;n/=10,e--);return 0>e&&(e=0),e},M.dividedBy=M.div=function(e,n){return C=3,L(this,new a(e,n),B,P)},M.dividedToIntegerBy=M.divToInt=function(e,n){return C=4,L(this,new a(e,n),0,1)},M.equals=M.eq=function(e,n){return C=5,0===i(this,new a(e,n))},M.floor=function(){return I(new a(this),this.e+1,3)},M.greaterThan=M.gt=function(e,n){return C=6,i(this,new a(e,n))>0},M.greaterThanOrEqualTo=M.gte=function(e,n){return C=7,1===(n=i(this,new a(e,n)))||0===n},M.isFinite=function(){return!!this.c},M.isInteger=M.isInt=function(){return!!this.c&&t(this.e/b)>this.c.length-2},M.isNaN=function(){return!this.s},M.isNegative=M.isNeg=function(){return this.s<0},M.isZero=function(){return!!this.c&&0==this.c[0]},M.lessThan=M.lt=function(e,n){return C=8,i(this,new a(e,n))<0},M.lessThanOrEqualTo=M.lte=function(e,n){return C=9,-1===(n=i(this,new a(e,n)))||0===n},M.minus=M.sub=function(e,n){var r,i,o,u,s=this,l=s.s;if(C=10,e=new a(e,n),n=e.s,!l||!n)return new a(NaN);if(l!=n)return e.s=-n,s.plus(e);var c=s.e/b,f=e.e/b,h=s.c,g=e.c;if(!c||!f){if(!h||!g)return h?(e.s=-n,e):new a(g?s:NaN);if(!h[0]||!g[0])return g[0]?(e.s=-n,e):new a(h[0]?s:3==P?-0:0)}if(c=t(c),f=t(f),h=h.slice(),l=c-f){for((u=0>l)?(l=-l,o=h):(f=c,o=g),o.reverse(),n=l;n--;o.push(0));o.reverse()}else for(i=(u=(l=h.length)<(n=g.length))?l:n,l=n=0;i>n;n++)if(h[n]!=g[n]){u=h[n]<g[n];break}if(u&&(o=h,h=g,g=o,e.s=-e.s),n=(i=g.length)-(r=h.length),n>0)for(;n--;h[r++]=0);for(n=N-1;i>l;){if(h[--i]<g[i]){for(r=i;r&&!h[--r];h[r]=n);--h[r],h[i]+=N}h[i]-=g[i]}for(;0==h[0];h.splice(0,1),--f);return h[0]?_(e,h,f):(e.s=3==P?-1:1,e.c=[e.e=0],e)},M.modulo=M.mod=function(e,n){var t,r,i=this;return C=11,e=new a(e,n),!i.c||!e.s||e.c&&!e.c[0]?new a(NaN):!e.c||i.c&&!i.c[0]?new a(i):(9==H?(r=e.s,e.s=1,t=L(i,e,0,3),e.s=r,t.s*=r):t=L(i,e,0,H),i.minus(t.times(e)))},M.negated=M.neg=function(){var e=new a(this);return e.s=-e.s||null,e},M.plus=M.add=function(e,n){var r,i=this,o=i.s;if(C=12,e=new a(e,n),n=e.s,!o||!n)return new a(NaN);if(o!=n)return e.s=-n,i.minus(e);var u=i.e/b,s=e.e/b,l=i.c,c=e.c;if(!u||!s){if(!l||!c)return new a(o/0);if(!l[0]||!c[0])return c[0]?e:new a(l[0]?i:0*o)}if(u=t(u),s=t(s),l=l.slice(),o=u-s){for(o>0?(s=u,r=c):(o=-o,r=l),r.reverse();o--;r.push(0));r.reverse()}for(o=l.length,n=c.length,0>o-n&&(r=c,c=l,l=r,n=o),o=0;n;)o=(l[--n]=l[n]+c[n]+o)/N|0,l[n]=N===l[n]?0:l[n]%N;return o&&(l=[o].concat(l),++s),_(e,l,s)},M.precision=M.sd=function(e){var n,t,r=this,i=r.c;if(null!=e&&e!==!!e&&1!==e&&0!==e&&(z&&x(13,"argument"+d,e),e!=!!e&&(e=null)),!i)return null;if(t=i.length-1,n=t*b+1,t=i[t]){for(;t%10==0;t/=10,n--);for(t=i[0];t>=10;t/=10,n++);}return e&&r.e+1>n&&(n=r.e+1),n},M.round=function(e,n){var t=new a(this);return(null==e||V(e,0,S,15))&&I(t,~~e+this.e+1,null!=n&&V(n,0,8,15,m)?0|n:P),t},M.shift=function(e){var n=this;return V(e,-y,y,16,"argument")?n.times("1e"+f(e)):new a(n.c&&n.c[0]&&(-y>e||e>y)?n.s*(0>e?0:1/0):n)},M.squareRoot=M.sqrt=function(){var e,n,i,o,u,s=this,l=s.c,c=s.s,f=s.e,h=B+4,g=new a("0.5");if(1!==c||!l||!l[0])return new a(!c||0>c&&(!l||l[0])?NaN:l?s:1/0);if(c=Math.sqrt(+s),0==c||c==1/0?(n=r(l),(n.length+f)%2==0&&(n+="0"),c=Math.sqrt(n),f=t((f+1)/2)-(0>f||f%2),c==1/0?n="1e"+f:(n=c.toExponential(),n=n.slice(0,n.indexOf("e")+1)+f),i=new a(n)):i=new a(c+""),i.c[0])for(f=i.e,c=f+h,3>c&&(c=0);;)if(u=i,i=g.times(u.plus(L(s,u,h,1))),r(u.c).slice(0,c)===(n=r(i.c)).slice(0,c)){if(i.e<f&&--c,n=n.slice(c-3,c+1),"9999"!=n&&(o||"4999"!=n)){(!+n||!+n.slice(1)&&"5"==n.charAt(0))&&(I(i,i.e+B+2,1),e=!i.times(i).eq(s));break}if(!o&&(I(u,u.e+B+2,0),u.times(u).eq(s))){i=u;break}h+=4,c+=4,o=1}return I(i,i.e+B+1,P,e)},M.times=M.mul=function(e,n){var r,i,o,u,s,l,c,f,h,g,p,d,m,w,v,y=this,O=y.c,S=(C=17,e=new a(e,n)).c;if(!(O&&S&&O[0]&&S[0]))return!y.s||!e.s||O&&!O[0]&&!S||S&&!S[0]&&!O?e.c=e.e=e.s=null:(e.s*=y.s,O&&S?(e.c=[0],e.e=0):e.c=e.e=null),e;for(i=t(y.e/b)+t(e.e/b),e.s*=y.s,c=O.length,g=S.length,g>c&&(m=O,O=S,S=m,o=c,c=g,g=o),o=c+g,m=[];o--;m.push(0));for(w=N,v=R,o=g;--o>=0;){for(r=0,p=S[o]%v,d=S[o]/v|0,s=c,u=o+s;u>o;)f=O[--s]%v,h=O[s]/v|0,l=d*f+h*p,f=p*f+l%v*v+m[u]+r,r=(f/w|0)+(l/v|0)+d*h,m[u--]=f%w;m[u]=r}return r?++i:m.splice(0,1),_(e,m,i)},M.toDigits=function(e,n){var t=new a(this);return e=null!=e&&V(e,1,S,18,"precision")?0|e:null,n=null!=n&&V(n,0,8,18,m)?0|n:P,e?I(t,e,n):t},M.toExponential=function(e,n){return E(this,null!=e&&V(e,0,S,19)?~~e+1:null,n,19)},M.toFixed=function(e,n){return E(this,null!=e&&V(e,0,S,20)?~~e+this.e+1:null,n,20)},M.toFormat=function(e,n){var t=E(this,null!=e&&V(e,0,S,21)?~~e+this.e+1:null,n,21);if(this.c){var r,i=t.split("."),o=+J.groupSize,u=+J.secondaryGroupSize,s=J.groupSeparator,l=i[0],c=i[1],f=this.s<0,a=f?l.slice(1):l,h=a.length;if(u&&(r=o,o=u,u=r,h-=r),o>0&&h>0){for(r=h%o||o,l=a.substr(0,r);h>r;r+=o)l+=s+a.substr(r,o);u>0&&(l+=s+a.slice(r)),f&&(l="-"+l)}t=c?l+J.decimalSeparator+((u=+J.fractionGroupSize)?c.replace(new RegExp("\\d{"+u+"}\\B","g"),"$&"+J.fractionGroupSeparator):c):l}return t},M.toFraction=function(e){var n,t,i,o,u,s,l,c,f,h=z,g=this,p=g.c,d=new a(T),m=t=new a(T),w=l=new a(T);if(null!=e&&(z=!1,s=new a(e),z=h,(!(h=s.isInt())||s.lt(T))&&(z&&x(22,"max denominator "+(h?"out of range":"not an integer"),e),e=!h&&s.c&&I(s,s.e+1,1).gte(T)?s:null)),!p)return g.toString();for(f=r(p),o=d.e=f.length-g.e-1,d.c[0]=O[(u=o%b)<0?b+u:u],e=!e||s.cmp(d)>0?o>0?d:m:s,u=G,G=1/0,s=new a(f),l.c[0]=0;c=L(s,d,0,1),i=t.plus(c.times(w)),1!=i.cmp(e);)t=w,w=i,m=l.plus(c.times(i=m)),l=i,d=s.minus(c.times(i=d)),s=i;return i=L(e.minus(t),w,0,1),l=l.plus(i.times(m)),t=t.plus(i.times(w)),l.s=m.s=g.s,o*=2,n=L(m,w,o,P).minus(g).abs().cmp(L(l,t,o,P).minus(g).abs())<1?[m.toString(),w.toString()]:[l.toString(),t.toString()],G=u,n},M.toNumber=function(){return+this},M.toPower=M.pow=function(e,n){var t,r,i,o=p(0>e?-e:+e),u=this;if(null!=n&&(C=23,n=new a(n)),!V(e,-y,y,23,"exponent")&&(!isFinite(e)||o>y&&(e/=0)||parseFloat(e)!=e&&!(e=NaN))||0==e)return t=Math.pow(+u,e),new a(n?t%n:t);for(n?e>1&&u.gt(T)&&u.isInt()&&n.gt(T)&&n.isInt()?u=u.mod(n):(i=n,n=null):W&&(t=g(W/b+2)),r=new a(T);;){if(o%2){if(r=r.times(u),!r.c)break;t?r.c.length>t&&(r.c.length=t):n&&(r=r.mod(n))}if(o=p(o/2),!o)break;u=u.times(u),t?u.c&&u.c.length>t&&(u.c.length=t):n&&(u=u.mod(n))}return n?r:(0>e&&(r=T.div(r)),i?r.mod(i):t?I(r,W,P):r)},M.toPrecision=function(e,n){return E(this,null!=e&&V(e,1,S,24,"precision")?0|e:null,n,24)},M.toString=function(e){var n,t=this,i=t.s,o=t.e;return null===o?i?(n="Infinity",0>i&&(n="-"+n)):n="NaN":(n=r(t.c),n=null!=e&&V(e,2,64,25,"base")?A(c(n,o),0|e,10,i):q>=o||o>=k?l(n,o):c(n,o),0>i&&t.c[0]&&(n="-"+n)),n},M.truncated=M.trunc=function(){return I(new a(this),this.e+1,1)},M.valueOf=M.toJSON=function(){var e,n=this,t=n.e;return null===t?n.toString():(e=r(n.c),e=q>=t||t>=k?l(e,t):c(e,t),n.s<0?"-"+e:e)},M.isBigNumber=!0,null!=e&&a.config(e),a}function t(e){var n=0|e;return e>0||e===n?n:n-1}function r(e){for(var n,t,r=1,i=e.length,o=e[0]+"";i>r;){for(n=e[r++]+"",t=b-n.length;t--;n="0"+n);o+=n}for(i=o.length;48===o.charCodeAt(--i););return o.slice(0,i+1||1)}function i(e,n){var t,r,i=e.c,o=n.c,u=e.s,s=n.s,l=e.e,c=n.e;if(!u||!s)return null;if(t=i&&!i[0],r=o&&!o[0],t||r)return t?r?0:-s:u;if(u!=s)return u;if(t=0>u,r=l==c,!i||!o)return r?0:!i^t?1:-1;if(!r)return l>c^t?1:-1;for(s=(l=i.length)<(c=o.length)?l:c,u=0;s>u;u++)if(i[u]!=o[u])return i[u]>o[u]^t?1:-1;return l==c?0:l>c^t?1:-1}function o(e,n,t){return(e=f(e))>=n&&t>=e}function u(e){return"[object Array]"==Object.prototype.toString.call(e)}function s(e,n,t){for(var r,i,o=[0],u=0,s=e.length;s>u;){for(i=o.length;i--;o[i]*=n);for(o[r=0]+=v.indexOf(e.charAt(u++));r<o.length;r++)o[r]>t-1&&(null==o[r+1]&&(o[r+1]=0),o[r+1]+=o[r]/t|0,o[r]%=t)}return o.reverse()}function l(e,n){return(e.length>1?e.charAt(0)+"."+e.slice(1):e)+(0>n?"e":"e+")+n}function c(e,n){var t,r;if(0>n){for(r="0.";++n;r+="0");e=r+e}else if(t=e.length,++n>t){for(r="0",n-=t;--n;r+="0");e+=r}else t>n&&(e=e.slice(0,n)+"."+e.slice(n));return e}function f(e){return e=parseFloat(e),0>e?g(e):p(e)}var a,h=/^-?(\d+(\.\d*)?|\.\d+)(e[+-]?\d+)?$/i,g=Math.ceil,p=Math.floor,d=" not a boolean or binary digit",m="rounding mode",w="number type has more than 15 significant digits",v="0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ$_",N=1e14,b=14,y=9007199254740991,O=[1,10,100,1e3,1e4,1e5,1e6,1e7,1e8,1e9,1e10,1e11,1e12,1e13],R=1e7,S=1e9;a=n(),a["default"]=a.BigNumber=a,"function"==typeof define&&define.amd?define(function(){return a}):"undefined"!=typeof module&&module.exports?module.exports=a:(e||(e="undefined"!=typeof self?self:Function("return this")()),e.BigNumber=a)}(this);
  3 +//# sourceMappingURL=bignumber.js.map
  1 +{
  2 + "name": "bignumber.js",
  3 + "main": "bignumber.js",
  4 + "version": "4.0.2",
  5 + "homepage": "https://github.com/MikeMcl/bignumber.js",
  6 + "authors": [
  7 + "Michael Mclaughlin <M8ch88l@gmail.com>"
  8 + ],
  9 + "description": "A library for arbitrary-precision decimal and non-decimal arithmetic",
  10 + "moduleType": [
  11 + "amd",
  12 + "globals",
  13 + "node"
  14 + ],
  15 + "keywords": [
  16 + "arbitrary",
  17 + "precision",
  18 + "arithmetic",
  19 + "big",
  20 + "number",
  21 + "decimal",
  22 + "float",
  23 + "biginteger",
  24 + "bigdecimal",
  25 + "bignumber",
  26 + "bigint",
  27 + "bignum"
  28 + ],
  29 + "license": "MIT",
  30 + "ignore": [
  31 + ".*",
  32 + "*.json",
  33 + "test"
  34 + ]
  35 +}
  36 +
  1 +<!DOCTYPE HTML>
  2 +<html>
  3 +<head>
  4 +<meta charset="utf-8">
  5 +<meta http-equiv="X-UA-Compatible" content="IE=edge">
  6 +<meta name="Author" content="M Mclaughlin">
  7 +<title>bignumber.js API</title>
  8 +<style>
  9 +html{font-size:100%}
  10 +body{background:#fff;font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:13px;
  11 + line-height:1.65em;min-height:100%;margin:0}
  12 +body,i{color:#000}
  13 +.nav{background:#fff;position:fixed;top:0;bottom:0;left:0;width:200px;overflow-y:auto;
  14 + padding:15px 0 30px 15px}
  15 +div.container{width:600px;margin:50px 0 50px 240px}
  16 +p{margin:0 0 1em;width:600px}
  17 +pre,ul{margin:1em 0}
  18 +h1,h2,h3,h4,h5{margin:0;padding:1.5em 0 0}
  19 +h1,h2{padding:.75em 0}
  20 +!h1{font:400 3em Consolas,monaco,monospace;color:#000;margin-bottom:1em}
  21 +h1{font:400 3em Verdana,sans-serif;color:#000;margin-bottom:1em}
  22 +h2{font-size:2.25em;color:#ff2a00}
  23 +h3{font-size:1.75em;color:#4dc71f}
  24 +h4{font-size:1.75em;color:#ff2a00;padding-bottom:.75em}
  25 +h5{font-size:1.2em;margin-bottom:.4em}
  26 +h6{font-size:1.1em;margin-bottom:0.8em;padding:0.5em 0}
  27 +dd{padding-top:.35em}
  28 +dt{padding-top:.5em}
  29 +b{font-weight:700}
  30 +dt b{font-size:1.3em}
  31 +a,a:visited{color:#ff2a00;text-decoration:none}
  32 +a:active,a:hover{outline:0;text-decoration:underline}
  33 +.nav a,.nav b,.nav a:visited{display:block;color:#ff2a00;font-weight:700; margin-top:15px}
  34 +.nav b{color:#4dc71f;margin-top:20px;cursor:default;width:auto}
  35 +ul{list-style-type:none;padding:0 0 0 20px}
  36 +.nav ul{line-height:14px;padding-left:0;margin:5px 0 0}
  37 +.nav ul a,.nav ul a:visited,span{display:inline;color:#000;font-family:Verdana,Geneva,sans-serif;
  38 + font-size:11px;font-weight:400;margin:0}
  39 +.inset,ul.inset{margin-left:20px}
  40 +.inset{font-size:.9em}
  41 +.nav li{width:auto;margin:0 0 3px}
  42 +.alias{font-style:italic;margin-left:20px}
  43 +table{border-collapse:collapse;border-spacing:0;border:2px solid #a7dbd8;margin:1.75em 0;padding:0}
  44 +td,th{text-align:left;margin:0;padding:2px 5px;border:1px dotted #a7dbd8}
  45 +th{border-top:2px solid #a7dbd8;border-bottom:2px solid #a7dbd8;color:#ff2a00}
  46 +code,pre{font-family:Consolas, monaco, monospace;font-weight:400}
  47 +pre{background:#f5f5f5;white-space:pre-wrap;word-wrap:break-word;border-left:5px solid #abef98;
  48 + padding:1px 0 1px 15px;margin:1.2em 0}
  49 +code,.nav-title{color:#ff2a00}
  50 +.end{margin-bottom:25px}
  51 +.centre{text-align:center}
  52 +.error-table{font-size:13px;width:100%}
  53 +#faq{margin:3em 0 0}
  54 +li span{float:right;margin-right:10px;color:#c0c0c0}
  55 +#js{font:inherit;color:#4dc71f}
  56 +</style>
  57 +</head>
  58 +<body>
  59 +
  60 + <div class="nav">
  61 +
  62 + <a class='nav-title' href="#">API</a>
  63 +
  64 + <b> CONSTRUCTOR </b>
  65 + <ul>
  66 + <li><a href="#bignumber">BigNumber</a></li>
  67 + </ul>
  68 +
  69 + <a href="#methods">Methods</a>
  70 + <ul>
  71 + <li><a href="#another">another</a></li>
  72 + <li><a href="#config" >config</a></li>
  73 + <li>
  74 + <ul class="inset">
  75 + <li><a href="#decimal-places">DECIMAL_PLACES</a></li>
  76 + <li><a href="#rounding-mode" >ROUNDING_MODE</a></li>
  77 + <li><a href="#exponential-at">EXPONENTIAL_AT</a></li>
  78 + <li><a href="#range" >RANGE</a></li>
  79 + <li><a href="#errors" >ERRORS</a></li>
  80 + <li><a href="#crypto" >CRYPTO</a></li>
  81 + <li><a href="#modulo-mode" >MODULO_MODE</a></li>
  82 + <li><a href="#pow-precision" >POW_PRECISION</a></li>
  83 + <li><a href="#format" >FORMAT</a></li>
  84 + </ul>
  85 + </li>
  86 + <li><a href="#max" >max</a></li>
  87 + <li><a href="#min" >min</a></li>
  88 + <li><a href="#random">random</a></li>
  89 + </ul>
  90 +
  91 + <a href="#constructor-properties">Properties</a>
  92 + <ul>
  93 + <li><a href="#round-up" >ROUND_UP</a></li>
  94 + <li><a href="#round-down" >ROUND_DOWN</a></li>
  95 + <li><a href="#round-ceil" >ROUND_CEIL</a></li>
  96 + <li><a href="#round-floor" >ROUND_FLOOR</a></li>
  97 + <li><a href="#round-half-up" >ROUND_HALF_UP</a></li>
  98 + <li><a href="#round-half-down" >ROUND_HALF_DOWN</a></li>
  99 + <li><a href="#round-half-even" >ROUND_HALF_EVEN</a></li>
  100 + <li><a href="#round-half-ceil" >ROUND_HALF_CEIL</a></li>
  101 + <li><a href="#round-half-floor">ROUND_HALF_FLOOR</a></li>
  102 + </ul>
  103 +
  104 + <b> INSTANCE </b>
  105 +
  106 + <a href="#prototype-methods">Methods</a>
  107 + <ul>
  108 + <li><a href="#abs" >absoluteValue </a><span>abs</span> </li>
  109 + <li><a href="#ceil" >ceil </a> </li>
  110 + <li><a href="#cmp" >comparedTo </a><span>cmp</span> </li>
  111 + <li><a href="#dp" >decimalPlaces </a><span>dp</span> </li>
  112 + <li><a href="#div" >dividedBy </a><span>div</span> </li>
  113 + <li><a href="#divInt" >dividedToIntegerBy </a><span>divToInt</span></li>
  114 + <li><a href="#eq" >equals </a><span>eq</span> </li>
  115 + <li><a href="#floor" >floor </a> </li>
  116 + <li><a href="#gt" >greaterThan </a><span>gt</span> </li>
  117 + <li><a href="#gte" >greaterThanOrEqualTo</a><span>gte</span> </li>
  118 + <li><a href="#isF" >isFinite </a> </li>
  119 + <li><a href="#isInt" >isInteger </a><span>isInt</span> </li>
  120 + <li><a href="#isNaN" >isNaN </a> </li>
  121 + <li><a href="#isNeg" >isNegative </a><span>isNeg</span> </li>
  122 + <li><a href="#isZ" >isZero </a> </li>
  123 + <li><a href="#lt" >lessThan </a><span>lt</span> </li>
  124 + <li><a href="#lte" >lessThanOrEqualTo </a><span>lte</span> </li>
  125 + <li><a href="#minus" >minus </a><span>sub</span> </li>
  126 + <li><a href="#mod" >modulo </a><span>mod</span> </li>
  127 + <li><a href="#neg" >negated </a><span>neg</span> </li>
  128 + <li><a href="#plus" >plus </a><span>add</span> </li>
  129 + <li><a href="#sd" >precision </a><span>sd</span> </li>
  130 + <li><a href="#round" >round </a> </li>
  131 + <li><a href="#shift" >shift </a> </li>
  132 + <li><a href="#sqrt" >squareRoot </a><span>sqrt</span> </li>
  133 + <li><a href="#times" >times </a><span>mul</span> </li>
  134 + <li><a href="#toD" >toDigits </a> </li>
  135 + <li><a href="#toE" >toExponential </a> </li>
  136 + <li><a href="#toFix" >toFixed </a> </li>
  137 + <li><a href="#toFor" >toFormat </a> </li>
  138 + <li><a href="#toFr" >toFraction </a> </li>
  139 + <li><a href="#toJSON" >toJSON </a> </li>
  140 + <li><a href="#toN" >toNumber </a> </li>
  141 + <li><a href="#pow" >toPower </a><span>pow</span> </li>
  142 + <li><a href="#toP" >toPrecision </a> </li>
  143 + <li><a href="#toS" >toString </a> </li>
  144 + <li><a href="#trunc" >truncated </a><span>trunc</span> </li>
  145 + <li><a href="#valueOf">valueOf </a> </li>
  146 + </ul>
  147 +
  148 + <a href="#instance-properties">Properties</a>
  149 + <ul>
  150 + <li><a href="#coefficient">c: coefficient</a></li>
  151 + <li><a href="#exponent" >e: exponent</a></li>
  152 + <li><a href="#sign" >s: sign</a></li>
  153 + <li><a href="#isbig" >isBigNumber</a></li>
  154 + </ul>
  155 +
  156 + <a href="#zero-nan-infinity">Zero, NaN &amp; Infinity</a>
  157 + <a href="#Errors">Errors</a>
  158 + <a class='end' href="#faq">FAQ</a>
  159 +
  160 + </div>
  161 +
  162 + <div class="container">
  163 +
  164 + <h1>bignumber<span id='js'>.js</span></h1>
  165 +
  166 + <p>A JavaScript library for arbitrary-precision arithmetic.</p>
  167 + <p><a href="https://github.com/MikeMcl/bignumber.js">Hosted on GitHub</a>. </p>
  168 +
  169 + <h2>API</h2>
  170 +
  171 + <p>
  172 + See the <a href='https://github.com/MikeMcl/bignumber.js'>README</a> on GitHub for a
  173 + quick-start introduction.
  174 + </p>
  175 + <p>
  176 + In all examples below, <code>var</code> and semicolons are not shown, and if a commented-out
  177 + value is in quotes it means <code>toString</code> has been called on the preceding expression.
  178 + </p>
  179 +
  180 +
  181 + <h3>CONSTRUCTOR</h3>
  182 +
  183 + <h5 id="bignumber">
  184 + BigNumber<code class='inset'>BigNumber(value [, base]) <i>&rArr; BigNumber</i></code>
  185 + </h5>
  186 + <dl>
  187 + <dt><code>value</code></dt>
  188 + <dd>
  189 + <i>number|string|BigNumber</i>: see <a href='#range'>RANGE</a> for
  190 + range.
  191 + </dd>
  192 + <dd>
  193 + A numeric value.
  194 + </dd>
  195 + <dd>
  196 + Legitimate values include &plusmn;<code>0</code>, &plusmn;<code>Infinity</code> and
  197 + <code>NaN</code>.
  198 + </dd>
  199 + <dd>
  200 + Values of type <em>number</em> with more than <code>15</code> significant digits are
  201 + considered invalid (if <a href='#errors'><code>ERRORS</code></a> is true) as calling
  202 + <code><a href='#toS'>toString</a></code> or <code><a href='#valueOf'>valueOf</a></code> on
  203 + such numbers may not result in the intended value.
  204 + <pre>console.log( 823456789123456.3 ); // 823456789123456.2</pre>
  205 + </dd>
  206 + <dd>
  207 + There is no limit to the number of digits of a value of type <em>string</em> (other than
  208 + that of JavaScript's maximum array size).
  209 + </dd>
  210 + <dd>
  211 + Decimal string values may be in exponential, as well as normal (fixed-point) notation.
  212 + Non-decimal values must be in normal notation.
  213 + </dd>
  214 + <dd>
  215 + String values in hexadecimal literal form, e.g. <code>'0xff'</code>, are valid, as are
  216 + string values with the octal and binary prefixs <code>'0o'</code> and <code>'0b'</code>.
  217 + String values in octal literal form without the prefix will be interpreted as
  218 + decimals, e.g. <code>'011'</code> is interpreted as 11, not 9.
  219 + </dd>
  220 + <dd>Values in any base may have fraction digits.</dd>
  221 + <dd>
  222 + For bases from <code>10</code> to <code>36</code>, lower and/or upper case letters can be
  223 + used to represent values from <code>10</code> to <code>35</code>.
  224 + </dd>
  225 + <dd>
  226 + For bases above 36, <code>a-z</code> represents values from <code>10</code> to
  227 + <code>35</code>, <code>A-Z</code> from <code>36</code> to <code>61</code>, and
  228 + <code>$</code> and <code>_</code> represent <code>62</code> and <code>63</code> respectively
  229 + <i>(this can be changed by editing the <code>ALPHABET</code> variable near the top of the
  230 + source file)</i>.
  231 + </dd>
  232 + </dl>
  233 + <dl>
  234 + <dt><code>base</code></dt>
  235 + <dd>
  236 + <i>number</i>: integer, <code>2</code> to <code>64</code> inclusive
  237 + </dd>
  238 + <dd>The base of <code>value</code>.</dd>
  239 + <dd>
  240 + If <code>base</code> is omitted, or is <code>null</code> or <code>undefined</code>, base
  241 + <code>10</code> is assumed.
  242 + </dd>
  243 + </dl>
  244 + <br />
  245 + <p>Returns a new instance of a BigNumber object.</p>
  246 + <p>
  247 + If a base is specified, the value is rounded according to
  248 + the current <a href='#decimal-places'><code>DECIMAL_PLACES</code></a> and
  249 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> configuration.
  250 + </p>
  251 + <p>
  252 + See <a href='#Errors'>Errors</a> for the treatment of an invalid <code>value</code> or
  253 + <code>base</code>.
  254 + </p>
  255 + <pre>
  256 +x = new BigNumber(9) // '9'
  257 +y = new BigNumber(x) // '9'
  258 +
  259 +// 'new' is optional if ERRORS is false
  260 +BigNumber(435.345) // '435.345'
  261 +
  262 +new BigNumber('5032485723458348569331745.33434346346912144534543')
  263 +new BigNumber('4.321e+4') // '43210'
  264 +new BigNumber('-735.0918e-430') // '-7.350918e-428'
  265 +new BigNumber(Infinity) // 'Infinity'
  266 +new BigNumber(NaN) // 'NaN'
  267 +new BigNumber('.5') // '0.5'
  268 +new BigNumber('+2') // '2'
  269 +new BigNumber(-10110100.1, 2) // '-180.5'
  270 +new BigNumber(-0b10110100.1) // '-180.5'
  271 +new BigNumber('123412421.234324', 5) // '607236.557696'
  272 +new BigNumber('ff.8', 16) // '255.5'
  273 +new BigNumber('0xff.8') // '255.5'</pre>
  274 + <p>
  275 + The following throws <code>'not a base 2 number'</code> if
  276 + <a href='#errors'><code>ERRORS</code></a> is true, otherwise it returns a BigNumber with value
  277 + <code>NaN</code>.
  278 + </p>
  279 + <pre>new BigNumber(9, 2)</pre>
  280 + <p>
  281 + The following throws <code>'number type has more than 15 significant digits'</code> if
  282 + <a href='#errors'><code>ERRORS</code></a> is true, otherwise it returns a BigNumber with value
  283 + <code>96517860459076820</code>.
  284 + </p>
  285 + <pre>new BigNumber(96517860459076817.4395)</pre>
  286 + <p>
  287 + The following throws <code>'not a number'</code> if <a href='#errors'><code>ERRORS</code></a>
  288 + is true, otherwise it returns a BigNumber with value <code>NaN</code>.
  289 + </p>
  290 + <pre>new BigNumber('blurgh')</pre>
  291 + <p>
  292 + A value is only rounded by the constructor if a base is specified.
  293 + </p>
  294 + <pre>BigNumber.config({ DECIMAL_PLACES: 5 })
  295 +new BigNumber(1.23456789) // '1.23456789'
  296 +new BigNumber(1.23456789, 10) // '1.23457'</pre>
  297 +
  298 +
  299 +
  300 + <h4 id="methods">Methods</h4>
  301 + <p>The static methods of a BigNumber constructor.</p>
  302 +
  303 +
  304 +
  305 +
  306 + <h5 id="another">
  307 + another<code class='inset'>.another([obj]) <i>&rArr; BigNumber constructor</i></code>
  308 + </h5>
  309 + <p><code>obj</code>: <i>object</i></p>
  310 + <p>
  311 + Returns a new independent BigNumber constructor with configuration as described by
  312 + <code>obj</code> (see <a href='#config'><code>config</code></a>), or with the default
  313 + configuration if <code>obj</code> is <code>null</code> or <code>undefined</code>.
  314 + </p>
  315 + <pre>BigNumber.config({ DECIMAL_PLACES: 5 })
  316 +BN = BigNumber.another({ DECIMAL_PLACES: 9 })
  317 +
  318 +x = new BigNumber(1)
  319 +y = new BN(1)
  320 +
  321 +x.div(3) // 0.33333
  322 +y.div(3) // 0.333333333
  323 +
  324 +// BN = BigNumber.another({ DECIMAL_PLACES: 9 }) is equivalent to:
  325 +BN = BigNumber.another()
  326 +BN.config({ DECIMAL_PLACES: 9 })</pre>
  327 +
  328 +
  329 +
  330 + <h5 id="config">config<code class='inset'>set([obj]) <i>&rArr; object</i></code></h5>
  331 + <p>
  332 + <code>obj</code>: <i>object</i>: an object that contains some or all of the following
  333 + properties.
  334 + </p>
  335 + <p>Configures the settings for this particular BigNumber constructor.</p>
  336 + <p><i>Note: the configuration can also be supplied as an argument list, see below.</i></p>
  337 + <dl class='inset'>
  338 + <dt id="decimal-places"><code><b>DECIMAL_PLACES</b></code></dt>
  339 + <dd>
  340 + <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive<br />
  341 + Default value: <code>20</code>
  342 + </dd>
  343 + <dd>
  344 + The <u>maximum</u> number of decimal places of the results of operations involving
  345 + division, i.e. division, square root and base conversion operations, and power
  346 + operations with negative exponents.<br />
  347 + </dd>
  348 + <dd>
  349 + <pre>BigNumber.config({ DECIMAL_PLACES: 5 })
  350 +BigNumber.set({ DECIMAL_PLACES: 5 }) // equivalent
  351 +BigNumber.config(5) // equivalent</pre>
  352 + </dd>
  353 +
  354 +
  355 +
  356 + <dt id="rounding-mode"><code><b>ROUNDING_MODE</b></code></dt>
  357 + <dd>
  358 + <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive<br />
  359 + Default value: <code>4</code> <a href="#round-half-up">(<code>ROUND_HALF_UP</code>)</a>
  360 + </dd>
  361 + <dd>
  362 + The rounding mode used in the above operations and the default rounding mode of
  363 + <a href='#round'><code>round</code></a>,
  364 + <a href='#toE'><code>toExponential</code></a>,
  365 + <a href='#toFix'><code>toFixed</code></a>,
  366 + <a href='#toFor'><code>toFormat</code></a> and
  367 + <a href='#toP'><code>toPrecision</code></a>.
  368 + </dd>
  369 + <dd>The modes are available as enumerated properties of the BigNumber constructor.</dd>
  370 + <dd>
  371 + <pre>BigNumber.config({ ROUNDING_MODE: 0 })
  372 +BigNumber.config(null, BigNumber.ROUND_UP) // equivalent</pre>
  373 + </dd>
  374 +
  375 +
  376 +
  377 + <dt id="exponential-at"><code><b>EXPONENTIAL_AT</b></code></dt>
  378 + <dd>
  379 + <i>number</i>: integer, magnitude <code>0</code> to <code>1e+9</code> inclusive, or
  380 + <br />
  381 + <i>number</i>[]: [ integer <code>-1e+9</code> to <code>0</code> inclusive, integer
  382 + <code>0</code> to <code>1e+9</code> inclusive ]<br />
  383 + Default value: <code>[-7, 20]</code>
  384 + </dd>
  385 + <dd>
  386 + The exponent value(s) at which <code>toString</code> returns exponential notation.
  387 + </dd>
  388 + <dd>
  389 + If a single number is assigned, the value is the exponent magnitude.<br />
  390 + If an array of two numbers is assigned then the first number is the negative exponent
  391 + value at and beneath which exponential notation is used, and the second number is the
  392 + positive exponent value at and above which the same.
  393 + </dd>
  394 + <dd>
  395 + For example, to emulate JavaScript numbers in terms of the exponent values at which they
  396 + begin to use exponential notation, use <code>[-7, 20]</code>.
  397 + </dd>
  398 + <dd>
  399 + <pre>BigNumber.config({ EXPONENTIAL_AT: 2 })
  400 +new BigNumber(12.3) // '12.3' e is only 1
  401 +new BigNumber(123) // '1.23e+2'
  402 +new BigNumber(0.123) // '0.123' e is only -1
  403 +new BigNumber(0.0123) // '1.23e-2'
  404 +
  405 +BigNumber.config({ EXPONENTIAL_AT: [-7, 20] })
  406 +new BigNumber(123456789) // '123456789' e is only 8
  407 +new BigNumber(0.000000123) // '1.23e-7'
  408 +
  409 +// Almost never return exponential notation:
  410 +BigNumber.config({ EXPONENTIAL_AT: 1e+9 })
  411 +
  412 +// Always return exponential notation:
  413 +BigNumber.config({ EXPONENTIAL_AT: 0 })</pre>
  414 + </dd>
  415 + <dd>
  416 + Regardless of the value of <code>EXPONENTIAL_AT</code>, the <code>toFixed</code> method
  417 + will always return a value in normal notation and the <code>toExponential</code> method
  418 + will always return a value in exponential form.
  419 + </dd>
  420 + <dd>
  421 + Calling <code>toString</code> with a base argument, e.g. <code>toString(10)</code>, will
  422 + also always return normal notation.
  423 + </dd>
  424 +
  425 +
  426 +
  427 + <dt id="range"><code><b>RANGE</b></code></dt>
  428 + <dd>
  429 + <i>number</i>: integer, magnitude <code>1</code> to <code>1e+9</code> inclusive, or
  430 + <br />
  431 + <i>number</i>[]: [ integer <code>-1e+9</code> to <code>-1</code> inclusive, integer
  432 + <code>1</code> to <code>1e+9</code> inclusive ]<br />
  433 + Default value: <code>[-1e+9, 1e+9]</code>
  434 + </dd>
  435 + <dd>
  436 + The exponent value(s) beyond which overflow to <code>Infinity</code> and underflow to
  437 + zero occurs.
  438 + </dd>
  439 + <dd>
  440 + If a single number is assigned, it is the maximum exponent magnitude: values wth a
  441 + positive exponent of greater magnitude become <code>Infinity</code> and those with a
  442 + negative exponent of greater magnitude become zero.
  443 + <dd>
  444 + If an array of two numbers is assigned then the first number is the negative exponent
  445 + limit and the second number is the positive exponent limit.
  446 + </dd>
  447 + <dd>
  448 + For example, to emulate JavaScript numbers in terms of the exponent values at which they
  449 + become zero and <code>Infinity</code>, use <code>[-324, 308]</code>.
  450 + </dd>
  451 + <dd>
  452 + <pre>BigNumber.config({ RANGE: 500 })
  453 +BigNumber.config().RANGE // [ -500, 500 ]
  454 +new BigNumber('9.999e499') // '9.999e+499'
  455 +new BigNumber('1e500') // 'Infinity'
  456 +new BigNumber('1e-499') // '1e-499'
  457 +new BigNumber('1e-500') // '0'
  458 +
  459 +BigNumber.config({ RANGE: [-3, 4] })
  460 +new BigNumber(99999) // '99999' e is only 4
  461 +new BigNumber(100000) // 'Infinity' e is 5
  462 +new BigNumber(0.001) // '0.01' e is only -3
  463 +new BigNumber(0.0001) // '0' e is -4</pre>
  464 + </dd>
  465 + <dd>
  466 + The largest possible magnitude of a finite BigNumber is
  467 + <code>9.999...e+1000000000</code>.<br />
  468 + The smallest possible magnitude of a non-zero BigNumber is <code>1e-1000000000</code>.
  469 + </dd>
  470 +
  471 +
  472 +
  473 + <dt id="errors"><code><b>ERRORS</b></code></dt>
  474 + <dd>
  475 + <i>boolean|number</i>: <code>true</code>, <code>false</code>, <code>0</code> or
  476 + <code>1</code>.<br />
  477 + Default value: <code>true</code>
  478 + </dd>
  479 + <dd>
  480 + The value that determines whether BigNumber Errors are thrown.<br />
  481 + If <code>ERRORS</code> is false, no errors will be thrown.
  482 + </dd>
  483 + <dd>See <a href='#Errors'>Errors</a>.</dd>
  484 + <dd><pre>BigNumber.config({ ERRORS: false })</pre></dd>
  485 +
  486 +
  487 +
  488 + <dt id="crypto"><code><b>CRYPTO</b></code></dt>
  489 + <dd>
  490 + <i>boolean|number</i>: <code>true</code>, <code>false</code>, <code>0</code> or
  491 + <code>1</code>.<br />
  492 + Default value: <code>false</code>
  493 + </dd>
  494 + <dd>
  495 + The value that determines whether cryptographically-secure pseudo-random number
  496 + generation is used.
  497 + </dd>
  498 + <dd>
  499 + If <code>CRYPTO</code> is set to <code>true</code> then the
  500 + <a href='#random'><code>random</code></a> method will generate random digits using
  501 + <code>crypto.getRandomValues</code> in browsers that support it, or
  502 + <code>crypto.randomBytes</code> if using a version of Node.js that supports it.
  503 + </dd>
  504 + <dd>
  505 + If neither function is supported by the host environment then attempting to set
  506 + <code>CRYPTO</code> to <code>true</code> will fail, and if <code>ERRORS</code>
  507 + is <code>true</code> an exception will be thrown.
  508 + </dd>
  509 + <dd>
  510 + If <code>CRYPTO</code> is <code>false</code> then the source of randomness used will be
  511 + <code>Math.random</code> (which is assumed to generate at least <code>30</code> bits of
  512 + randomness).
  513 + </dd>
  514 + <dd>See <a href='#random'><code>random</code></a>.</dd>
  515 + <dd>
  516 + <pre>BigNumber.config({ CRYPTO: true })
  517 +BigNumber.config().CRYPTO // true
  518 +BigNumber.random() // 0.54340758610486147524</pre>
  519 + </dd>
  520 +
  521 +
  522 +
  523 + <dt id="modulo-mode"><code><b>MODULO_MODE</b></code></dt>
  524 + <dd>
  525 + <i>number</i>: integer, <code>0</code> to <code>9</code> inclusive<br />
  526 + Default value: <code>1</code> (<a href="#round-down"><code>ROUND_DOWN</code></a>)
  527 + </dd>
  528 + <dd>The modulo mode used when calculating the modulus: <code>a mod n</code>.</dd>
  529 + <dd>
  530 + The quotient, <code>q = a / n</code>, is calculated according to the
  531 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> that corresponds to the chosen
  532 + <code>MODULO_MODE</code>.
  533 + </dd>
  534 + <dd>The remainder, <code>r</code>, is calculated as: <code>r = a - n * q</code>.</dd>
  535 + <dd>
  536 + The modes that are most commonly used for the modulus/remainder operation are shown in
  537 + the following table. Although the other rounding modes can be used, they may not give
  538 + useful results.
  539 + </dd>
  540 + <dd>
  541 + <table>
  542 + <tr><th>Property</th><th>Value</th><th>Description</th></tr>
  543 + <tr>
  544 + <td><b>ROUND_UP</b></td><td class='centre'>0</td>
  545 + <td>
  546 + The remainder is positive if the dividend is negative, otherwise it is negative.
  547 + </td>
  548 + </tr>
  549 + <tr>
  550 + <td><b>ROUND_DOWN</b></td><td class='centre'>1</td>
  551 + <td>
  552 + The remainder has the same sign as the dividend.<br />
  553 + This uses 'truncating division' and matches the behaviour of JavaScript's
  554 + remainder operator <code>%</code>.
  555 + </td>
  556 + </tr>
  557 + <tr>
  558 + <td><b>ROUND_FLOOR</b></td><td class='centre'>3</td>
  559 + <td>
  560 + The remainder has the same sign as the divisor.<br />
  561 + This matches Python's <code>%</code> operator.
  562 + </td>
  563 + </tr>
  564 + <tr>
  565 + <td><b>ROUND_HALF_EVEN</b></td><td class='centre'>6</td>
  566 + <td>The <i>IEEE 754</i> remainder function.</td>
  567 + </tr>
  568 + <tr>
  569 + <td><b>EUCLID</b></td><td class='centre'>9</td>
  570 + <td>
  571 + The remainder is always positive. Euclidian division: <br />
  572 + <code>q = sign(n) * floor(a / abs(n))</code>
  573 + </td>
  574 + </tr>
  575 + </table>
  576 + </dd>
  577 + <dd>
  578 + The rounding/modulo modes are available as enumerated properties of the BigNumber
  579 + constructor.
  580 + </dd>
  581 + <dd>See <a href='#mod'><code>modulo</code></a>.</dd>
  582 + <dd>
  583 + <pre>BigNumber.config({ MODULO_MODE: BigNumber.EUCLID })
  584 +BigNumber.config({ MODULO_MODE: 9 }) // equivalent</pre>
  585 + </dd>
  586 +
  587 +
  588 +
  589 + <dt id="pow-precision"><code><b>POW_PRECISION</b></code></dt>
  590 + <dd>
  591 + <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive.<br />
  592 + Default value: <code>0</code>
  593 + </dd>
  594 + <dd>
  595 + The <i>maximum</i> number of significant digits of the result of the power operation
  596 + (unless a modulus is specified).
  597 + </dd>
  598 + <dd>If set to <code>0</code>, the number of signifcant digits will not be limited.</dd>
  599 + <dd>See <a href='#pow'><code>toPower</code></a>.</dd>
  600 + <dd><pre>BigNumber.config({ POW_PRECISION: 100 })</pre></dd>
  601 +
  602 +
  603 +
  604 + <dt id="format"><code><b>FORMAT</b></code></dt>
  605 + <dd><i>object</i></dd>
  606 + <dd>
  607 + The <code>FORMAT</code> object configures the format of the string returned by the
  608 + <a href='#toFor'><code>toFormat</code></a> method.
  609 + </dd>
  610 + <dd>
  611 + The example below shows the properties of the <code>FORMAT</code> object that are
  612 + recognised, and their default values.
  613 + </dd>
  614 + <dd>
  615 + Unlike the other configuration properties, the values of the properties of the
  616 + <code>FORMAT</code> object will not be checked for validity. The existing
  617 + <code>FORMAT</code> object will simply be replaced by the object that is passed in.
  618 + Note that all the properties shown below do not have to be included.
  619 + </dd>
  620 + <dd>See <a href='#toFor'><code>toFormat</code></a> for examples of usage.</dd>
  621 + <dd>
  622 + <pre>
  623 +BigNumber.config({
  624 + FORMAT: {
  625 + // the decimal separator
  626 + decimalSeparator: '.',
  627 + // the grouping separator of the integer part
  628 + groupSeparator: ',',
  629 + // the primary grouping size of the integer part
  630 + groupSize: 3,
  631 + // the secondary grouping size of the integer part
  632 + secondaryGroupSize: 0,
  633 + // the grouping separator of the fraction part
  634 + fractionGroupSeparator: ' ',
  635 + // the grouping size of the fraction part
  636 + fractionGroupSize: 0
  637 + }
  638 +});</pre>
  639 + </dd>
  640 + </dl>
  641 + <br />
  642 + <p>Returns an object with the above properties and their current values.</p>
  643 + <p>
  644 + If the value to be assigned to any of the above properties is <code>null</code> or
  645 + <code>undefined</code> it is ignored.
  646 + </p>
  647 + <p>See <a href='#Errors'>Errors</a> for the treatment of invalid values.</p>
  648 + <pre>
  649 +BigNumber.config({
  650 + DECIMAL_PLACES: 40,
  651 + ROUNDING_MODE: BigNumber.ROUND_HALF_CEIL,
  652 + EXPONENTIAL_AT: [-10, 20],
  653 + RANGE: [-500, 500],
  654 + ERRORS: true,
  655 + CRYPTO: true,
  656 + MODULO_MODE: BigNumber.ROUND_FLOOR,
  657 + POW_PRECISION: 80,
  658 + FORMAT: {
  659 + groupSize: 3,
  660 + groupSeparator: ' ',
  661 + decimalSeparator: ','
  662 + }
  663 +});
  664 +
  665 +// Alternatively but equivalently (excluding FORMAT):
  666 +BigNumber.config( 40, 7, [-10, 20], 500, 1, 1, 3, 80 )
  667 +
  668 +obj = BigNumber.config();
  669 +obj.ERRORS // true
  670 +obj.RANGE // [-500, 500]</pre>
  671 +
  672 +
  673 +
  674 + <h5 id="max">
  675 + max<code class='inset'>.max([arg1 [, arg2, ...]]) <i>&rArr; BigNumber</i></code>
  676 + </h5>
  677 + <p>
  678 + <code>arg1</code>, <code>arg2</code>, ...: <i>number|string|BigNumber</i><br />
  679 + <i>See <code><a href="#bignumber">BigNumber</a></code> for further parameter details.</i>
  680 + </p>
  681 + <p>
  682 + Returns a BigNumber whose value is the maximum of <code>arg1</code>,
  683 + <code>arg2</code>,... .
  684 + </p>
  685 + <p>The argument to this method can also be an array of values.</p>
  686 + <p>The return value is always exact and unrounded.</p>
  687 + <pre>x = new BigNumber('3257869345.0378653')
  688 +BigNumber.max(4e9, x, '123456789.9') // '4000000000'
  689 +
  690 +arr = [12, '13', new BigNumber(14)]
  691 +BigNumber.max(arr) // '14'</pre>
  692 +
  693 +
  694 +
  695 + <h5 id="min">
  696 + min<code class='inset'>.min([arg1 [, arg2, ...]]) <i>&rArr; BigNumber</i></code>
  697 + </h5>
  698 + <p>
  699 + <code>arg1</code>, <code>arg2</code>, ...: <i>number|string|BigNumber</i><br />
  700 + <i>See <code><a href="#bignumber">BigNumber</a></code> for further parameter details.</i>
  701 + </p>
  702 + <p>
  703 + Returns a BigNumber whose value is the minimum of <code>arg1</code>,
  704 + <code>arg2</code>,... .
  705 + </p>
  706 + <p>The argument to this method can also be an array of values.</p>
  707 + <p>The return value is always exact and unrounded.</p>
  708 + <pre>x = new BigNumber('3257869345.0378653')
  709 +BigNumber.min(4e9, x, '123456789.9') // '123456789.9'
  710 +
  711 +arr = [2, new BigNumber(-14), '-15.9999', -12]
  712 +BigNumber.min(arr) // '-15.9999'</pre>
  713 +
  714 +
  715 +
  716 + <h5 id="random">
  717 + random<code class='inset'>.random([dp]) <i>&rArr; BigNumber</i></code>
  718 + </h5>
  719 + <p><code>dp</code>: <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive</p>
  720 + <p>
  721 + Returns a new BigNumber with a pseudo-random value equal to or greater than <code>0</code> and
  722 + less than <code>1</code>.
  723 + </p>
  724 + <p>
  725 + The return value will have <code>dp</code> decimal places (or less if trailing zeros are
  726 + produced).<br />
  727 + If <code>dp</code> is omitted then the number of decimal places will default to the current
  728 + <a href='#decimal-places'><code>DECIMAL_PLACES</code></a> setting.
  729 + </p>
  730 + <p>
  731 + Depending on the value of this BigNumber constructor's
  732 + <a href='#crypto'><code>CRYPTO</code></a> setting and the support for the
  733 + <code>crypto</code> object in the host environment, the random digits of the return value are
  734 + generated by either <code>Math.random</code> (fastest), <code>crypto.getRandomValues</code>
  735 + (Web Cryptography API in recent browsers) or <code>crypto.randomBytes</code> (Node.js).
  736 + </p>
  737 + <p>
  738 + If <a href='#crypto'><code>CRYPTO</code></a> is <code>true</code>, i.e. one of the
  739 + <code>crypto</code> methods is to be used, the value of a returned BigNumber should be
  740 + cryptographically-secure and statistically indistinguishable from a random value.
  741 + </p>
  742 + <pre>BigNumber.config({ DECIMAL_PLACES: 10 })
  743 +BigNumber.random() // '0.4117936847'
  744 +BigNumber.random(20) // '0.78193327636914089009'</pre>
  745 +
  746 +
  747 +
  748 + <h4 id="constructor-properties">Properties</h4>
  749 + <p>
  750 + The library's enumerated rounding modes are stored as properties of the constructor.<br />
  751 + (They are not referenced internally by the library itself.)
  752 + </p>
  753 + <p>
  754 + Rounding modes <code>0</code> to <code>6</code> (inclusive) are the same as those of Java's
  755 + BigDecimal class.
  756 + </p>
  757 + <table>
  758 + <tr>
  759 + <th>Property</th>
  760 + <th>Value</th>
  761 + <th>Description</th>
  762 + </tr>
  763 + <tr>
  764 + <td id="round-up"><b>ROUND_UP</b></td>
  765 + <td class='centre'>0</td>
  766 + <td>Rounds away from zero</td>
  767 + </tr>
  768 + <tr>
  769 + <td id="round-down"><b>ROUND_DOWN</b></td>
  770 + <td class='centre'>1</td>
  771 + <td>Rounds towards zero</td>
  772 + </tr>
  773 + <tr>
  774 + <td id="round-ceil"><b>ROUND_CEIL</b></td>
  775 + <td class='centre'>2</td>
  776 + <td>Rounds towards <code>Infinity</code></td>
  777 + </tr>
  778 + <tr>
  779 + <td id="round-floor"><b>ROUND_FLOOR</b></td>
  780 + <td class='centre'>3</td>
  781 + <td>Rounds towards <code>-Infinity</code></td>
  782 + </tr>
  783 + <tr>
  784 + <td id="round-half-up"><b>ROUND_HALF_UP</b></td>
  785 + <td class='centre'>4</td>
  786 + <td>
  787 + Rounds towards nearest neighbour.<br />
  788 + If equidistant, rounds away from zero
  789 + </td>
  790 + </tr>
  791 + <tr>
  792 + <td id="round-half-down"><b>ROUND_HALF_DOWN</b></td>
  793 + <td class='centre'>5</td>
  794 + <td>
  795 + Rounds towards nearest neighbour.<br />
  796 + If equidistant, rounds towards zero
  797 + </td>
  798 + </tr>
  799 + <tr>
  800 + <td id="round-half-even"><b>ROUND_HALF_EVEN</b></td>
  801 + <td class='centre'>6</td>
  802 + <td>
  803 + Rounds towards nearest neighbour.<br />
  804 + If equidistant, rounds towards even neighbour
  805 + </td>
  806 + </tr>
  807 + <tr>
  808 + <td id="round-half-ceil"><b>ROUND_HALF_CEIL</b></td>
  809 + <td class='centre'>7</td>
  810 + <td>
  811 + Rounds towards nearest neighbour.<br />
  812 + If equidistant, rounds towards <code>Infinity</code>
  813 + </td>
  814 + </tr>
  815 + <tr>
  816 + <td id="round-half-floor"><b>ROUND_HALF_FLOOR</b></td>
  817 + <td class='centre'>8</td>
  818 + <td>
  819 + Rounds towards nearest neighbour.<br />
  820 + If equidistant, rounds towards <code>-Infinity</code>
  821 + </td>
  822 + </tr>
  823 + </table>
  824 + <pre>
  825 +BigNumber.config({ ROUNDING_MODE: BigNumber.ROUND_CEIL })
  826 +BigNumber.config({ ROUNDING_MODE: 2 }) // equivalent</pre>
  827 +
  828 +
  829 + <h3>INSTANCE</h3>
  830 +
  831 + <h4 id="prototype-methods">Methods</h4>
  832 + <p>The methods inherited by a BigNumber instance from its constructor's prototype object.</p>
  833 + <p>A BigNumber is immutable in the sense that it is not changed by its methods. </p>
  834 + <p>
  835 + The treatment of &plusmn;<code>0</code>, &plusmn;<code>Infinity</code> and <code>NaN</code> is
  836 + consistent with how JavaScript treats these values.
  837 + </p>
  838 + <p>
  839 + Many method names have a shorter alias.<br />
  840 + (Internally, the library always uses the shorter method names.)
  841 + </p>
  842 +
  843 +
  844 +
  845 + <h5 id="abs">absoluteValue<code class='inset'>.abs() <i>&rArr; BigNumber</i></code></h5>
  846 + <p>
  847 + Returns a BigNumber whose value is the absolute value, i.e. the magnitude, of the value of
  848 + this BigNumber.
  849 + </p>
  850 + <p>The return value is always exact and unrounded.</p>
  851 + <pre>
  852 +x = new BigNumber(-0.8)
  853 +y = x.absoluteValue() // '0.8'
  854 +z = y.abs() // '0.8'</pre>
  855 +
  856 +
  857 +
  858 + <h5 id="ceil">ceil<code class='inset'>.ceil() <i>&rArr; BigNumber</i></code></h5>
  859 + <p>
  860 + Returns a BigNumber whose value is the value of this BigNumber rounded to
  861 + a whole number in the direction of positive <code>Infinity</code>.
  862 + </p>
  863 + <pre>
  864 +x = new BigNumber(1.3)
  865 +x.ceil() // '2'
  866 +y = new BigNumber(-1.8)
  867 +y.ceil() // '-1'</pre>
  868 +
  869 +
  870 +
  871 + <h5 id="cmp">comparedTo<code class='inset'>.cmp(n [, base]) <i>&rArr; number</i></code></h5>
  872 + <p>
  873 + <code>n</code>: <i>number|string|BigNumber</i><br />
  874 + <code>base</code>: <i>number</i><br />
  875 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  876 + </p>
  877 + <table>
  878 + <tr><th>Returns</th><th>&nbsp;</th></tr>
  879 + <tr>
  880 + <td class='centre'><code>1</code></td>
  881 + <td>If the value of this BigNumber is greater than the value of <code>n</code></td>
  882 + </tr>
  883 + <tr>
  884 + <td class='centre'><code>-1</code></td>
  885 + <td>If the value of this BigNumber is less than the value of <code>n</code></td>
  886 + </tr>
  887 + <tr>
  888 + <td class='centre'><code>0</code></td>
  889 + <td>If this BigNumber and <code>n</code> have the same value</td>
  890 + </tr>
  891 + <tr>
  892 + <td class='centre'><code>null</code></td>
  893 + <td>If the value of either this BigNumber or <code>n</code> is <code>NaN</code></td>
  894 + </tr>
  895 + </table>
  896 + <pre>
  897 +x = new BigNumber(Infinity)
  898 +y = new BigNumber(5)
  899 +x.comparedTo(y) // 1
  900 +x.comparedTo(x.minus(1)) // 0
  901 +y.cmp(NaN) // null
  902 +y.cmp('110', 2) // -1</pre>
  903 +
  904 +
  905 +
  906 + <h5 id="dp">decimalPlaces<code class='inset'>.dp() <i>&rArr; number</i></code></h5>
  907 + <p>
  908 + Return the number of decimal places of the value of this BigNumber, or <code>null</code> if
  909 + the value of this BigNumber is &plusmn;<code>Infinity</code> or <code>NaN</code>.
  910 + </p>
  911 + <pre>
  912 +x = new BigNumber(123.45)
  913 +x.decimalPlaces() // 2
  914 +y = new BigNumber('9.9e-101')
  915 +y.dp() // 102</pre>
  916 +
  917 +
  918 +
  919 + <h5 id="div">dividedBy<code class='inset'>.div(n [, base]) <i>&rArr; BigNumber</i></code>
  920 + </h5>
  921 + <p>
  922 + <code>n</code>: <i>number|string|BigNumber</i><br />
  923 + <code>base</code>: <i>number</i><br />
  924 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  925 + </p>
  926 + <p>
  927 + Returns a BigNumber whose value is the value of this BigNumber divided by
  928 + <code>n</code>, rounded according to the current
  929 + <a href='#decimal-places'><code>DECIMAL_PLACES</code></a> and
  930 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> configuration.
  931 + </p>
  932 + <pre>
  933 +x = new BigNumber(355)
  934 +y = new BigNumber(113)
  935 +x.dividedBy(y) // '3.14159292035398230088'
  936 +x.div(5) // '71'
  937 +x.div(47, 16) // '5'</pre>
  938 +
  939 +
  940 +
  941 + <h5 id="divInt">
  942 + dividedToIntegerBy<code class='inset'>.divToInt(n [, base]) &rArr;
  943 + <i>BigNumber</i></code>
  944 + </h5>
  945 + <p>
  946 + <code>n</code>: <i>number|string|BigNumber</i><br />
  947 + <code>base</code>: <i>number</i><br />
  948 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  949 + </p>
  950 + <p>
  951 + Return a BigNumber whose value is the integer part of dividing the value of this BigNumber by
  952 + <code>n</code>.
  953 + </p>
  954 + <pre>
  955 +x = new BigNumber(5)
  956 +y = new BigNumber(3)
  957 +x.dividedToIntegerBy(y) // '1'
  958 +x.divToInt(0.7) // '7'
  959 +x.divToInt('0.f', 16) // '5'</pre>
  960 +
  961 +
  962 +
  963 + <h5 id="eq">equals<code class='inset'>.eq(n [, base]) <i>&rArr; boolean</i></code></h5>
  964 + <p>
  965 + <code>n</code>: <i>number|string|BigNumber</i><br />
  966 + <code>base</code>: <i>number</i><br />
  967 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  968 + </p>
  969 + <p>
  970 + Returns <code>true</code> if the value of this BigNumber equals the value of <code>n</code>,
  971 + otherwise returns <code>false</code>.<br />
  972 + As with JavaScript, <code>NaN</code> does not equal <code>NaN</code>.
  973 + </p>
  974 + <p>Note: This method uses the <a href='#cmp'><code>comparedTo</code></a> method internally.</p>
  975 + <pre>
  976 +0 === 1e-324 // true
  977 +x = new BigNumber(0)
  978 +x.equals('1e-324') // false
  979 +BigNumber(-0).eq(x) // true ( -0 === 0 )
  980 +BigNumber(255).eq('ff', 16) // true
  981 +
  982 +y = new BigNumber(NaN)
  983 +y.equals(NaN) // false</pre>
  984 +
  985 +
  986 +
  987 + <h5 id="floor">floor<code class='inset'>.floor() <i>&rArr; BigNumber</i></code></h5>
  988 + <p>
  989 + Returns a BigNumber whose value is the value of this BigNumber rounded to a whole number in
  990 + the direction of negative <code>Infinity</code>.
  991 + </p>
  992 + <pre>
  993 +x = new BigNumber(1.8)
  994 +x.floor() // '1'
  995 +y = new BigNumber(-1.3)
  996 +y.floor() // '-2'</pre>
  997 +
  998 +
  999 +
  1000 + <h5 id="gt">greaterThan<code class='inset'>.gt(n [, base]) <i>&rArr; boolean</i></code></h5>
  1001 + <p>
  1002 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1003 + <code>base</code>: <i>number</i><br />
  1004 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1005 + </p>
  1006 + <p>
  1007 + Returns <code>true</code> if the value of this BigNumber is greater than the value of
  1008 + <code>n</code>, otherwise returns <code>false</code>.
  1009 + </p>
  1010 + <p>Note: This method uses the <a href='#cmp'><code>comparedTo</code></a> method internally.</p>
  1011 + <pre>
  1012 +0.1 &gt; (0.3 - 0.2) // true
  1013 +x = new BigNumber(0.1)
  1014 +x.greaterThan(BigNumber(0.3).minus(0.2)) // false
  1015 +BigNumber(0).gt(x) // false
  1016 +BigNumber(11, 3).gt(11.1, 2) // true</pre>
  1017 +
  1018 +
  1019 +
  1020 + <h5 id="gte">
  1021 + greaterThanOrEqualTo<code class='inset'>.gte(n [, base]) <i>&rArr; boolean</i></code>
  1022 + </h5>
  1023 + <p>
  1024 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1025 + <code>base</code>: <i>number</i><br />
  1026 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1027 + </p>
  1028 + <p>
  1029 + Returns <code>true</code> if the value of this BigNumber is greater than or equal to the value
  1030 + of <code>n</code>, otherwise returns <code>false</code>.
  1031 + </p>
  1032 + <p>Note: This method uses the <a href='#cmp'><code>comparedTo</code></a> method internally.</p>
  1033 + <pre>
  1034 +(0.3 - 0.2) &gt;= 0.1 // false
  1035 +x = new BigNumber(0.3).minus(0.2)
  1036 +x.greaterThanOrEqualTo(0.1) // true
  1037 +BigNumber(1).gte(x) // true
  1038 +BigNumber(10, 18).gte('i', 36) // true</pre>
  1039 +
  1040 +
  1041 +
  1042 + <h5 id="isF">isFinite<code class='inset'>.isFinite() <i>&rArr; boolean</i></code></h5>
  1043 + <p>
  1044 + Returns <code>true</code> if the value of this BigNumber is a finite number, otherwise
  1045 + returns <code>false</code>.
  1046 + </p>
  1047 + <p>
  1048 + The only possible non-finite values of a BigNumber are <code>NaN</code>, <code>Infinity</code>
  1049 + and <code>-Infinity</code>.
  1050 + </p>
  1051 + <pre>
  1052 +x = new BigNumber(1)
  1053 +x.isFinite() // true
  1054 +y = new BigNumber(Infinity)
  1055 +y.isFinite() // false</pre>
  1056 + <p>
  1057 + Note: The native method <code>isFinite()</code> can be used if
  1058 + <code>n &lt;= Number.MAX_VALUE</code>.
  1059 + </p>
  1060 +
  1061 +
  1062 +
  1063 + <h5 id="isInt">isInteger<code class='inset'>.isInt() <i>&rArr; boolean</i></code></h5>
  1064 + <p>
  1065 + Returns <code>true</code> if the value of this BigNumber is a whole number, otherwise returns
  1066 + <code>false</code>.
  1067 + </p>
  1068 + <pre>
  1069 +x = new BigNumber(1)
  1070 +x.isInteger() // true
  1071 +y = new BigNumber(123.456)
  1072 +y.isInt() // false</pre>
  1073 +
  1074 +
  1075 +
  1076 + <h5 id="isNaN">isNaN<code class='inset'>.isNaN() <i>&rArr; boolean</i></code></h5>
  1077 + <p>
  1078 + Returns <code>true</code> if the value of this BigNumber is <code>NaN</code>, otherwise
  1079 + returns <code>false</code>.
  1080 + </p>
  1081 + <pre>
  1082 +x = new BigNumber(NaN)
  1083 +x.isNaN() // true
  1084 +y = new BigNumber('Infinity')
  1085 +y.isNaN() // false</pre>
  1086 + <p>Note: The native method <code>isNaN()</code> can also be used.</p>
  1087 +
  1088 +
  1089 +
  1090 + <h5 id="isNeg">isNegative<code class='inset'>.isNeg() <i>&rArr; boolean</i></code></h5>
  1091 + <p>
  1092 + Returns <code>true</code> if the value of this BigNumber is negative, otherwise returns
  1093 + <code>false</code>.
  1094 + </p>
  1095 + <pre>
  1096 +x = new BigNumber(-0)
  1097 +x.isNegative() // true
  1098 +y = new BigNumber(2)
  1099 +y.isNeg() // false</pre>
  1100 + <p>Note: <code>n &lt; 0</code> can be used if <code>n &lt;= -Number.MIN_VALUE</code>.</p>
  1101 +
  1102 +
  1103 +
  1104 + <h5 id="isZ">isZero<code class='inset'>.isZero() <i>&rArr; boolean</i></code></h5>
  1105 + <p>
  1106 + Returns <code>true</code> if the value of this BigNumber is zero or minus zero, otherwise
  1107 + returns <code>false</code>.
  1108 + </p>
  1109 + <pre>
  1110 +x = new BigNumber(-0)
  1111 +x.isZero() && x.isNeg() // true
  1112 +y = new BigNumber(Infinity)
  1113 +y.isZero() // false</pre>
  1114 + <p>Note: <code>n == 0</code> can be used if <code>n &gt;= Number.MIN_VALUE</code>.</p>
  1115 +
  1116 +
  1117 +
  1118 + <h5 id="lt">lessThan<code class='inset'>.lt(n [, base]) <i>&rArr; boolean</i></code></h5>
  1119 + <p>
  1120 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1121 + <code>base</code>: <i>number</i><br />
  1122 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1123 + </p>
  1124 + <p>
  1125 + Returns <code>true</code> if the value of this BigNumber is less than the value of
  1126 + <code>n</code>, otherwise returns <code>false</code>.
  1127 + </p>
  1128 + <p>Note: This method uses the <a href='#cmp'><code>comparedTo</code></a> method internally.</p>
  1129 + <pre>
  1130 +(0.3 - 0.2) &lt; 0.1 // true
  1131 +x = new BigNumber(0.3).minus(0.2)
  1132 +x.lessThan(0.1) // false
  1133 +BigNumber(0).lt(x) // true
  1134 +BigNumber(11.1, 2).lt(11, 3) // true</pre>
  1135 +
  1136 +
  1137 +
  1138 + <h5 id="lte">
  1139 + lessThanOrEqualTo<code class='inset'>.lte(n [, base]) <i>&rArr; boolean</i></code>
  1140 + </h5>
  1141 + <p>
  1142 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1143 + <code>base</code>: <i>number</i><br />
  1144 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1145 + </p>
  1146 + <p>
  1147 + Returns <code>true</code> if the value of this BigNumber is less than or equal to the value of
  1148 + <code>n</code>, otherwise returns <code>false</code>.
  1149 + </p>
  1150 + <p>Note: This method uses the <a href='#cmp'><code>comparedTo</code></a> method internally.</p>
  1151 + <pre>
  1152 +0.1 &lt;= (0.3 - 0.2) // false
  1153 +x = new BigNumber(0.1)
  1154 +x.lessThanOrEqualTo(BigNumber(0.3).minus(0.2)) // true
  1155 +BigNumber(-1).lte(x) // true
  1156 +BigNumber(10, 18).lte('i', 36) // true</pre>
  1157 +
  1158 +
  1159 +
  1160 + <h5 id="minus">
  1161 + minus<code class='inset'>.minus(n [, base]) <i>&rArr; BigNumber</i></code>
  1162 + </h5>
  1163 + <p>
  1164 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1165 + <code>base</code>: <i>number</i><br />
  1166 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1167 + </p>
  1168 + <p>Returns a BigNumber whose value is the value of this BigNumber minus <code>n</code>.</p>
  1169 + <p>The return value is always exact and unrounded.</p>
  1170 + <pre>
  1171 +0.3 - 0.1 // 0.19999999999999998
  1172 +x = new BigNumber(0.3)
  1173 +x.minus(0.1) // '0.2'
  1174 +x.minus(0.6, 20) // '0'</pre>
  1175 +
  1176 +
  1177 +
  1178 + <h5 id="mod">modulo<code class='inset'>.mod(n [, base]) <i>&rArr; BigNumber</i></code></h5>
  1179 + <p>
  1180 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1181 + <code>base</code>: <i>number</i><br />
  1182 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1183 + </p>
  1184 + <p>
  1185 + Returns a BigNumber whose value is the value of this BigNumber modulo <code>n</code>, i.e.
  1186 + the integer remainder of dividing this BigNumber by <code>n</code>.
  1187 + </p>
  1188 + <p>
  1189 + The value returned, and in particular its sign, is dependent on the value of the
  1190 + <a href='#modulo-mode'><code>MODULO_MODE</code></a> setting of this BigNumber constructor.
  1191 + If it is <code>1</code> (default value), the result will have the same sign as this BigNumber,
  1192 + and it will match that of Javascript's <code>%</code> operator (within the limits of double
  1193 + precision) and BigDecimal's <code>remainder</code> method.
  1194 + </p>
  1195 + <p>The return value is always exact and unrounded.</p>
  1196 + <p>
  1197 + See <a href='#modulo-mode'><code>MODULO_MODE</code></a> for a description of the other
  1198 + modulo modes.
  1199 + </p>
  1200 + <pre>
  1201 +1 % 0.9 // 0.09999999999999998
  1202 +x = new BigNumber(1)
  1203 +x.modulo(0.9) // '0.1'
  1204 +y = new BigNumber(33)
  1205 +y.mod('a', 33) // '3'</pre>
  1206 +
  1207 +
  1208 +
  1209 + <h5 id="neg">negated<code class='inset'>.neg() <i>&rArr; BigNumber</i></code></h5>
  1210 + <p>
  1211 + Returns a BigNumber whose value is the value of this BigNumber negated, i.e. multiplied by
  1212 + <code>-1</code>.
  1213 + </p>
  1214 + <pre>
  1215 +x = new BigNumber(1.8)
  1216 +x.negated() // '-1.8'
  1217 +y = new BigNumber(-1.3)
  1218 +y.neg() // '1.3'</pre>
  1219 +
  1220 +
  1221 +
  1222 + <h5 id="plus">plus<code class='inset'>.plus(n [, base]) <i>&rArr; BigNumber</i></code></h5>
  1223 + <p>
  1224 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1225 + <code>base</code>: <i>number</i><br />
  1226 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1227 + </p>
  1228 + <p>Returns a BigNumber whose value is the value of this BigNumber plus <code>n</code>.</p>
  1229 + <p>The return value is always exact and unrounded.</p>
  1230 + <pre>
  1231 +0.1 + 0.2 // 0.30000000000000004
  1232 +x = new BigNumber(0.1)
  1233 +y = x.plus(0.2) // '0.3'
  1234 +BigNumber(0.7).plus(x).plus(y) // '1'
  1235 +x.plus('0.1', 8) // '0.225'</pre>
  1236 +
  1237 +
  1238 +
  1239 + <h5 id="sd">precision<code class='inset'>.sd([z]) <i>&rArr; number</i></code></h5>
  1240 + <p>
  1241 + <code>z</code>: <i>boolean|number</i>: <code>true</code>, <code>false</code>, <code>0</code>
  1242 + or <code>1</code>
  1243 + </p>
  1244 + <p>Returns the number of significant digits of the value of this BigNumber.</p>
  1245 + <p>
  1246 + If <code>z</code> is <code>true</code> or <code>1</code> then any trailing zeros of the
  1247 + integer part of a number are counted as significant digits, otherwise they are not.
  1248 + </p>
  1249 + <pre>
  1250 +x = new BigNumber(1.234)
  1251 +x.precision() // 4
  1252 +y = new BigNumber(987000)
  1253 +y.sd() // 3
  1254 +y.sd(true) // 6</pre>
  1255 +
  1256 +
  1257 +
  1258 + <h5 id="round">round<code class='inset'>.round([dp [, rm]]) <i>&rArr; BigNumber</i></code></h5>
  1259 + <p>
  1260 + <code>dp</code>: <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive<br />
  1261 + <code>rm</code>: <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive
  1262 + </p>
  1263 + <p>
  1264 + Returns a BigNumber whose value is the value of this BigNumber rounded by rounding mode
  1265 + <code>rm</code> to a maximum of <code>dp</code> decimal places.
  1266 + </p>
  1267 + <p>
  1268 + if <code>dp</code> is omitted, or is <code>null</code> or <code>undefined</code>, the
  1269 + return value is <code>n</code> rounded to a whole number.<br />
  1270 + if <code>rm</code> is omitted, or is <code>null</code> or <code>undefined</code>,
  1271 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> is used.
  1272 + </p>
  1273 + <p>
  1274 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1275 + <code>dp</code> or <code>rm</code> values.
  1276 + </p>
  1277 + <pre>
  1278 +x = 1234.56
  1279 +Math.round(x) // 1235
  1280 +
  1281 +y = new BigNumber(x)
  1282 +y.round() // '1235'
  1283 +y.round(1) // '1234.6'
  1284 +y.round(2) // '1234.56'
  1285 +y.round(10) // '1234.56'
  1286 +y.round(0, 1) // '1234'
  1287 +y.round(0, 6) // '1235'
  1288 +y.round(1, 1) // '1234.5'
  1289 +y.round(1, BigNumber.ROUND_HALF_EVEN) // '1234.6'
  1290 +y // '1234.56'</pre>
  1291 +
  1292 +
  1293 +
  1294 + <h5 id="shift">shift<code class='inset'>.shift(n) <i>&rArr; BigNumber</i></code></h5>
  1295 + <p>
  1296 + <code>n</code>: <i>number</i>: integer,
  1297 + <code>-9007199254740991</code> to <code>9007199254740991</code> inclusive
  1298 + </p>
  1299 + <p>
  1300 + Returns a BigNumber whose value is the value of this BigNumber shifted <code>n</code> places.
  1301 + <p>
  1302 + The shift is of the decimal point, i.e. of powers of ten, and is to the left if <code>n</code>
  1303 + is negative or to the right if <code>n</code> is positive.
  1304 + </p>
  1305 + <p>The return value is always exact and unrounded.</p>
  1306 + <pre>
  1307 +x = new BigNumber(1.23)
  1308 +x.shift(3) // '1230'
  1309 +x.shift(-3) // '0.00123'</pre>
  1310 +
  1311 +
  1312 +
  1313 + <h5 id="sqrt">squareRoot<code class='inset'>.sqrt() <i>&rArr; BigNumber</i></code></h5>
  1314 + <p>
  1315 + Returns a BigNumber whose value is the square root of the value of this BigNumber,
  1316 + rounded according to the current
  1317 + <a href='#decimal-places'><code>DECIMAL_PLACES</code></a> and
  1318 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> configuration.
  1319 + </p>
  1320 + <p>
  1321 + The return value will be correctly rounded, i.e. rounded as if the result was first calculated
  1322 + to an infinite number of correct digits before rounding.
  1323 + </p>
  1324 + <pre>
  1325 +x = new BigNumber(16)
  1326 +x.squareRoot() // '4'
  1327 +y = new BigNumber(3)
  1328 +y.sqrt() // '1.73205080756887729353'</pre>
  1329 +
  1330 +
  1331 +
  1332 + <h5 id="times">times<code class='inset'>.times(n [, base]) <i>&rArr; BigNumber</i></code></h5>
  1333 + <p>
  1334 + <code>n</code>: <i>number|string|BigNumber</i><br />
  1335 + <code>base</code>: <i>number</i><br />
  1336 + <i>See <a href="#bignumber">BigNumber</a> for further parameter details.</i>
  1337 + </p>
  1338 + <p>Returns a BigNumber whose value is the value of this BigNumber times <code>n</code>.</p>
  1339 + <p>The return value is always exact and unrounded.</p>
  1340 + <pre>
  1341 +0.6 * 3 // 1.7999999999999998
  1342 +x = new BigNumber(0.6)
  1343 +y = x.times(3) // '1.8'
  1344 +BigNumber('7e+500').times(y) // '1.26e+501'
  1345 +x.times('-a', 16) // '-6'</pre>
  1346 +
  1347 +
  1348 +
  1349 + <h5 id="toD">
  1350 + toDigits<code class='inset'>.toDigits([sd [, rm]]) <i>&rArr; BigNumber</i></code>
  1351 + </h5>
  1352 + <p>
  1353 + <code>sd</code>: <i>number</i>: integer, <code>1</code> to <code>1e+9</code> inclusive.<br />
  1354 + <code>rm</code>: <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive.
  1355 + </p>
  1356 + <p>
  1357 + Returns a BigNumber whose value is the value of this BigNumber rounded to <code>sd</code>
  1358 + significant digits using rounding mode <code>rm</code>.
  1359 + </p>
  1360 + <p>
  1361 + If <code>sd</code> is omitted or is <code>null</code> or <code>undefined</code>, the return
  1362 + value will not be rounded.<br />
  1363 + If <code>rm</code> is omitted or is <code>null</code> or <code>undefined</code>,
  1364 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> will be used.
  1365 + </p>
  1366 + <p>
  1367 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1368 + <code>sd</code> or <code>rm</code> values.
  1369 + </p>
  1370 + <pre>
  1371 +BigNumber.config({ precision: 5, rounding: 4 })
  1372 +x = new BigNumber(9876.54321)
  1373 +
  1374 +x.toDigits() // '9876.5'
  1375 +x.toDigits(6) // '9876.54'
  1376 +x.toDigits(6, BigNumber.ROUND_UP) // '9876.55'
  1377 +x.toDigits(2) // '9900'
  1378 +x.toDigits(2, 1) // '9800'
  1379 +x // '9876.54321'</pre>
  1380 +
  1381 +
  1382 +
  1383 + <h5 id="toE">
  1384 + toExponential<code class='inset'>.toExponential([dp [, rm]]) <i>&rArr; string</i></code>
  1385 + </h5>
  1386 + <p>
  1387 + <code>dp</code>: <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive<br />
  1388 + <code>rm</code>: <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive
  1389 + </p>
  1390 + <p>
  1391 + Returns a string representing the value of this BigNumber in exponential notation rounded
  1392 + using rounding mode <code>rm</code> to <code>dp</code> decimal places, i.e with one digit
  1393 + before the decimal point and <code>dp</code> digits after it.
  1394 + </p>
  1395 + <p>
  1396 + If the value of this BigNumber in exponential notation has fewer than <code>dp</code> fraction
  1397 + digits, the return value will be appended with zeros accordingly.
  1398 + </p>
  1399 + <p>
  1400 + If <code>dp</code> is omitted, or is <code>null</code> or <code>undefined</code>, the number
  1401 + of digits after the decimal point defaults to the minimum number of digits necessary to
  1402 + represent the value exactly.<br />
  1403 + If <code>rm</code> is omitted or is <code>null</code> or <code>undefined</code>,
  1404 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> is used.
  1405 + </p>
  1406 + <p>
  1407 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1408 + <code>dp</code> or <code>rm</code> values.
  1409 + </p>
  1410 + <pre>
  1411 +x = 45.6
  1412 +y = new BigNumber(x)
  1413 +x.toExponential() // '4.56e+1'
  1414 +y.toExponential() // '4.56e+1'
  1415 +x.toExponential(0) // '5e+1'
  1416 +y.toExponential(0) // '5e+1'
  1417 +x.toExponential(1) // '4.6e+1'
  1418 +y.toExponential(1) // '4.6e+1'
  1419 +y.toExponential(1, 1) // '4.5e+1' (ROUND_DOWN)
  1420 +x.toExponential(3) // '4.560e+1'
  1421 +y.toExponential(3) // '4.560e+1'</pre>
  1422 +
  1423 +
  1424 +
  1425 + <h5 id="toFix">
  1426 + toFixed<code class='inset'>.toFixed([dp [, rm]]) <i>&rArr; string</i></code>
  1427 + </h5>
  1428 + <p>
  1429 + <code>dp</code>: <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive<br />
  1430 + <code>rm</code>: <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive
  1431 + </p>
  1432 + <p>
  1433 + Returns a string representing the value of this BigNumber in normal (fixed-point) notation
  1434 + rounded to <code>dp</code> decimal places using rounding mode <code>rm</code>.
  1435 + </p>
  1436 + <p>
  1437 + If the value of this BigNumber in normal notation has fewer than <code>dp</code> fraction
  1438 + digits, the return value will be appended with zeros accordingly.
  1439 + </p>
  1440 + <p>
  1441 + Unlike <code>Number.prototype.toFixed</code>, which returns exponential notation if a number
  1442 + is greater or equal to <code>10<sup>21</sup></code>, this method will always return normal
  1443 + notation.
  1444 + </p>
  1445 + <p>
  1446 + If <code>dp</code> is omitted or is <code>null</code> or <code>undefined</code>, the return
  1447 + value will be unrounded and in normal notation. This is also unlike
  1448 + <code>Number.prototype.toFixed</code>, which returns the value to zero decimal places.<br />
  1449 + It is useful when fixed-point notation is required and the current
  1450 + <a href="#exponential-at"><code>EXPONENTIAL_AT</code></a> setting causes
  1451 + <code><a href='#toS'>toString</a></code> to return exponential notation.<br />
  1452 + If <code>rm</code> is omitted or is <code>null</code> or <code>undefined</code>,
  1453 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> is used.
  1454 + </p>
  1455 + <p>
  1456 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1457 + <code>dp</code> or <code>rm</code> values.
  1458 + </p>
  1459 + <pre>
  1460 +x = 3.456
  1461 +y = new BigNumber(x)
  1462 +x.toFixed() // '3'
  1463 +y.toFixed() // '3.456'
  1464 +y.toFixed(0) // '3'
  1465 +x.toFixed(2) // '3.46'
  1466 +y.toFixed(2) // '3.46'
  1467 +y.toFixed(2, 1) // '3.45' (ROUND_DOWN)
  1468 +x.toFixed(5) // '3.45600'
  1469 +y.toFixed(5) // '3.45600'</pre>
  1470 +
  1471 +
  1472 +
  1473 + <h5 id="toFor">
  1474 + toFormat<code class='inset'>.toFormat([dp [, rm]]) <i>&rArr; string</i></code>
  1475 + </h5>
  1476 + <p>
  1477 + <code>dp</code>: <i>number</i>: integer, <code>0</code> to <code>1e+9</code> inclusive<br />
  1478 + <code>rm</code>: <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive
  1479 + </p>
  1480 + <p>
  1481 + <p>
  1482 + Returns a string representing the value of this BigNumber in normal (fixed-point) notation
  1483 + rounded to <code>dp</code> decimal places using rounding mode <code>rm</code>, and formatted
  1484 + according to the properties of the <a href='#format'><code>FORMAT</code></a> object.
  1485 + </p>
  1486 + <p>
  1487 + See the examples below for the properties of the
  1488 + <a href='#format'><code>FORMAT</code></a> object, their types and their usage.
  1489 + </p>
  1490 + <p>
  1491 + If <code>dp</code> is omitted or is <code>null</code> or <code>undefined</code>, then the
  1492 + return value is not rounded to a fixed number of decimal places.<br />
  1493 + If <code>rm</code> is omitted or is <code>null</code> or <code>undefined</code>,
  1494 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> is used.
  1495 + </p>
  1496 + <p>
  1497 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1498 + <code>dp</code> or <code>rm</code> values.
  1499 + </p>
  1500 + <pre>
  1501 +format = {
  1502 + decimalSeparator: '.',
  1503 + groupSeparator: ',',
  1504 + groupSize: 3,
  1505 + secondaryGroupSize: 0,
  1506 + fractionGroupSeparator: ' ',
  1507 + fractionGroupSize: 0
  1508 +}
  1509 +BigNumber.config({ FORMAT: format })
  1510 +
  1511 +x = new BigNumber('123456789.123456789')
  1512 +x.toFormat() // '123,456,789.123456789'
  1513 +x.toFormat(1) // '123,456,789.1'
  1514 +
  1515 +// If a reference to the object assigned to FORMAT has been retained,
  1516 +// the format properties can be changed directly
  1517 +format.groupSeparator = ' '
  1518 +format.fractionGroupSize = 5
  1519 +x.toFormat() // '123 456 789.12345 6789'
  1520 +
  1521 +BigNumber.config({
  1522 + FORMAT: {
  1523 + decimalSeparator: ',',
  1524 + groupSeparator: '.',
  1525 + groupSize: 3,
  1526 + secondaryGroupSize: 2
  1527 + }
  1528 +})
  1529 +
  1530 +x.toFormat(6) // '12.34.56.789,123'</pre>
  1531 +
  1532 +
  1533 +
  1534 + <h5 id="toFr">
  1535 + toFraction<code class='inset'>.toFraction([max]) <i>&rArr; [string, string]</i></code>
  1536 + </h5>
  1537 + <p>
  1538 + <code>max</code>: <i>number|string|BigNumber</i>: integer &gt;= <code>1</code> and &lt;
  1539 + <code>Infinity</code>
  1540 + </p>
  1541 + <p>
  1542 + Returns a string array representing the value of this BigNumber as a simple fraction with an
  1543 + integer numerator and an integer denominator. The denominator will be a positive non-zero
  1544 + value less than or equal to <code>max</code>.
  1545 + </p>
  1546 + <p>
  1547 + If a maximum denominator, <code>max</code>, is not specified, or is <code>null</code> or
  1548 + <code>undefined</code>, the denominator will be the lowest value necessary to represent the
  1549 + number exactly.
  1550 + </p>
  1551 + <p>
  1552 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1553 + <code>max</code> values.
  1554 + </p>
  1555 + <pre>
  1556 +x = new BigNumber(1.75)
  1557 +x.toFraction() // '7, 4'
  1558 +
  1559 +pi = new BigNumber('3.14159265358')
  1560 +pi.toFraction() // '157079632679,50000000000'
  1561 +pi.toFraction(100000) // '312689, 99532'
  1562 +pi.toFraction(10000) // '355, 113'
  1563 +pi.toFraction(100) // '311, 99'
  1564 +pi.toFraction(10) // '22, 7'
  1565 +pi.toFraction(1) // '3, 1'</pre>
  1566 +
  1567 +
  1568 +
  1569 + <h5 id="toJSON">toJSON<code class='inset'>.toJSON() <i>&rArr; string</i></code></h5>
  1570 + <p>As <code>valueOf</code>.</p>
  1571 + <pre>
  1572 +x = new BigNumber('177.7e+457')
  1573 +y = new BigNumber(235.4325)
  1574 +z = new BigNumber('0.0098074')
  1575 +
  1576 +// Serialize an array of three BigNumbers
  1577 +str = JSON.stringify( [x, y, z] )
  1578 +// "["1.777e+459","235.4325","0.0098074"]"
  1579 +
  1580 +// Return an array of three BigNumbers
  1581 +JSON.parse(str, function (key, val) {
  1582 + return key === '' ? val : new BigNumber(val)
  1583 +})</pre>
  1584 +
  1585 +
  1586 +
  1587 + <h5 id="toN">toNumber<code class='inset'>.toNumber() <i>&rArr; number</i></code></h5>
  1588 + <p>Returns the value of this BigNumber as a JavaScript number primitive.</p>
  1589 + <p>
  1590 + Type coercion with, for example, the unary plus operator will also work, except that a
  1591 + BigNumber with the value minus zero will be converted to positive zero.
  1592 + </p>
  1593 + <pre>
  1594 +x = new BigNumber(456.789)
  1595 +x.toNumber() // 456.789
  1596 ++x // 456.789
  1597 +
  1598 +y = new BigNumber('45987349857634085409857349856430985')
  1599 +y.toNumber() // 4.598734985763409e+34
  1600 +
  1601 +z = new BigNumber(-0)
  1602 +1 / +z // Infinity
  1603 +1 / z.toNumber() // -Infinity</pre>
  1604 +
  1605 +
  1606 +
  1607 + <h5 id="pow">toPower<code class='inset'>.pow(n [, m]) <i>&rArr; BigNumber</i></code></h5>
  1608 + <p>
  1609 + <code>n</code>: <i>number</i>: integer,
  1610 + <code>-9007199254740991</code> to <code>9007199254740991</code> inclusive<br />
  1611 + <code>m</code>: <i>number|string|BigNumber</i>
  1612 + </p>
  1613 + <p>
  1614 + Returns a BigNumber whose value is the value of this BigNumber raised to the power
  1615 + <code>n</code>, and optionally modulo a modulus <code>m</code>.
  1616 + </p>
  1617 + <p>
  1618 + If <code>n</code> is negative the result is rounded according to the current
  1619 + <a href='#decimal-places'><code>DECIMAL_PLACES</code></a> and
  1620 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> configuration.
  1621 + </p>
  1622 + <p>
  1623 + If <code>n</code> is not an integer or is out of range:
  1624 + </p>
  1625 + <p class='inset'>
  1626 + If <code>ERRORS</code> is <code>true</code> a BigNumber Error is thrown,<br />
  1627 + else if <code>n</code> is greater than <code>9007199254740991</code>, it is interpreted as
  1628 + <code>Infinity</code>;<br />
  1629 + else if <code>n</code> is less than <code>-9007199254740991</code>, it is interpreted as
  1630 + <code>-Infinity</code>;<br />
  1631 + else if <code>n</code> is otherwise a number, it is truncated to an integer;<br />
  1632 + else it is interpreted as <code>NaN</code>.
  1633 + </p>
  1634 + <p>
  1635 + As the number of digits of the result of the power operation can grow so large so quickly,
  1636 + e.g. 123.456<sup>10000</sup> has over <code>50000</code> digits, the number of significant
  1637 + digits calculated is limited to the value of the
  1638 + <a href='#pow-precision'><code>POW_PRECISION</code></a> setting (unless a modulus
  1639 + <code>m</code> is specified).
  1640 + </p>
  1641 + <p>
  1642 + By default <a href='#pow-precision'><code>POW_PRECISION</code></a> is set to <code>0</code>.
  1643 + This means that an unlimited number of significant digits will be calculated, and that the
  1644 + method's performance will decrease dramatically for larger exponents.
  1645 + </p>
  1646 + <p>
  1647 + Negative exponents will be calculated to the number of decimal places specified by
  1648 + <a href='#decimal-places'><code>DECIMAL_PLACES</code></a> (but not to more than
  1649 + <a href='#pow-precision'><code>POW_PRECISION</code></a> significant digits).
  1650 + </p>
  1651 + <p>
  1652 + If <code>m</code> is specified and the value of <code>m</code>, <code>n</code> and this
  1653 + BigNumber are positive integers, then a fast modular exponentiation algorithm is used,
  1654 + otherwise if any of the values is not a positive integer the operation will simply be
  1655 + performed as <code>x.toPower(n).modulo(m)</code> with a
  1656 + <a href='#pow-precision'><code>POW_PRECISION</code></a> of <code>0</code>.
  1657 + </p>
  1658 + <pre>
  1659 +Math.pow(0.7, 2) // 0.48999999999999994
  1660 +x = new BigNumber(0.7)
  1661 +x.toPower(2) // '0.49'
  1662 +BigNumber(3).pow(-2) // '0.11111111111111111111'</pre>
  1663 +
  1664 +
  1665 +
  1666 + <h5 id="toP">
  1667 + toPrecision<code class='inset'>.toPrecision([sd [, rm]]) <i>&rArr; string</i></code>
  1668 + </h5>
  1669 + <p>
  1670 + <code>sd</code>: <i>number</i>: integer, <code>1</code> to <code>1e+9</code> inclusive<br />
  1671 + <code>rm</code>: <i>number</i>: integer, <code>0</code> to <code>8</code> inclusive
  1672 + </p>
  1673 + <p>
  1674 + Returns a string representing the value of this BigNumber rounded to <code>sd</code>
  1675 + significant digits using rounding mode <code>rm</code>.
  1676 + </p>
  1677 + <p>
  1678 + If <code>sd</code> is less than the number of digits necessary to represent the integer part
  1679 + of the value in normal (fixed-point) notation, then exponential notation is used.
  1680 + </p>
  1681 + <p>
  1682 + If <code>sd</code> is omitted, or is <code>null</code> or <code>undefined</code>, then the
  1683 + return value is the same as <code>n.toString()</code>.<br />
  1684 + If <code>rm</code> is omitted or is <code>null</code> or <code>undefined</code>,
  1685 + <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> is used.
  1686 + </p>
  1687 + <p>
  1688 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1689 + <code>sd</code> or <code>rm</code> values.
  1690 + </p>
  1691 + <pre>
  1692 +x = 45.6
  1693 +y = new BigNumber(x)
  1694 +x.toPrecision() // '45.6'
  1695 +y.toPrecision() // '45.6'
  1696 +x.toPrecision(1) // '5e+1'
  1697 +y.toPrecision(1) // '5e+1'
  1698 +y.toPrecision(2, 0) // '4.6e+1' (ROUND_UP)
  1699 +y.toPrecision(2, 1) // '4.5e+1' (ROUND_DOWN)
  1700 +x.toPrecision(5) // '45.600'
  1701 +y.toPrecision(5) // '45.600'</pre>
  1702 +
  1703 +
  1704 +
  1705 + <h5 id="toS">toString<code class='inset'>.toString([base]) <i>&rArr; string</i></code></h5>
  1706 + <p><code>base</code>: <i>number</i>: integer, <code>2</code> to <code>64</code> inclusive</p>
  1707 + <p>
  1708 + Returns a string representing the value of this BigNumber in the specified base, or base
  1709 + <code>10</code> if <code>base</code> is omitted or is <code>null</code> or
  1710 + <code>undefined</code>.
  1711 + </p>
  1712 + <p>
  1713 + For bases above <code>10</code>, values from <code>10</code> to <code>35</code> are
  1714 + represented by <code>a-z</code> (as with <code>Number.prototype.toString</code>),
  1715 + <code>36</code> to <code>61</code> by <code>A-Z</code>, and <code>62</code> and
  1716 + <code>63</code> by <code>$</code> and <code>_</code> respectively.
  1717 + </p>
  1718 + <p>
  1719 + If a base is specified the value is rounded according to the current
  1720 + <a href='#decimal-places'><code>DECIMAL_PLACES</code></a>
  1721 + and <a href='#rounding-mode'><code>ROUNDING_MODE</code></a> configuration.
  1722 + </p>
  1723 + <p>
  1724 + If a base is not specified, and this BigNumber has a positive
  1725 + exponent that is equal to or greater than the positive component of the
  1726 + current <a href="#exponential-at"><code>EXPONENTIAL_AT</code></a> setting,
  1727 + or a negative exponent equal to or less than the negative component of the
  1728 + setting, then exponential notation is returned.
  1729 + </p>
  1730 + <p>If <code>base</code> is <code>null</code> or <code>undefined</code> it is ignored.</p>
  1731 + <p>
  1732 + See <a href='#Errors'>Errors</a> for the treatment of other non-integer or out of range
  1733 + <code>base</code> values.
  1734 + </p>
  1735 + <pre>
  1736 +x = new BigNumber(750000)
  1737 +x.toString() // '750000'
  1738 +BigNumber.config({ EXPONENTIAL_AT: 5 })
  1739 +x.toString() // '7.5e+5'
  1740 +
  1741 +y = new BigNumber(362.875)
  1742 +y.toString(2) // '101101010.111'
  1743 +y.toString(9) // '442.77777777777777777778'
  1744 +y.toString(32) // 'ba.s'
  1745 +
  1746 +BigNumber.config({ DECIMAL_PLACES: 4 });
  1747 +z = new BigNumber('1.23456789')
  1748 +z.toString() // '1.23456789'
  1749 +z.toString(10) // '1.2346'</pre>
  1750 +
  1751 +
  1752 +
  1753 + <h5 id="trunc">truncated<code class='inset'>.trunc() <i>&rArr; BigNumber</i></code></h5>
  1754 + <p>
  1755 + Returns a BigNumber whose value is the value of this BigNumber truncated to a whole number.
  1756 + </p>
  1757 + <pre>
  1758 +x = new BigNumber(123.456)
  1759 +x.truncated() // '123'
  1760 +y = new BigNumber(-12.3)
  1761 +y.trunc() // '-12'</pre>
  1762 +
  1763 +
  1764 +
  1765 + <h5 id="valueOf">valueOf<code class='inset'>.valueOf() <i>&rArr; string</i></code></h5>
  1766 + <p>
  1767 + As <code>toString</code>, but does not accept a base argument and includes the minus sign
  1768 + for negative zero.
  1769 + </p>
  1770 + <pre>
  1771 +x = new BigNumber('-0')
  1772 +x.toString() // '0'
  1773 +x.valueOf() // '-0'
  1774 +y = new BigNumber('1.777e+457')
  1775 +y.valueOf() // '1.777e+457'</pre>
  1776 +
  1777 +
  1778 +
  1779 + <h4 id="instance-properties">Properties</h4>
  1780 + <p>The properties of a BigNumber instance:</p>
  1781 + <table>
  1782 + <tr>
  1783 + <th>Property</th>
  1784 + <th>Description</th>
  1785 + <th>Type</th>
  1786 + <th>Value</th>
  1787 + </tr>
  1788 + <tr>
  1789 + <td class='centre' id='coefficient'><b>c</b></td>
  1790 + <td>coefficient<sup>*</sup></td>
  1791 + <td><i>number</i><code>[]</code></td>
  1792 + <td> Array of base <code>1e14</code> numbers</td>
  1793 + </tr>
  1794 + <tr>
  1795 + <td class='centre' id='exponent'><b>e</b></td>
  1796 + <td>exponent</td>
  1797 + <td><i>number</i></td>
  1798 + <td>Integer, <code>-1000000000</code> to <code>1000000000</code> inclusive</td>
  1799 + </tr>
  1800 + <tr>
  1801 + <td class='centre' id='sign'><b>s</b></td>
  1802 + <td>sign</td>
  1803 + <td><i>number</i></td>
  1804 + <td><code>-1</code> or <code>1</code></td>
  1805 + </tr>
  1806 + <tr>
  1807 + <td class='centre' id='isbig'><b>isBigNumber</b></td>
  1808 + <td>type identifier</td>
  1809 + <td><i>boolean</i></td>
  1810 + <td><code>true</code></td>
  1811 + </tr>
  1812 + </table>
  1813 + <p><sup>*</sup>significand</p>
  1814 + <p>
  1815 + The value of any of the <code>c</code>, <code>e</code> and <code>s</code> properties may also
  1816 + be <code>null</code>.
  1817 + </p>
  1818 + <p>
  1819 + From v2.0.0 of this library, the value of the coefficient of a BigNumber is stored in a
  1820 + normalised base <code>100000000000000</code> floating point format, as opposed to the base
  1821 + <code>10</code> format used in v1.x.x
  1822 + </p>
  1823 + <p>
  1824 + This change means the properties of a BigNumber are now best considered to be read-only.
  1825 + Previously it was acceptable to change the exponent of a BigNumber by writing to its exponent
  1826 + property directly, but this is no longer recommended as the number of digits in the first
  1827 + element of the coefficient array is dependent on the exponent, so the coefficient would also
  1828 + need to be altered.
  1829 + </p>
  1830 + <p>
  1831 + Note that, as with JavaScript numbers, the original exponent and fractional trailing zeros are
  1832 + not necessarily preserved.
  1833 + </p>
  1834 + <pre>x = new BigNumber(0.123) // '0.123'
  1835 +x.toExponential() // '1.23e-1'
  1836 +x.c // '1,2,3'
  1837 +x.e // -1
  1838 +x.s // 1
  1839 +
  1840 +y = new Number(-123.4567000e+2) // '-12345.67'
  1841 +y.toExponential() // '-1.234567e+4'
  1842 +z = new BigNumber('-123.4567000e+2') // '-12345.67'
  1843 +z.toExponential() // '-1.234567e+4'
  1844 +z.c // '1,2,3,4,5,6,7'
  1845 +z.e // 4
  1846 +z.s // -1</pre>
  1847 + <p>Checking if a value is a BigNumber instance:</p>
  1848 + <pre>
  1849 +x = new BigNumber(3)
  1850 +x instanceof BigNumber // true
  1851 +x.isBigNumber // true
  1852 +
  1853 +BN = BigNumber.another();
  1854 +
  1855 +y = new BN(3)
  1856 +y instanceof BigNumber // false
  1857 +y.isBigNumber // true</pre>
  1858 +
  1859 +
  1860 +
  1861 +
  1862 + <h4 id="zero-nan-infinity">Zero, NaN and Infinity</h4>
  1863 + <p>
  1864 + The table below shows how &plusmn;<code>0</code>, <code>NaN</code> and
  1865 + &plusmn;<code>Infinity</code> are stored.
  1866 + </p>
  1867 + <table>
  1868 + <tr>
  1869 + <th> </th>
  1870 + <th class='centre'>c</th>
  1871 + <th class='centre'>e</th>
  1872 + <th class='centre'>s</th>
  1873 + </tr>
  1874 + <tr>
  1875 + <td>&plusmn;0</td>
  1876 + <td><code>[0]</code></td>
  1877 + <td><code>0</code></td>
  1878 + <td><code>&plusmn;1</code></td>
  1879 + </tr>
  1880 + <tr>
  1881 + <td>NaN</td>
  1882 + <td><code>null</code></td>
  1883 + <td><code>null</code></td>
  1884 + <td><code>null</code></td>
  1885 + </tr>
  1886 + <tr>
  1887 + <td>&plusmn;Infinity</td>
  1888 + <td><code>null</code></td>
  1889 + <td><code>null</code></td>
  1890 + <td><code>&plusmn;1</code></td>
  1891 + </tr>
  1892 + </table>
  1893 + <pre>
  1894 +x = new Number(-0) // 0
  1895 +1 / x == -Infinity // true
  1896 +
  1897 +y = new BigNumber(-0) // '0'
  1898 +y.c // '0' ( [0].toString() )
  1899 +y.e // 0
  1900 +y.s // -1</pre>
  1901 +
  1902 +
  1903 +
  1904 + <h4 id='Errors'>Errors</h4>
  1905 + <p>
  1906 + The errors that are thrown are generic <code>Error</code> objects with <code>name</code>
  1907 + <i>BigNumber Error</i>.
  1908 + </p>
  1909 + <p>
  1910 + The table below shows the errors that may be thrown if <code>ERRORS</code> is
  1911 + <code>true</code>, and the action taken if <code>ERRORS</code> is <code>false</code>.
  1912 + </p>
  1913 + <table class='error-table'>
  1914 + <tr>
  1915 + <th>Method(s)</th>
  1916 + <th>ERRORS: true<br />Throw BigNumber Error</th>
  1917 + <th>ERRORS: false<br />Action on invalid argument</th>
  1918 + </tr>
  1919 + <tr>
  1920 + <td rowspan=5>
  1921 + <code>
  1922 + BigNumber<br />
  1923 + comparedTo<br />
  1924 + dividedBy<br />
  1925 + dividedToIntegerBy<br />
  1926 + equals<br />
  1927 + greaterThan<br />
  1928 + greaterThanOrEqualTo<br />
  1929 + lessThan<br />
  1930 + lessThanOrEqualTo<br />
  1931 + minus<br />
  1932 + modulo<br />
  1933 + plus<br />
  1934 + times
  1935 + </code></td>
  1936 + <td>number type has more than<br />15 significant digits</td>
  1937 + <td>Accept.</td>
  1938 + </tr>
  1939 + <tr>
  1940 + <td>not a base... number</td>
  1941 + <td>Substitute <code>NaN</code>.</td>
  1942 + </tr>
  1943 + <tr>
  1944 + <td>base not an integer</td>
  1945 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  1946 + </tr>
  1947 + <tr>
  1948 + <td>base out of range</td>
  1949 + <td>Ignore.</td>
  1950 + </tr>
  1951 + <tr>
  1952 + <td>not a number<sup>*</sup></td>
  1953 + <td>Substitute <code>NaN</code>.</td>
  1954 + </tr>
  1955 + <tr>
  1956 + <td><code>another</code></td>
  1957 + <td>not an object</td>
  1958 + <td>Ignore.</td>
  1959 + </tr>
  1960 + <tr>
  1961 + <td rowspan=17><code>config</code></td>
  1962 + <td><code>DECIMAL_PLACES</code> not an integer</td>
  1963 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  1964 + </tr>
  1965 + <tr>
  1966 + <td><code>DECIMAL_PLACES</code> out of range</td>
  1967 + <td>Ignore.</td>
  1968 + </tr>
  1969 + <tr>
  1970 + <td><code>ROUNDING_MODE</code> not an integer</td>
  1971 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  1972 + </tr>
  1973 + <tr>
  1974 + <td><code>ROUNDING_MODE</code> out of range</td>
  1975 + <td>Ignore.</td>
  1976 + </tr>
  1977 + <tr>
  1978 + <td><code>EXPONENTIAL_AT</code> not an integer<br />or not [integer, integer]</td>
  1979 + <td>Truncate to integer(s).<br />Ignore if not number(s).</td>
  1980 + </tr>
  1981 + <tr>
  1982 + <td><code>EXPONENTIAL_AT</code> out of range<br />or not [negative, positive]</td>
  1983 + <td>Ignore.</td>
  1984 + </tr>
  1985 + <tr>
  1986 + <td><code>RANGE</code> not an integer<br />or not [integer, integer]</td>
  1987 + <td> Truncate to integer(s).<br />Ignore if not number(s).</td>
  1988 + </tr>
  1989 + <tr>
  1990 + <td><code>RANGE</code> cannot be zero</td>
  1991 + <td>Ignore.</td>
  1992 + </tr>
  1993 + <tr>
  1994 + <td><code>RANGE</code> out of range<br />or not [negative, positive]</td>
  1995 + <td>Ignore.</td>
  1996 + </tr>
  1997 + <tr>
  1998 + <td><code>ERRORS</code> not a boolean<br />or binary digit</td>
  1999 + <td>Ignore.</td>
  2000 + </tr>
  2001 + <tr>
  2002 + <td><code>CRYPTO</code> not a boolean<br />or binary digit</td>
  2003 + <td>Ignore.</td>
  2004 + </tr>
  2005 + <tr>
  2006 + <td><code>CRYPTO</code> crypto unavailable</td>
  2007 + <td>Ignore.</td>
  2008 + </tr>
  2009 + <tr>
  2010 + <td><code>MODULO_MODE</code> not an integer</td>
  2011 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2012 + </tr>
  2013 + <tr>
  2014 + <td><code>MODULO_MODE</code> out of range</td>
  2015 + <td>Ignore.</td>
  2016 + </tr>
  2017 + <tr>
  2018 + <td><code>POW_PRECISION</code> not an integer</td>
  2019 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2020 + </tr>
  2021 + <tr>
  2022 + <td><code>POW_PRECISION</code> out of range</td>
  2023 + <td>Ignore.</td>
  2024 + </tr>
  2025 + <tr>
  2026 + <td><code>FORMAT</code> not an object</td>
  2027 + <td>Ignore.</td>
  2028 + </tr>
  2029 + <tr>
  2030 + <td><code>precision</code></td>
  2031 + <td>argument not a boolean<br />or binary digit</td>
  2032 + <td>Ignore.</td>
  2033 + </tr>
  2034 + <tr>
  2035 + <td rowspan=4><code>round</code></td>
  2036 + <td>decimal places not an integer</td>
  2037 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2038 + </tr>
  2039 + <tr>
  2040 + <td>decimal places out of range</td>
  2041 + <td>Ignore.</td>
  2042 + </tr>
  2043 + <tr>
  2044 + <td>rounding mode not an integer</td>
  2045 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2046 + </tr>
  2047 + <tr>
  2048 + <td>rounding mode out of range</td>
  2049 + <td>Ignore.</td>
  2050 + </tr>
  2051 + <tr>
  2052 + <td rowspan=2><code>shift</code></td>
  2053 + <td>argument not an integer</td>
  2054 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2055 + </tr>
  2056 + <tr>
  2057 + <td>argument out of range</td>
  2058 + <td>Substitute &plusmn;<code>Infinity</code>.
  2059 + </tr>
  2060 + <tr>
  2061 + <td rowspan=4>
  2062 + <code>toExponential</code><br />
  2063 + <code>toFixed</code><br />
  2064 + <code>toFormat</code>
  2065 + </td>
  2066 + <td>decimal places not an integer</td>
  2067 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2068 + </tr>
  2069 + <tr>
  2070 + <td>decimal places out of range</td>
  2071 + <td>Ignore.</td>
  2072 + </tr>
  2073 + <tr>
  2074 + <td>rounding mode not an integer</td>
  2075 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2076 + </tr>
  2077 + <tr>
  2078 + <td>rounding mode out of range</td>
  2079 + <td>Ignore.</td>
  2080 + </tr>
  2081 + <tr>
  2082 + <td rowspan=2><code>toFraction</code></td>
  2083 + <td>max denominator not an integer</td>
  2084 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2085 + </tr>
  2086 + <tr>
  2087 + <td>max denominator out of range</td>
  2088 + <td>Ignore.</td>
  2089 + </tr>
  2090 + <tr>
  2091 + <td rowspan=4>
  2092 + <code>toDigits</code><br />
  2093 + <code>toPrecision</code>
  2094 + </td>
  2095 + <td>precision not an integer</td>
  2096 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2097 + </tr>
  2098 + <tr>
  2099 + <td>precision out of range</td>
  2100 + <td>Ignore.</td>
  2101 + </tr>
  2102 + <tr>
  2103 + <td>rounding mode not an integer</td>
  2104 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2105 + </tr>
  2106 + <tr>
  2107 + <td>rounding mode out of range</td>
  2108 + <td>Ignore.</td>
  2109 + </tr>
  2110 + <tr>
  2111 + <td rowspan=2><code>toPower</code></td>
  2112 + <td>exponent not an integer</td>
  2113 + <td>Truncate to integer.<br />Substitute <code>NaN</code> if not a number.</td>
  2114 + </tr>
  2115 + <tr>
  2116 + <td>exponent out of range</td>
  2117 + <td>Substitute &plusmn;<code>Infinity</code>.
  2118 + </td>
  2119 + </tr>
  2120 + <tr>
  2121 + <td rowspan=2><code>toString</code></td>
  2122 + <td>base not an integer</td>
  2123 + <td>Truncate to integer.<br />Ignore if not a number.</td>
  2124 + </tr>
  2125 + <tr>
  2126 + <td>base out of range</td>
  2127 + <td>Ignore.</td>
  2128 + </tr>
  2129 + </table>
  2130 + <p><sup>*</sup>No error is thrown if the value is <code>NaN</code> or 'NaN'.</p>
  2131 + <p>
  2132 + The message of a <i>BigNumber Error</i> will also contain the name of the method from which
  2133 + the error originated.
  2134 + </p>
  2135 + <p>To determine if an exception is a <i>BigNumber Error</i>:</p>
  2136 + <pre>
  2137 +try {
  2138 + // ...
  2139 +} catch (e) {
  2140 + if ( e instanceof Error && e.name == 'BigNumber Error' ) {
  2141 + // ...
  2142 + }
  2143 +}</pre>
  2144 +
  2145 +
  2146 +
  2147 + <h4 id='faq'>FAQ</h4>
  2148 +
  2149 + <h6>Why are trailing fractional zeros removed from BigNumbers?</h6>
  2150 + <p>
  2151 + Some arbitrary-precision libraries retain trailing fractional zeros as they can indicate the
  2152 + precision of a value. This can be useful but the results of arithmetic operations can be
  2153 + misleading.
  2154 + </p>
  2155 + <pre>
  2156 +x = new BigDecimal("1.0")
  2157 +y = new BigDecimal("1.1000")
  2158 +z = x.add(y) // 2.1000
  2159 +
  2160 +x = new BigDecimal("1.20")
  2161 +y = new BigDecimal("3.45000")
  2162 +z = x.multiply(y) // 4.1400000</pre>
  2163 + <p>
  2164 + To specify the precision of a value is to specify that the value lies
  2165 + within a certain range.
  2166 + </p>
  2167 + <p>
  2168 + In the first example, <code>x</code> has a value of <code>1.0</code>. The trailing zero shows
  2169 + the precision of the value, implying that it is in the range <code>0.95</code> to
  2170 + <code>1.05</code>. Similarly, the precision indicated by the trailing zeros of <code>y</code>
  2171 + indicates that the value is in the range <code>1.09995</code> to <code>1.10005</code>.
  2172 + </p>
  2173 + <p>
  2174 + If we add the two lowest values in the ranges we have, <code>0.95 + 1.09995 = 2.04995</code>,
  2175 + and if we add the two highest values we have, <code>1.05 + 1.10005 = 2.15005</code>, so the
  2176 + range of the result of the addition implied by the precision of its operands is
  2177 + <code>2.04995</code> to <code>2.15005</code>.
  2178 + </p>
  2179 + <p>
  2180 + The result given by BigDecimal of <code>2.1000</code> however, indicates that the value is in
  2181 + the range <code>2.09995</code> to <code>2.10005</code> and therefore the precision implied by
  2182 + its trailing zeros may be misleading.
  2183 + </p>
  2184 + <p>
  2185 + In the second example, the true range is <code>4.122744</code> to <code>4.157256</code> yet
  2186 + the BigDecimal answer of <code>4.1400000</code> indicates a range of <code>4.13999995</code>
  2187 + to <code>4.14000005</code>. Again, the precision implied by the trailing zeros may be
  2188 + misleading.
  2189 + </p>
  2190 + <p>
  2191 + This library, like binary floating point and most calculators, does not retain trailing
  2192 + fractional zeros. Instead, the <code>toExponential</code>, <code>toFixed</code> and
  2193 + <code>toPrecision</code> methods enable trailing zeros to be added if and when required.<br />
  2194 + </p>
  2195 + </div>
  2196 +
  2197 +</body>
  2198 +</html>
  1 +{
  2 + "name": "bignumber.js",
  3 + "description": "A library for arbitrary-precision decimal and non-decimal arithmetic",
  4 + "version": "4.0.2",
  5 + "keywords": [
  6 + "arbitrary",
  7 + "precision",
  8 + "arithmetic",
  9 + "big",
  10 + "number",
  11 + "decimal",
  12 + "float",
  13 + "biginteger",
  14 + "bigdecimal",
  15 + "bignumber",
  16 + "bigint",
  17 + "bignum"
  18 + ],
  19 + "repository": {
  20 + "type": "git",
  21 + "url": "https://github.com/MikeMcl/bignumber.js.git"
  22 + },
  23 + "main": "bignumber.js",
  24 + "author": {
  25 + "name": "Michael Mclaughlin",
  26 + "email": "M8ch88l@gmail.com"
  27 + },
  28 + "engines": {
  29 + "node": "*"
  30 + },
  31 + "license": "MIT",
  32 + "scripts": {
  33 + "test": "node ./test/every-test.js",
  34 + "build": "uglifyjs bignumber.js --source-map bignumber.js.map -c -m -o bignumber.min.js --preamble \"/* bignumber.js v4.0.2 https://github.com/MikeMcl/bignumber.js/LICENCE */\""
  35 + },
  36 + "_from": "bignumber.js@4.0.2",
  37 + "_resolved": "http://registry.npm.taobao.org/bignumber.js/download/bignumber.js-4.0.2.tgz"
  38 +}
  1 +Thu Aug 17 2017 17:03:39 GMT+0800 (CST)
  1 +The MIT License (MIT)
  2 +
  3 +Copyright (c) 2013-2017 Petka Antonov
  4 +
  5 +Permission is hereby granted, free of charge, to any person obtaining a copy
  6 +of this software and associated documentation files (the "Software"), to deal
  7 +in the Software without restriction, including without limitation the rights
  8 +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  9 +copies of the Software, and to permit persons to whom the Software is
  10 +furnished to do so, subject to the following conditions:
  11 +
  12 +The above copyright notice and this permission notice shall be included in
  13 +all copies or substantial portions of the Software.
  14 +
  15 +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  16 +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  17 +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  18 +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  19 +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  20 +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  21 +THE SOFTWARE.
  1 +<a href="http://promisesaplus.com/">
  2 + <img src="http://promisesaplus.com/assets/logo-small.png" alt="Promises/A+ logo"
  3 + title="Promises/A+ 1.1 compliant" align="right" />
  4 +</a>
  5 +[![Build Status](https://travis-ci.org/petkaantonov/bluebird.svg?branch=master)](https://travis-ci.org/petkaantonov/bluebird)
  6 +[![coverage-98%](http://img.shields.io/badge/coverage-98%-brightgreen.svg?style=flat)](http://petkaantonov.github.io/bluebird/coverage/debug/index.html)
  7 +
  8 +**Got a question?** Join us on [stackoverflow](http://stackoverflow.com/questions/tagged/bluebird), the [mailing list](https://groups.google.com/forum/#!forum/bluebird-js) or chat on [IRC](https://webchat.freenode.net/?channels=#promises)
  9 +
  10 +# Introduction
  11 +
  12 +Bluebird is a fully featured promise library with focus on innovative features and performance
  13 +
  14 +See the [**bluebird website**](http://bluebirdjs.com/docs/getting-started.html) for further documentation, references and instructions. See the [**API reference**](http://bluebirdjs.com/docs/api-reference.html) here.
  15 +
  16 +For bluebird 2.x documentation and files, see the [2.x tree](https://github.com/petkaantonov/bluebird/tree/2.x).
  17 +
  18 +# Questions and issues
  19 +
  20 +The [github issue tracker](https://github.com/petkaantonov/bluebird/issues) is **_only_** for bug reports and feature requests. Anything else, such as questions for help in using the library, should be posted in [StackOverflow](http://stackoverflow.com/questions/tagged/bluebird) under tags `promise` and `bluebird`.
  21 +
  22 +
  23 +
  24 +## Thanks
  25 +
  26 +Thanks to BrowserStack for providing us with a free account which lets us support old browsers like IE8.
  27 +
  28 +# License
  29 +
  30 +The MIT License (MIT)
  31 +
  32 +Copyright (c) 2013-2017 Petka Antonov
  33 +
  34 +Permission is hereby granted, free of charge, to any person obtaining a copy
  35 +of this software and associated documentation files (the "Software"), to deal
  36 +in the Software without restriction, including without limitation the rights
  37 +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  38 +copies of the Software, and to permit persons to whom the Software is
  39 +furnished to do so, subject to the following conditions:
  40 +
  41 +The above copyright notice and this permission notice shall be included in
  42 +all copies or substantial portions of the Software.
  43 +
  44 +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  45 +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  46 +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  47 +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  48 +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  49 +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  50 +THE SOFTWARE.
  51 +
  1 +[http://bluebirdjs.com/docs/changelog.html](http://bluebirdjs.com/docs/changelog.html)
  1 +/* @preserve
  2 + * The MIT License (MIT)
  3 + *
  4 + * Copyright (c) 2013-2017 Petka Antonov
  5 + *
  6 + * Permission is hereby granted, free of charge, to any person obtaining a copy
  7 + * of this software and associated documentation files (the "Software"), to deal
  8 + * in the Software without restriction, including without limitation the rights
  9 + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  10 + * copies of the Software, and to permit persons to whom the Software is
  11 + * furnished to do so, subject to the following conditions:
  12 + *
  13 + * The above copyright notice and this permission notice shall be included in
  14 + * all copies or substantial portions of the Software.
  15 + *
  16 + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  17 + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  18 + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  19 + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  20 + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  21 + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  22 + * THE SOFTWARE.
  23 + *
  24 + */
  25 +/**
  26 + * bluebird build version 3.5.0
  27 + * Features enabled: core
  28 + * Features disabled: race, call_get, generators, map, nodeify, promisify, props, reduce, settle, some, using, timers, filter, any, each
  29 +*/
  30 +!function(t){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=t();else if("function"==typeof define&&define.amd)define([],t);else{var e;"undefined"!=typeof window?e=window:"undefined"!=typeof global?e=global:"undefined"!=typeof self&&(e=self),e.Promise=t()}}(function(){var t,e,n;return function r(t,e,n){function i(a,s){if(!e[a]){if(!t[a]){var c="function"==typeof _dereq_&&_dereq_;if(!s&&c)return c(a,!0);if(o)return o(a,!0);var l=new Error("Cannot find module '"+a+"'");throw l.code="MODULE_NOT_FOUND",l}var u=e[a]={exports:{}};t[a][0].call(u.exports,function(e){var n=t[a][1][e];return i(n?n:e)},u,u.exports,r,t,e,n)}return e[a].exports}for(var o="function"==typeof _dereq_&&_dereq_,a=0;a<n.length;a++)i(n[a]);return i}({1:[function(t,e,n){"use strict";function r(){this._customScheduler=!1,this._isTickUsed=!1,this._lateQueue=new u(16),this._normalQueue=new u(16),this._haveDrainedQueues=!1,this._trampolineEnabled=!0;var t=this;this.drainQueues=function(){t._drainQueues()},this._schedule=l}function i(t,e,n){this._lateQueue.push(t,e,n),this._queueTick()}function o(t,e,n){this._normalQueue.push(t,e,n),this._queueTick()}function a(t){this._normalQueue._pushOne(t),this._queueTick()}var s;try{throw new Error}catch(c){s=c}var l=t("./schedule"),u=t("./queue"),p=t("./util");r.prototype.setScheduler=function(t){var e=this._schedule;return this._schedule=t,this._customScheduler=!0,e},r.prototype.hasCustomScheduler=function(){return this._customScheduler},r.prototype.enableTrampoline=function(){this._trampolineEnabled=!0},r.prototype.disableTrampolineIfNecessary=function(){p.hasDevTools&&(this._trampolineEnabled=!1)},r.prototype.haveItemsQueued=function(){return this._isTickUsed||this._haveDrainedQueues},r.prototype.fatalError=function(t,e){e?(process.stderr.write("Fatal "+(t instanceof Error?t.stack:t)+"\n"),process.exit(2)):this.throwLater(t)},r.prototype.throwLater=function(t,e){if(1===arguments.length&&(e=t,t=function(){throw e}),"undefined"!=typeof setTimeout)setTimeout(function(){t(e)},0);else try{this._schedule(function(){t(e)})}catch(n){throw new Error("No async scheduler available\n\n See http://goo.gl/MqrFmX\n")}},p.hasDevTools?(r.prototype.invokeLater=function(t,e,n){this._trampolineEnabled?i.call(this,t,e,n):this._schedule(function(){setTimeout(function(){t.call(e,n)},100)})},r.prototype.invoke=function(t,e,n){this._trampolineEnabled?o.call(this,t,e,n):this._schedule(function(){t.call(e,n)})},r.prototype.settlePromises=function(t){this._trampolineEnabled?a.call(this,t):this._schedule(function(){t._settlePromises()})}):(r.prototype.invokeLater=i,r.prototype.invoke=o,r.prototype.settlePromises=a),r.prototype._drainQueue=function(t){for(;t.length()>0;){var e=t.shift();if("function"==typeof e){var n=t.shift(),r=t.shift();e.call(n,r)}else e._settlePromises()}},r.prototype._drainQueues=function(){this._drainQueue(this._normalQueue),this._reset(),this._haveDrainedQueues=!0,this._drainQueue(this._lateQueue)},r.prototype._queueTick=function(){this._isTickUsed||(this._isTickUsed=!0,this._schedule(this.drainQueues))},r.prototype._reset=function(){this._isTickUsed=!1},e.exports=r,e.exports.firstLineError=s},{"./queue":17,"./schedule":18,"./util":21}],2:[function(t,e,n){"use strict";e.exports=function(t,e,n,r){var i=!1,o=function(t,e){this._reject(e)},a=function(t,e){e.promiseRejectionQueued=!0,e.bindingPromise._then(o,o,null,this,t)},s=function(t,e){0===(50397184&this._bitField)&&this._resolveCallback(e.target)},c=function(t,e){e.promiseRejectionQueued||this._reject(t)};t.prototype.bind=function(o){i||(i=!0,t.prototype._propagateFrom=r.propagateFromFunction(),t.prototype._boundValue=r.boundValueFunction());var l=n(o),u=new t(e);u._propagateFrom(this,1);var p=this._target();if(u._setBoundTo(l),l instanceof t){var f={promiseRejectionQueued:!1,promise:u,target:p,bindingPromise:l};p._then(e,a,void 0,u,f),l._then(s,c,void 0,u,f),u._setOnCancel(l)}else u._resolveCallback(p);return u},t.prototype._setBoundTo=function(t){void 0!==t?(this._bitField=2097152|this._bitField,this._boundTo=t):this._bitField=-2097153&this._bitField},t.prototype._isBound=function(){return 2097152===(2097152&this._bitField)},t.bind=function(e,n){return t.resolve(n).bind(e)}}},{}],3:[function(t,e,n){"use strict";function r(){try{Promise===o&&(Promise=i)}catch(t){}return o}var i;"undefined"!=typeof Promise&&(i=Promise);var o=t("./promise")();o.noConflict=r,e.exports=o},{"./promise":15}],4:[function(t,e,n){"use strict";e.exports=function(e,n,r,i){var o=t("./util"),a=o.tryCatch,s=o.errorObj,c=e._async;e.prototype["break"]=e.prototype.cancel=function(){if(!i.cancellation())return this._warn("cancellation is disabled");for(var t=this,e=t;t._isCancellable();){if(!t._cancelBy(e)){e._isFollowing()?e._followee().cancel():e._cancelBranched();break}var n=t._cancellationParent;if(null==n||!n._isCancellable()){t._isFollowing()?t._followee().cancel():t._cancelBranched();break}t._isFollowing()&&t._followee().cancel(),t._setWillBeCancelled(),e=t,t=n}},e.prototype._branchHasCancelled=function(){this._branchesRemainingToCancel--},e.prototype._enoughBranchesHaveCancelled=function(){return void 0===this._branchesRemainingToCancel||this._branchesRemainingToCancel<=0},e.prototype._cancelBy=function(t){return t===this?(this._branchesRemainingToCancel=0,this._invokeOnCancel(),!0):(this._branchHasCancelled(),this._enoughBranchesHaveCancelled()?(this._invokeOnCancel(),!0):!1)},e.prototype._cancelBranched=function(){this._enoughBranchesHaveCancelled()&&this._cancel()},e.prototype._cancel=function(){this._isCancellable()&&(this._setCancelled(),c.invoke(this._cancelPromises,this,void 0))},e.prototype._cancelPromises=function(){this._length()>0&&this._settlePromises()},e.prototype._unsetOnCancel=function(){this._onCancelField=void 0},e.prototype._isCancellable=function(){return this.isPending()&&!this._isCancelled()},e.prototype.isCancellable=function(){return this.isPending()&&!this.isCancelled()},e.prototype._doInvokeOnCancel=function(t,e){if(o.isArray(t))for(var n=0;n<t.length;++n)this._doInvokeOnCancel(t[n],e);else if(void 0!==t)if("function"==typeof t){if(!e){var r=a(t).call(this._boundValue());r===s&&(this._attachExtraTrace(r.e),c.throwLater(r.e))}}else t._resultCancelled(this)},e.prototype._invokeOnCancel=function(){var t=this._onCancel();this._unsetOnCancel(),c.invoke(this._doInvokeOnCancel,this,t)},e.prototype._invokeInternalOnCancel=function(){this._isCancellable()&&(this._doInvokeOnCancel(this._onCancel(),!0),this._unsetOnCancel())},e.prototype._resultCancelled=function(){this.cancel()}}},{"./util":21}],5:[function(t,e,n){"use strict";e.exports=function(e){function n(t,n,s){return function(c){var l=s._boundValue();t:for(var u=0;u<t.length;++u){var p=t[u];if(p===Error||null!=p&&p.prototype instanceof Error){if(c instanceof p)return o(n).call(l,c)}else if("function"==typeof p){var f=o(p).call(l,c);if(f===a)return f;if(f)return o(n).call(l,c)}else if(r.isObject(c)){for(var h=i(p),_=0;_<h.length;++_){var d=h[_];if(p[d]!=c[d])continue t}return o(n).call(l,c)}}return e}}var r=t("./util"),i=t("./es5").keys,o=r.tryCatch,a=r.errorObj;return n}},{"./es5":10,"./util":21}],6:[function(t,e,n){"use strict";e.exports=function(t){function e(){this._trace=new e.CapturedTrace(r())}function n(){return i?new e:void 0}function r(){var t=o.length-1;return t>=0?o[t]:void 0}var i=!1,o=[];return t.prototype._promiseCreated=function(){},t.prototype._pushContext=function(){},t.prototype._popContext=function(){return null},t._peekContext=t.prototype._peekContext=function(){},e.prototype._pushContext=function(){void 0!==this._trace&&(this._trace._promiseCreated=null,o.push(this._trace))},e.prototype._popContext=function(){if(void 0!==this._trace){var t=o.pop(),e=t._promiseCreated;return t._promiseCreated=null,e}return null},e.CapturedTrace=null,e.create=n,e.deactivateLongStackTraces=function(){},e.activateLongStackTraces=function(){var n=t.prototype._pushContext,o=t.prototype._popContext,a=t._peekContext,s=t.prototype._peekContext,c=t.prototype._promiseCreated;e.deactivateLongStackTraces=function(){t.prototype._pushContext=n,t.prototype._popContext=o,t._peekContext=a,t.prototype._peekContext=s,t.prototype._promiseCreated=c,i=!1},i=!0,t.prototype._pushContext=e.prototype._pushContext,t.prototype._popContext=e.prototype._popContext,t._peekContext=t.prototype._peekContext=r,t.prototype._promiseCreated=function(){var t=this._peekContext();t&&null==t._promiseCreated&&(t._promiseCreated=this)}},e}},{}],7:[function(t,e,n){"use strict";e.exports=function(e,n){function r(t,e){return{promise:e}}function i(){return!1}function o(t,e,n){var r=this;try{t(e,n,function(t){if("function"!=typeof t)throw new TypeError("onCancel must be a function, got: "+I.toString(t));r._attachCancellationCallback(t)})}catch(i){return i}}function a(t){if(!this._isCancellable())return this;var e=this._onCancel();void 0!==e?I.isArray(e)?e.push(t):this._setOnCancel([e,t]):this._setOnCancel(t)}function s(){return this._onCancelField}function c(t){this._onCancelField=t}function l(){this._cancellationParent=void 0,this._onCancelField=void 0}function u(t,e){if(0!==(1&e)){this._cancellationParent=t;var n=t._branchesRemainingToCancel;void 0===n&&(n=0),t._branchesRemainingToCancel=n+1}0!==(2&e)&&t._isBound()&&this._setBoundTo(t._boundTo)}function p(t,e){0!==(2&e)&&t._isBound()&&this._setBoundTo(t._boundTo)}function f(){var t=this._boundTo;return void 0!==t&&t instanceof e?t.isFulfilled()?t.value():void 0:t}function h(){this._trace=new x(this._peekContext())}function _(t,e){if(H(t)){var n=this._trace;if(void 0!==n&&e&&(n=n._parent),void 0!==n)n.attachExtraTrace(t);else if(!t.__stackCleaned__){var r=E(t);I.notEnumerableProp(t,"stack",r.message+"\n"+r.stack.join("\n")),I.notEnumerableProp(t,"__stackCleaned__",!0)}}}function d(t,e,n,r,i){if(void 0===t&&null!==e&&X){if(void 0!==i&&i._returnedNonUndefined())return;if(0===(65535&r._bitField))return;n&&(n+=" ");var o="",a="";if(e._trace){for(var s=e._trace.stack.split("\n"),c=C(s),l=c.length-1;l>=0;--l){var u=c[l];if(!V.test(u)){var p=u.match(Q);p&&(o="at "+p[1]+":"+p[2]+":"+p[3]+" ");break}}if(c.length>0)for(var f=c[0],l=0;l<s.length;++l)if(s[l]===f){l>0&&(a="\n"+s[l-1]);break}}var h="a promise was created in a "+n+"handler "+o+"but was not returned from it, see http://goo.gl/rRqMUw"+a;r._warn(h,!0,e)}}function v(t,e){var n=t+" is deprecated and will be removed in a future version.";return e&&(n+=" Use "+e+" instead."),y(n)}function y(t,n,r){if(ot.warnings){var i,o=new U(t);if(n)r._attachExtraTrace(o);else if(ot.longStackTraces&&(i=e._peekContext()))i.attachExtraTrace(o);else{var a=E(o);o.stack=a.message+"\n"+a.stack.join("\n")}tt("warning",o)||k(o,"",!0)}}function g(t,e){for(var n=0;n<e.length-1;++n)e[n].push("From previous event:"),e[n]=e[n].join("\n");return n<e.length&&(e[n]=e[n].join("\n")),t+"\n"+e.join("\n")}function m(t){for(var e=0;e<t.length;++e)(0===t[e].length||e+1<t.length&&t[e][0]===t[e+1][0])&&(t.splice(e,1),e--)}function b(t){for(var e=t[0],n=1;n<t.length;++n){for(var r=t[n],i=e.length-1,o=e[i],a=-1,s=r.length-1;s>=0;--s)if(r[s]===o){a=s;break}for(var s=a;s>=0;--s){var c=r[s];if(e[i]!==c)break;e.pop(),i--}e=r}}function C(t){for(var e=[],n=0;n<t.length;++n){var r=t[n],i=" (No stack trace)"===r||q.test(r),o=i&&nt(r);i&&!o&&(M&&" "!==r.charAt(0)&&(r=" "+r),e.push(r))}return e}function w(t){for(var e=t.stack.replace(/\s+$/g,"").split("\n"),n=0;n<e.length;++n){var r=e[n];if(" (No stack trace)"===r||q.test(r))break}return n>0&&"SyntaxError"!=t.name&&(e=e.slice(n)),e}function E(t){var e=t.stack,n=t.toString();return e="string"==typeof e&&e.length>0?w(t):[" (No stack trace)"],{message:n,stack:"SyntaxError"==t.name?e:C(e)}}function k(t,e,n){if("undefined"!=typeof console){var r;if(I.isObject(t)){var i=t.stack;r=e+G(i,t)}else r=e+String(t);"function"==typeof L?L(r,n):("function"==typeof console.log||"object"==typeof console.log)&&console.log(r)}}function j(t,e,n,r){var i=!1;try{"function"==typeof e&&(i=!0,"rejectionHandled"===t?e(r):e(n,r))}catch(o){B.throwLater(o)}"unhandledRejection"===t?tt(t,n,r)||i||k(n,"Unhandled rejection "):tt(t,r)}function F(t){var e;if("function"==typeof t)e="[function "+(t.name||"anonymous")+"]";else{e=t&&"function"==typeof t.toString?t.toString():I.toString(t);var n=/\[object [a-zA-Z0-9$_]+\]/;if(n.test(e))try{var r=JSON.stringify(t);e=r}catch(i){}0===e.length&&(e="(empty array)")}return"(<"+T(e)+">, no stack trace)"}function T(t){var e=41;return t.length<e?t:t.substr(0,e-3)+"..."}function P(){return"function"==typeof it}function R(t){var e=t.match(rt);return e?{fileName:e[1],line:parseInt(e[2],10)}:void 0}function S(t,e){if(P()){for(var n,r,i=t.stack.split("\n"),o=e.stack.split("\n"),a=-1,s=-1,c=0;c<i.length;++c){var l=R(i[c]);if(l){n=l.fileName,a=l.line;break}}for(var c=0;c<o.length;++c){var l=R(o[c]);if(l){r=l.fileName,s=l.line;break}}0>a||0>s||!n||!r||n!==r||a>=s||(nt=function(t){if(D.test(t))return!0;var e=R(t);return e&&e.fileName===n&&a<=e.line&&e.line<=s?!0:!1})}}function x(t){this._parent=t,this._promisesCreated=0;var e=this._length=1+(void 0===t?0:t._length);it(this,x),e>32&&this.uncycle()}var O,A,L,N=e._getDomain,B=e._async,U=t("./errors").Warning,I=t("./util"),H=I.canAttachTrace,D=/[\\\/]bluebird[\\\/]js[\\\/](release|debug|instrumented)/,V=/\((?:timers\.js):\d+:\d+\)/,Q=/[\/<\(](.+?):(\d+):(\d+)\)?\s*$/,q=null,G=null,M=!1,W=!(0==I.env("BLUEBIRD_DEBUG")||!I.env("BLUEBIRD_DEBUG")&&"development"!==I.env("NODE_ENV")),$=!(0==I.env("BLUEBIRD_WARNINGS")||!W&&!I.env("BLUEBIRD_WARNINGS")),z=!(0==I.env("BLUEBIRD_LONG_STACK_TRACES")||!W&&!I.env("BLUEBIRD_LONG_STACK_TRACES")),X=0!=I.env("BLUEBIRD_W_FORGOTTEN_RETURN")&&($||!!I.env("BLUEBIRD_W_FORGOTTEN_RETURN"));e.prototype.suppressUnhandledRejections=function(){var t=this._target();t._bitField=-1048577&t._bitField|524288},e.prototype._ensurePossibleRejectionHandled=function(){0===(524288&this._bitField)&&(this._setRejectionIsUnhandled(),B.invokeLater(this._notifyUnhandledRejection,this,void 0))},e.prototype._notifyUnhandledRejectionIsHandled=function(){j("rejectionHandled",O,void 0,this)},e.prototype._setReturnedNonUndefined=function(){this._bitField=268435456|this._bitField},e.prototype._returnedNonUndefined=function(){return 0!==(268435456&this._bitField)},e.prototype._notifyUnhandledRejection=function(){if(this._isRejectionUnhandled()){var t=this._settledValue();this._setUnhandledRejectionIsNotified(),j("unhandledRejection",A,t,this)}},e.prototype._setUnhandledRejectionIsNotified=function(){this._bitField=262144|this._bitField},e.prototype._unsetUnhandledRejectionIsNotified=function(){this._bitField=-262145&this._bitField},e.prototype._isUnhandledRejectionNotified=function(){return(262144&this._bitField)>0},e.prototype._setRejectionIsUnhandled=function(){this._bitField=1048576|this._bitField},e.prototype._unsetRejectionIsUnhandled=function(){this._bitField=-1048577&this._bitField,this._isUnhandledRejectionNotified()&&(this._unsetUnhandledRejectionIsNotified(),this._notifyUnhandledRejectionIsHandled())},e.prototype._isRejectionUnhandled=function(){return(1048576&this._bitField)>0},e.prototype._warn=function(t,e,n){return y(t,e,n||this)},e.onPossiblyUnhandledRejection=function(t){var e=N();A="function"==typeof t?null===e?t:I.domainBind(e,t):void 0},e.onUnhandledRejectionHandled=function(t){var e=N();O="function"==typeof t?null===e?t:I.domainBind(e,t):void 0};var K=function(){};e.longStackTraces=function(){if(B.haveItemsQueued()&&!ot.longStackTraces)throw new Error("cannot enable long stack traces after promises have been created\n\n See http://goo.gl/MqrFmX\n");if(!ot.longStackTraces&&P()){var t=e.prototype._captureStackTrace,r=e.prototype._attachExtraTrace;ot.longStackTraces=!0,K=function(){if(B.haveItemsQueued()&&!ot.longStackTraces)throw new Error("cannot enable long stack traces after promises have been created\n\n See http://goo.gl/MqrFmX\n");e.prototype._captureStackTrace=t,e.prototype._attachExtraTrace=r,n.deactivateLongStackTraces(),B.enableTrampoline(),ot.longStackTraces=!1},e.prototype._captureStackTrace=h,e.prototype._attachExtraTrace=_,n.activateLongStackTraces(),B.disableTrampolineIfNecessary()}},e.hasLongStackTraces=function(){return ot.longStackTraces&&P()};var J=function(){try{if("function"==typeof CustomEvent){var t=new CustomEvent("CustomEvent");return I.global.dispatchEvent(t),function(t,e){var n=new CustomEvent(t.toLowerCase(),{detail:e,cancelable:!0});return!I.global.dispatchEvent(n)}}if("function"==typeof Event){var t=new Event("CustomEvent");return I.global.dispatchEvent(t),function(t,e){var n=new Event(t.toLowerCase(),{cancelable:!0});return n.detail=e,!I.global.dispatchEvent(n)}}var t=document.createEvent("CustomEvent");return t.initCustomEvent("testingtheevent",!1,!0,{}),I.global.dispatchEvent(t),function(t,e){var n=document.createEvent("CustomEvent");return n.initCustomEvent(t.toLowerCase(),!1,!0,e),!I.global.dispatchEvent(n)}}catch(e){}return function(){return!1}}(),Y=function(){return I.isNode?function(){return process.emit.apply(process,arguments)}:I.global?function(t){var e="on"+t.toLowerCase(),n=I.global[e];return n?(n.apply(I.global,[].slice.call(arguments,1)),!0):!1}:function(){return!1}}(),Z={promiseCreated:r,promiseFulfilled:r,promiseRejected:r,promiseResolved:r,promiseCancelled:r,promiseChained:function(t,e,n){return{promise:e,child:n}},warning:function(t,e){return{warning:e}},unhandledRejection:function(t,e,n){return{reason:e,promise:n}},rejectionHandled:r},tt=function(t){var e=!1;try{e=Y.apply(null,arguments)}catch(n){B.throwLater(n),e=!0}var r=!1;try{r=J(t,Z[t].apply(null,arguments))}catch(n){B.throwLater(n),r=!0}return r||e};e.config=function(t){if(t=Object(t),"longStackTraces"in t&&(t.longStackTraces?e.longStackTraces():!t.longStackTraces&&e.hasLongStackTraces()&&K()),"warnings"in t){var n=t.warnings;ot.warnings=!!n,X=ot.warnings,I.isObject(n)&&"wForgottenReturn"in n&&(X=!!n.wForgottenReturn)}if("cancellation"in t&&t.cancellation&&!ot.cancellation){if(B.haveItemsQueued())throw new Error("cannot enable cancellation after promises are in use");e.prototype._clearCancellationData=l,e.prototype._propagateFrom=u,e.prototype._onCancel=s,e.prototype._setOnCancel=c,e.prototype._attachCancellationCallback=a,e.prototype._execute=o,et=u,ot.cancellation=!0}return"monitoring"in t&&(t.monitoring&&!ot.monitoring?(ot.monitoring=!0,e.prototype._fireEvent=tt):!t.monitoring&&ot.monitoring&&(ot.monitoring=!1,e.prototype._fireEvent=i)),e},e.prototype._fireEvent=i,e.prototype._execute=function(t,e,n){try{t(e,n)}catch(r){return r}},e.prototype._onCancel=function(){},e.prototype._setOnCancel=function(t){},e.prototype._attachCancellationCallback=function(t){},e.prototype._captureStackTrace=function(){},e.prototype._attachExtraTrace=function(){},e.prototype._clearCancellationData=function(){},e.prototype._propagateFrom=function(t,e){};var et=p,nt=function(){return!1},rt=/[\/<\(]([^:\/]+):(\d+):(?:\d+)\)?\s*$/;I.inherits(x,Error),n.CapturedTrace=x,x.prototype.uncycle=function(){var t=this._length;if(!(2>t)){for(var e=[],n={},r=0,i=this;void 0!==i;++r)e.push(i),i=i._parent;t=this._length=r;for(var r=t-1;r>=0;--r){var o=e[r].stack;void 0===n[o]&&(n[o]=r)}for(var r=0;t>r;++r){var a=e[r].stack,s=n[a];if(void 0!==s&&s!==r){s>0&&(e[s-1]._parent=void 0,e[s-1]._length=1),e[r]._parent=void 0,e[r]._length=1;var c=r>0?e[r-1]:this;t-1>s?(c._parent=e[s+1],c._parent.uncycle(),c._length=c._parent._length+1):(c._parent=void 0,c._length=1);for(var l=c._length+1,u=r-2;u>=0;--u)e[u]._length=l,l++;return}}}},x.prototype.attachExtraTrace=function(t){if(!t.__stackCleaned__){this.uncycle();for(var e=E(t),n=e.message,r=[e.stack],i=this;void 0!==i;)r.push(C(i.stack.split("\n"))),i=i._parent;b(r),m(r),I.notEnumerableProp(t,"stack",g(n,r)),I.notEnumerableProp(t,"__stackCleaned__",!0)}};var it=function(){var t=/^\s*at\s*/,e=function(t,e){return"string"==typeof t?t:void 0!==e.name&&void 0!==e.message?e.toString():F(e)};if("number"==typeof Error.stackTraceLimit&&"function"==typeof Error.captureStackTrace){Error.stackTraceLimit+=6,q=t,G=e;var n=Error.captureStackTrace;return nt=function(t){return D.test(t)},function(t,e){Error.stackTraceLimit+=6,n(t,e),Error.stackTraceLimit-=6}}var r=new Error;if("string"==typeof r.stack&&r.stack.split("\n")[0].indexOf("stackDetection@")>=0)return q=/@/,G=e,M=!0,function(t){t.stack=(new Error).stack};var i;try{throw new Error}catch(o){i="stack"in o}return"stack"in r||!i||"number"!=typeof Error.stackTraceLimit?(G=function(t,e){return"string"==typeof t?t:"object"!=typeof e&&"function"!=typeof e||void 0===e.name||void 0===e.message?F(e):e.toString()},null):(q=t,G=e,function(t){Error.stackTraceLimit+=6;try{throw new Error}catch(e){t.stack=e.stack}Error.stackTraceLimit-=6})}([]);"undefined"!=typeof console&&"undefined"!=typeof console.warn&&(L=function(t){console.warn(t)},I.isNode&&process.stderr.isTTY?L=function(t,e){var n=e?"":"";console.warn(n+t+"\n")}:I.isNode||"string"!=typeof(new Error).stack||(L=function(t,e){console.warn("%c"+t,e?"color: darkorange":"color: red")}));var ot={warnings:$,longStackTraces:!1,cancellation:!1,monitoring:!1};return z&&e.longStackTraces(),{longStackTraces:function(){return ot.longStackTraces},warnings:function(){return ot.warnings},cancellation:function(){return ot.cancellation},monitoring:function(){return ot.monitoring},propagateFromFunction:function(){return et},boundValueFunction:function(){return f},checkForgottenReturns:d,setBounds:S,warn:y,deprecated:v,CapturedTrace:x,fireDomEvent:J,fireGlobalEvent:Y}}},{"./errors":9,"./util":21}],8:[function(t,e,n){"use strict";e.exports=function(t){function e(){return this.value}function n(){throw this.reason}t.prototype["return"]=t.prototype.thenReturn=function(n){return n instanceof t&&n.suppressUnhandledRejections(),this._then(e,void 0,void 0,{value:n},void 0)},t.prototype["throw"]=t.prototype.thenThrow=function(t){return this._then(n,void 0,void 0,{reason:t},void 0)},t.prototype.catchThrow=function(t){if(arguments.length<=1)return this._then(void 0,n,void 0,{reason:t},void 0);var e=arguments[1],r=function(){throw e};return this.caught(t,r)},t.prototype.catchReturn=function(n){if(arguments.length<=1)return n instanceof t&&n.suppressUnhandledRejections(),this._then(void 0,e,void 0,{value:n},void 0);var r=arguments[1];r instanceof t&&r.suppressUnhandledRejections();var i=function(){return r};return this.caught(n,i)}}},{}],9:[function(t,e,n){"use strict";function r(t,e){function n(r){return this instanceof n?(p(this,"message","string"==typeof r?r:e),p(this,"name",t),void(Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):Error.call(this))):new n(r)}return u(n,Error),n}function i(t){return this instanceof i?(p(this,"name","OperationalError"),p(this,"message",t),this.cause=t,this.isOperational=!0,void(t instanceof Error?(p(this,"message",t.message),p(this,"stack",t.stack)):Error.captureStackTrace&&Error.captureStackTrace(this,this.constructor))):new i(t)}var o,a,s=t("./es5"),c=s.freeze,l=t("./util"),u=l.inherits,p=l.notEnumerableProp,f=r("Warning","warning"),h=r("CancellationError","cancellation error"),_=r("TimeoutError","timeout error"),d=r("AggregateError","aggregate error");try{o=TypeError,a=RangeError}catch(v){o=r("TypeError","type error"),a=r("RangeError","range error")}for(var y="join pop push shift unshift slice filter forEach some every map indexOf lastIndexOf reduce reduceRight sort reverse".split(" "),g=0;g<y.length;++g)"function"==typeof Array.prototype[y[g]]&&(d.prototype[y[g]]=Array.prototype[y[g]]);s.defineProperty(d.prototype,"length",{value:0,configurable:!1,writable:!0,enumerable:!0}),d.prototype.isOperational=!0;var m=0;d.prototype.toString=function(){var t=Array(4*m+1).join(" "),e="\n"+t+"AggregateError of:\n";m++,t=Array(4*m+1).join(" ");for(var n=0;n<this.length;++n){for(var r=this[n]===this?"[Circular AggregateError]":this[n]+"",i=r.split("\n"),o=0;o<i.length;++o)i[o]=t+i[o];r=i.join("\n"),e+=r+"\n"}return m--,e},u(i,Error);var b=Error.__BluebirdErrorTypes__;b||(b=c({CancellationError:h,TimeoutError:_,OperationalError:i,RejectionError:i,AggregateError:d}),s.defineProperty(Error,"__BluebirdErrorTypes__",{value:b,writable:!1,enumerable:!1,configurable:!1})),e.exports={Error:Error,TypeError:o,RangeError:a,CancellationError:b.CancellationError,OperationalError:b.OperationalError,TimeoutError:b.TimeoutError,AggregateError:b.AggregateError,Warning:f}},{"./es5":10,"./util":21}],10:[function(t,e,n){var r=function(){"use strict";return void 0===this}();if(r)e.exports={freeze:Object.freeze,defineProperty:Object.defineProperty,getDescriptor:Object.getOwnPropertyDescriptor,keys:Object.keys,names:Object.getOwnPropertyNames,getPrototypeOf:Object.getPrototypeOf,isArray:Array.isArray,isES5:r,propertyIsWritable:function(t,e){var n=Object.getOwnPropertyDescriptor(t,e);return!(n&&!n.writable&&!n.set)}};else{var i={}.hasOwnProperty,o={}.toString,a={}.constructor.prototype,s=function(t){var e=[];for(var n in t)i.call(t,n)&&e.push(n);return e},c=function(t,e){return{value:t[e]}},l=function(t,e,n){return t[e]=n.value,t},u=function(t){return t},p=function(t){try{return Object(t).constructor.prototype}catch(e){return a}},f=function(t){try{return"[object Array]"===o.call(t)}catch(e){return!1}};e.exports={isArray:f,keys:s,names:s,defineProperty:l,getDescriptor:c,freeze:u,getPrototypeOf:p,isES5:r,propertyIsWritable:function(){return!0}}}},{}],11:[function(t,e,n){"use strict";e.exports=function(e,n,r){function i(t,e,n){this.promise=t,this.type=e,this.handler=n,this.called=!1,this.cancelPromise=null}function o(t){this.finallyHandler=t}function a(t,e){return null!=t.cancelPromise?(arguments.length>1?t.cancelPromise._reject(e):t.cancelPromise._cancel(),t.cancelPromise=null,!0):!1}function s(){return l.call(this,this.promise._target()._settledValue())}function c(t){return a(this,t)?void 0:(f.e=t,f)}function l(t){var i=this.promise,l=this.handler;if(!this.called){this.called=!0;var u=this.isFinallyHandler()?l.call(i._boundValue()):l.call(i._boundValue(),t);if(u===r)return u;if(void 0!==u){i._setReturnedNonUndefined();var h=n(u,i);if(h instanceof e){if(null!=this.cancelPromise){if(h._isCancelled()){var _=new p("late cancellation observer");return i._attachExtraTrace(_),f.e=_,f}h.isPending()&&h._attachCancellationCallback(new o(this))}return h._then(s,c,void 0,this,void 0)}}}return i.isRejected()?(a(this),f.e=t,f):(a(this),t)}var u=t("./util"),p=e.CancellationError,f=u.errorObj,h=t("./catch_filter")(r);return i.prototype.isFinallyHandler=function(){return 0===this.type},o.prototype._resultCancelled=function(){a(this.finallyHandler)},e.prototype._passThrough=function(t,e,n,r){return"function"!=typeof t?this.then():this._then(n,r,void 0,new i(this,e,t),void 0)},e.prototype.lastly=e.prototype["finally"]=function(t){return this._passThrough(t,0,l,l)},e.prototype.tap=function(t){return this._passThrough(t,1,l)},e.prototype.tapCatch=function(t){var n=arguments.length;if(1===n)return this._passThrough(t,1,void 0,l);var r,i=new Array(n-1),o=0;for(r=0;n-1>r;++r){var a=arguments[r];if(!u.isObject(a))return e.reject(new TypeError("tapCatch statement predicate: expecting an object but got "+u.classString(a)));i[o++]=a}i.length=o;var s=arguments[r];return this._passThrough(h(i,s,this),1,void 0,l)},i}},{"./catch_filter":5,"./util":21}],12:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o,a){var s=t("./util");s.canEvaluate,s.tryCatch,s.errorObj;e.join=function(){var t,e=arguments.length-1;if(e>0&&"function"==typeof arguments[e]){t=arguments[e];var r}var i=[].slice.call(arguments);t&&i.pop();var r=new n(i).promise();return void 0!==t?r.spread(t):r}}},{"./util":21}],13:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o){var a=t("./util"),s=a.tryCatch;e.method=function(t){if("function"!=typeof t)throw new e.TypeError("expecting a function but got "+a.classString(t));return function(){var r=new e(n);r._captureStackTrace(),r._pushContext();var i=s(t).apply(this,arguments),a=r._popContext();return o.checkForgottenReturns(i,a,"Promise.method",r),r._resolveFromSyncValue(i),r}},e.attempt=e["try"]=function(t){if("function"!=typeof t)return i("expecting a function but got "+a.classString(t));var r=new e(n);r._captureStackTrace(),r._pushContext();var c;if(arguments.length>1){o.deprecated("calling Promise.try with more than 1 argument");var l=arguments[1],u=arguments[2];c=a.isArray(l)?s(t).apply(u,l):s(t).call(u,l)}else c=s(t)();var p=r._popContext();return o.checkForgottenReturns(c,p,"Promise.try",r),r._resolveFromSyncValue(c),r},e.prototype._resolveFromSyncValue=function(t){t===a.errorObj?this._rejectCallback(t.e,!1):this._resolveCallback(t,!0)}}},{"./util":21}],14:[function(t,e,n){"use strict";function r(t){return t instanceof Error&&u.getPrototypeOf(t)===Error.prototype}function i(t){var e;if(r(t)){e=new l(t),e.name=t.name,e.message=t.message,e.stack=t.stack;for(var n=u.keys(t),i=0;i<n.length;++i){var o=n[i];p.test(o)||(e[o]=t[o])}return e}return a.markAsOriginatingFromRejection(t),t}function o(t,e){return function(n,r){if(null!==t){if(n){var o=i(s(n));t._attachExtraTrace(o),t._reject(o)}else if(e){var a=[].slice.call(arguments,1);t._fulfill(a)}else t._fulfill(r);t=null}}}var a=t("./util"),s=a.maybeWrapAsError,c=t("./errors"),l=c.OperationalError,u=t("./es5"),p=/^(?:name|message|stack|cause)$/;e.exports=o},{"./errors":9,"./es5":10,"./util":21}],15:[function(t,e,n){"use strict";e.exports=function(){function n(){}function r(t,e){if(null==t||t.constructor!==i)throw new g("the promise constructor cannot be invoked directly\n\n See http://goo.gl/MqrFmX\n");if("function"!=typeof e)throw new g("expecting a function but got "+h.classString(e))}function i(t){t!==b&&r(this,t),this._bitField=0,this._fulfillmentHandler0=void 0,this._rejectionHandler0=void 0,this._promise0=void 0,this._receiver0=void 0,this._resolveFromExecutor(t),this._promiseCreated(),this._fireEvent("promiseCreated",this)}function o(t){this.promise._resolveCallback(t)}function a(t){this.promise._rejectCallback(t,!1)}function s(t){var e=new i(b);e._fulfillmentHandler0=t,e._rejectionHandler0=t,e._promise0=t,e._receiver0=t}var c,l=function(){return new g("circular promise resolution chain\n\n See http://goo.gl/MqrFmX\n")},u=function(){return new i.PromiseInspection(this._target())},p=function(t){return i.reject(new g(t))},f={},h=t("./util");c=h.isNode?function(){var t=process.domain;return void 0===t&&(t=null),t}:function(){return null},h.notEnumerableProp(i,"_getDomain",c);var _=t("./es5"),d=t("./async"),v=new d;_.defineProperty(i,"_async",{value:v});var y=t("./errors"),g=i.TypeError=y.TypeError;i.RangeError=y.RangeError;var m=i.CancellationError=y.CancellationError;i.TimeoutError=y.TimeoutError,i.OperationalError=y.OperationalError,i.RejectionError=y.OperationalError,i.AggregateError=y.AggregateError;var b=function(){},C={},w={},E=t("./thenables")(i,b),k=t("./promise_array")(i,b,E,p,n),j=t("./context")(i),F=(j.create,t("./debuggability")(i,j)),T=(F.CapturedTrace,t("./finally")(i,E,w)),P=t("./catch_filter")(w),R=t("./nodeback"),S=h.errorObj,x=h.tryCatch;return i.prototype.toString=function(){return"[object Promise]"},i.prototype.caught=i.prototype["catch"]=function(t){var e=arguments.length;if(e>1){var n,r=new Array(e-1),i=0;for(n=0;e-1>n;++n){var o=arguments[n];if(!h.isObject(o))return p("Catch statement predicate: expecting an object but got "+h.classString(o));r[i++]=o}return r.length=i,t=arguments[n],this.then(void 0,P(r,t,this))}return this.then(void 0,t)},i.prototype.reflect=function(){return this._then(u,u,void 0,this,void 0)},i.prototype.then=function(t,e){if(F.warnings()&&arguments.length>0&&"function"!=typeof t&&"function"!=typeof e){var n=".then() only accepts functions but was passed: "+h.classString(t);arguments.length>1&&(n+=", "+h.classString(e)),this._warn(n)}return this._then(t,e,void 0,void 0,void 0)},i.prototype.done=function(t,e){var n=this._then(t,e,void 0,void 0,void 0);n._setIsFinal()},i.prototype.spread=function(t){return"function"!=typeof t?p("expecting a function but got "+h.classString(t)):this.all()._then(t,void 0,void 0,C,void 0);
  31 +},i.prototype.toJSON=function(){var t={isFulfilled:!1,isRejected:!1,fulfillmentValue:void 0,rejectionReason:void 0};return this.isFulfilled()?(t.fulfillmentValue=this.value(),t.isFulfilled=!0):this.isRejected()&&(t.rejectionReason=this.reason(),t.isRejected=!0),t},i.prototype.all=function(){return arguments.length>0&&this._warn(".all() was passed arguments but it does not take any"),new k(this).promise()},i.prototype.error=function(t){return this.caught(h.originatesFromRejection,t)},i.getNewLibraryCopy=e.exports,i.is=function(t){return t instanceof i},i.fromNode=i.fromCallback=function(t){var e=new i(b);e._captureStackTrace();var n=arguments.length>1?!!Object(arguments[1]).multiArgs:!1,r=x(t)(R(e,n));return r===S&&e._rejectCallback(r.e,!0),e._isFateSealed()||e._setAsyncGuaranteed(),e},i.all=function(t){return new k(t).promise()},i.cast=function(t){var e=E(t);return e instanceof i||(e=new i(b),e._captureStackTrace(),e._setFulfilled(),e._rejectionHandler0=t),e},i.resolve=i.fulfilled=i.cast,i.reject=i.rejected=function(t){var e=new i(b);return e._captureStackTrace(),e._rejectCallback(t,!0),e},i.setScheduler=function(t){if("function"!=typeof t)throw new g("expecting a function but got "+h.classString(t));return v.setScheduler(t)},i.prototype._then=function(t,e,n,r,o){var a=void 0!==o,s=a?o:new i(b),l=this._target(),u=l._bitField;a||(s._propagateFrom(this,3),s._captureStackTrace(),void 0===r&&0!==(2097152&this._bitField)&&(r=0!==(50397184&u)?this._boundValue():l===this?void 0:this._boundTo),this._fireEvent("promiseChained",this,s));var p=c();if(0!==(50397184&u)){var f,_,d=l._settlePromiseCtx;0!==(33554432&u)?(_=l._rejectionHandler0,f=t):0!==(16777216&u)?(_=l._fulfillmentHandler0,f=e,l._unsetRejectionIsUnhandled()):(d=l._settlePromiseLateCancellationObserver,_=new m("late cancellation observer"),l._attachExtraTrace(_),f=e),v.invoke(d,l,{handler:null===p?f:"function"==typeof f&&h.domainBind(p,f),promise:s,receiver:r,value:_})}else l._addCallbacks(t,e,s,r,p);return s},i.prototype._length=function(){return 65535&this._bitField},i.prototype._isFateSealed=function(){return 0!==(117506048&this._bitField)},i.prototype._isFollowing=function(){return 67108864===(67108864&this._bitField)},i.prototype._setLength=function(t){this._bitField=-65536&this._bitField|65535&t},i.prototype._setFulfilled=function(){this._bitField=33554432|this._bitField,this._fireEvent("promiseFulfilled",this)},i.prototype._setRejected=function(){this._bitField=16777216|this._bitField,this._fireEvent("promiseRejected",this)},i.prototype._setFollowing=function(){this._bitField=67108864|this._bitField,this._fireEvent("promiseResolved",this)},i.prototype._setIsFinal=function(){this._bitField=4194304|this._bitField},i.prototype._isFinal=function(){return(4194304&this._bitField)>0},i.prototype._unsetCancelled=function(){this._bitField=-65537&this._bitField},i.prototype._setCancelled=function(){this._bitField=65536|this._bitField,this._fireEvent("promiseCancelled",this)},i.prototype._setWillBeCancelled=function(){this._bitField=8388608|this._bitField},i.prototype._setAsyncGuaranteed=function(){v.hasCustomScheduler()||(this._bitField=134217728|this._bitField)},i.prototype._receiverAt=function(t){var e=0===t?this._receiver0:this[4*t-4+3];return e===f?void 0:void 0===e&&this._isBound()?this._boundValue():e},i.prototype._promiseAt=function(t){return this[4*t-4+2]},i.prototype._fulfillmentHandlerAt=function(t){return this[4*t-4+0]},i.prototype._rejectionHandlerAt=function(t){return this[4*t-4+1]},i.prototype._boundValue=function(){},i.prototype._migrateCallback0=function(t){var e=(t._bitField,t._fulfillmentHandler0),n=t._rejectionHandler0,r=t._promise0,i=t._receiverAt(0);void 0===i&&(i=f),this._addCallbacks(e,n,r,i,null)},i.prototype._migrateCallbackAt=function(t,e){var n=t._fulfillmentHandlerAt(e),r=t._rejectionHandlerAt(e),i=t._promiseAt(e),o=t._receiverAt(e);void 0===o&&(o=f),this._addCallbacks(n,r,i,o,null)},i.prototype._addCallbacks=function(t,e,n,r,i){var o=this._length();if(o>=65531&&(o=0,this._setLength(0)),0===o)this._promise0=n,this._receiver0=r,"function"==typeof t&&(this._fulfillmentHandler0=null===i?t:h.domainBind(i,t)),"function"==typeof e&&(this._rejectionHandler0=null===i?e:h.domainBind(i,e));else{var a=4*o-4;this[a+2]=n,this[a+3]=r,"function"==typeof t&&(this[a+0]=null===i?t:h.domainBind(i,t)),"function"==typeof e&&(this[a+1]=null===i?e:h.domainBind(i,e))}return this._setLength(o+1),o},i.prototype._proxy=function(t,e){this._addCallbacks(void 0,void 0,e,t,null)},i.prototype._resolveCallback=function(t,e){if(0===(117506048&this._bitField)){if(t===this)return this._rejectCallback(l(),!1);var n=E(t,this);if(!(n instanceof i))return this._fulfill(t);e&&this._propagateFrom(n,2);var r=n._target();if(r===this)return void this._reject(l());var o=r._bitField;if(0===(50397184&o)){var a=this._length();a>0&&r._migrateCallback0(this);for(var s=1;a>s;++s)r._migrateCallbackAt(this,s);this._setFollowing(),this._setLength(0),this._setFollowee(r)}else if(0!==(33554432&o))this._fulfill(r._value());else if(0!==(16777216&o))this._reject(r._reason());else{var c=new m("late cancellation observer");r._attachExtraTrace(c),this._reject(c)}}},i.prototype._rejectCallback=function(t,e,n){var r=h.ensureErrorObject(t),i=r===t;if(!i&&!n&&F.warnings()){var o="a promise was rejected with a non-error: "+h.classString(t);this._warn(o,!0)}this._attachExtraTrace(r,e?i:!1),this._reject(t)},i.prototype._resolveFromExecutor=function(t){if(t!==b){var e=this;this._captureStackTrace(),this._pushContext();var n=!0,r=this._execute(t,function(t){e._resolveCallback(t)},function(t){e._rejectCallback(t,n)});n=!1,this._popContext(),void 0!==r&&e._rejectCallback(r,!0)}},i.prototype._settlePromiseFromHandler=function(t,e,n,r){var i=r._bitField;if(0===(65536&i)){r._pushContext();var o;e===C?n&&"number"==typeof n.length?o=x(t).apply(this._boundValue(),n):(o=S,o.e=new g("cannot .spread() a non-array: "+h.classString(n))):o=x(t).call(e,n);var a=r._popContext();i=r._bitField,0===(65536&i)&&(o===w?r._reject(n):o===S?r._rejectCallback(o.e,!1):(F.checkForgottenReturns(o,a,"",r,this),r._resolveCallback(o)))}},i.prototype._target=function(){for(var t=this;t._isFollowing();)t=t._followee();return t},i.prototype._followee=function(){return this._rejectionHandler0},i.prototype._setFollowee=function(t){this._rejectionHandler0=t},i.prototype._settlePromise=function(t,e,r,o){var a=t instanceof i,s=this._bitField,c=0!==(134217728&s);0!==(65536&s)?(a&&t._invokeInternalOnCancel(),r instanceof T&&r.isFinallyHandler()?(r.cancelPromise=t,x(e).call(r,o)===S&&t._reject(S.e)):e===u?t._fulfill(u.call(r)):r instanceof n?r._promiseCancelled(t):a||t instanceof k?t._cancel():r.cancel()):"function"==typeof e?a?(c&&t._setAsyncGuaranteed(),this._settlePromiseFromHandler(e,r,o,t)):e.call(r,o,t):r instanceof n?r._isResolved()||(0!==(33554432&s)?r._promiseFulfilled(o,t):r._promiseRejected(o,t)):a&&(c&&t._setAsyncGuaranteed(),0!==(33554432&s)?t._fulfill(o):t._reject(o))},i.prototype._settlePromiseLateCancellationObserver=function(t){var e=t.handler,n=t.promise,r=t.receiver,o=t.value;"function"==typeof e?n instanceof i?this._settlePromiseFromHandler(e,r,o,n):e.call(r,o,n):n instanceof i&&n._reject(o)},i.prototype._settlePromiseCtx=function(t){this._settlePromise(t.promise,t.handler,t.receiver,t.value)},i.prototype._settlePromise0=function(t,e,n){var r=this._promise0,i=this._receiverAt(0);this._promise0=void 0,this._receiver0=void 0,this._settlePromise(r,t,i,e)},i.prototype._clearCallbackDataAtIndex=function(t){var e=4*t-4;this[e+2]=this[e+3]=this[e+0]=this[e+1]=void 0},i.prototype._fulfill=function(t){var e=this._bitField;if(!((117506048&e)>>>16)){if(t===this){var n=l();return this._attachExtraTrace(n),this._reject(n)}this._setFulfilled(),this._rejectionHandler0=t,(65535&e)>0&&(0!==(134217728&e)?this._settlePromises():v.settlePromises(this))}},i.prototype._reject=function(t){var e=this._bitField;if(!((117506048&e)>>>16))return this._setRejected(),this._fulfillmentHandler0=t,this._isFinal()?v.fatalError(t,h.isNode):void((65535&e)>0?v.settlePromises(this):this._ensurePossibleRejectionHandled())},i.prototype._fulfillPromises=function(t,e){for(var n=1;t>n;n++){var r=this._fulfillmentHandlerAt(n),i=this._promiseAt(n),o=this._receiverAt(n);this._clearCallbackDataAtIndex(n),this._settlePromise(i,r,o,e)}},i.prototype._rejectPromises=function(t,e){for(var n=1;t>n;n++){var r=this._rejectionHandlerAt(n),i=this._promiseAt(n),o=this._receiverAt(n);this._clearCallbackDataAtIndex(n),this._settlePromise(i,r,o,e)}},i.prototype._settlePromises=function(){var t=this._bitField,e=65535&t;if(e>0){if(0!==(16842752&t)){var n=this._fulfillmentHandler0;this._settlePromise0(this._rejectionHandler0,n,t),this._rejectPromises(e,n)}else{var r=this._rejectionHandler0;this._settlePromise0(this._fulfillmentHandler0,r,t),this._fulfillPromises(e,r)}this._setLength(0)}this._clearCancellationData()},i.prototype._settledValue=function(){var t=this._bitField;return 0!==(33554432&t)?this._rejectionHandler0:0!==(16777216&t)?this._fulfillmentHandler0:void 0},i.defer=i.pending=function(){F.deprecated("Promise.defer","new Promise");var t=new i(b);return{promise:t,resolve:o,reject:a}},h.notEnumerableProp(i,"_makeSelfResolutionError",l),t("./method")(i,b,E,p,F),t("./bind")(i,b,E,F),t("./cancel")(i,k,p,F),t("./direct_resolve")(i),t("./synchronous_inspection")(i),t("./join")(i,k,E,b,v,c),i.Promise=i,i.version="3.5.0",h.toFastProperties(i),h.toFastProperties(i.prototype),s({a:1}),s({b:2}),s({c:3}),s(1),s(function(){}),s(void 0),s(!1),s(new i(b)),F.setBounds(d.firstLineError,h.lastLineError),i}},{"./async":1,"./bind":2,"./cancel":4,"./catch_filter":5,"./context":6,"./debuggability":7,"./direct_resolve":8,"./errors":9,"./es5":10,"./finally":11,"./join":12,"./method":13,"./nodeback":14,"./promise_array":16,"./synchronous_inspection":19,"./thenables":20,"./util":21}],16:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o){function a(t){switch(t){case-2:return[];case-3:return{};case-6:return new Map}}function s(t){var r=this._promise=new e(n);t instanceof e&&r._propagateFrom(t,3),r._setOnCancel(this),this._values=t,this._length=0,this._totalResolved=0,this._init(void 0,-2)}var c=t("./util");c.isArray;return c.inherits(s,o),s.prototype.length=function(){return this._length},s.prototype.promise=function(){return this._promise},s.prototype._init=function l(t,n){var o=r(this._values,this._promise);if(o instanceof e){o=o._target();var s=o._bitField;if(this._values=o,0===(50397184&s))return this._promise._setAsyncGuaranteed(),o._then(l,this._reject,void 0,this,n);if(0===(33554432&s))return 0!==(16777216&s)?this._reject(o._reason()):this._cancel();o=o._value()}if(o=c.asArray(o),null===o){var u=i("expecting an array or an iterable object but got "+c.classString(o)).reason();return void this._promise._rejectCallback(u,!1)}return 0===o.length?void(-5===n?this._resolveEmptyArray():this._resolve(a(n))):void this._iterate(o)},s.prototype._iterate=function(t){var n=this.getActualLength(t.length);this._length=n,this._values=this.shouldCopyValues()?new Array(n):this._values;for(var i=this._promise,o=!1,a=null,s=0;n>s;++s){var c=r(t[s],i);c instanceof e?(c=c._target(),a=c._bitField):a=null,o?null!==a&&c.suppressUnhandledRejections():null!==a?0===(50397184&a)?(c._proxy(this,s),this._values[s]=c):o=0!==(33554432&a)?this._promiseFulfilled(c._value(),s):0!==(16777216&a)?this._promiseRejected(c._reason(),s):this._promiseCancelled(s):o=this._promiseFulfilled(c,s)}o||i._setAsyncGuaranteed()},s.prototype._isResolved=function(){return null===this._values},s.prototype._resolve=function(t){this._values=null,this._promise._fulfill(t)},s.prototype._cancel=function(){!this._isResolved()&&this._promise._isCancellable()&&(this._values=null,this._promise._cancel())},s.prototype._reject=function(t){this._values=null,this._promise._rejectCallback(t,!1)},s.prototype._promiseFulfilled=function(t,e){this._values[e]=t;var n=++this._totalResolved;return n>=this._length?(this._resolve(this._values),!0):!1},s.prototype._promiseCancelled=function(){return this._cancel(),!0},s.prototype._promiseRejected=function(t){return this._totalResolved++,this._reject(t),!0},s.prototype._resultCancelled=function(){if(!this._isResolved()){var t=this._values;if(this._cancel(),t instanceof e)t.cancel();else for(var n=0;n<t.length;++n)t[n]instanceof e&&t[n].cancel()}},s.prototype.shouldCopyValues=function(){return!0},s.prototype.getActualLength=function(t){return t},s}},{"./util":21}],17:[function(t,e,n){"use strict";function r(t,e,n,r,i){for(var o=0;i>o;++o)n[o+r]=t[o+e],t[o+e]=void 0}function i(t){this._capacity=t,this._length=0,this._front=0}i.prototype._willBeOverCapacity=function(t){return this._capacity<t},i.prototype._pushOne=function(t){var e=this.length();this._checkCapacity(e+1);var n=this._front+e&this._capacity-1;this[n]=t,this._length=e+1},i.prototype.push=function(t,e,n){var r=this.length()+3;if(this._willBeOverCapacity(r))return this._pushOne(t),this._pushOne(e),void this._pushOne(n);var i=this._front+r-3;this._checkCapacity(r);var o=this._capacity-1;this[i+0&o]=t,this[i+1&o]=e,this[i+2&o]=n,this._length=r},i.prototype.shift=function(){var t=this._front,e=this[t];return this[t]=void 0,this._front=t+1&this._capacity-1,this._length--,e},i.prototype.length=function(){return this._length},i.prototype._checkCapacity=function(t){this._capacity<t&&this._resizeTo(this._capacity<<1)},i.prototype._resizeTo=function(t){var e=this._capacity;this._capacity=t;var n=this._front,i=this._length,o=n+i&e-1;r(this,0,this,e,o)},e.exports=i},{}],18:[function(t,e,n){"use strict";var r,i=t("./util"),o=function(){throw new Error("No async scheduler available\n\n See http://goo.gl/MqrFmX\n")},a=i.getNativePromise();if(i.isNode&&"undefined"==typeof MutationObserver){var s=global.setImmediate,c=process.nextTick;r=i.isRecentNode?function(t){s.call(global,t)}:function(t){c.call(process,t)}}else if("function"==typeof a&&"function"==typeof a.resolve){var l=a.resolve();r=function(t){l.then(t)}}else r="undefined"==typeof MutationObserver||"undefined"!=typeof window&&window.navigator&&(window.navigator.standalone||window.cordova)?"undefined"!=typeof setImmediate?function(t){setImmediate(t)}:"undefined"!=typeof setTimeout?function(t){setTimeout(t,0)}:o:function(){var t=document.createElement("div"),e={attributes:!0},n=!1,r=document.createElement("div"),i=new MutationObserver(function(){t.classList.toggle("foo"),n=!1});i.observe(r,e);var o=function(){n||(n=!0,r.classList.toggle("foo"))};return function(n){var r=new MutationObserver(function(){r.disconnect(),n()});r.observe(t,e),o()}}();e.exports=r},{"./util":21}],19:[function(t,e,n){"use strict";e.exports=function(t){function e(t){void 0!==t?(t=t._target(),this._bitField=t._bitField,this._settledValueField=t._isFateSealed()?t._settledValue():void 0):(this._bitField=0,this._settledValueField=void 0)}e.prototype._settledValue=function(){return this._settledValueField};var n=e.prototype.value=function(){if(!this.isFulfilled())throw new TypeError("cannot get fulfillment value of a non-fulfilled promise\n\n See http://goo.gl/MqrFmX\n");return this._settledValue()},r=e.prototype.error=e.prototype.reason=function(){if(!this.isRejected())throw new TypeError("cannot get rejection reason of a non-rejected promise\n\n See http://goo.gl/MqrFmX\n");return this._settledValue()},i=e.prototype.isFulfilled=function(){return 0!==(33554432&this._bitField)},o=e.prototype.isRejected=function(){return 0!==(16777216&this._bitField)},a=e.prototype.isPending=function(){return 0===(50397184&this._bitField)},s=e.prototype.isResolved=function(){return 0!==(50331648&this._bitField)};e.prototype.isCancelled=function(){return 0!==(8454144&this._bitField)},t.prototype.__isCancelled=function(){return 65536===(65536&this._bitField)},t.prototype._isCancelled=function(){return this._target().__isCancelled()},t.prototype.isCancelled=function(){return 0!==(8454144&this._target()._bitField)},t.prototype.isPending=function(){return a.call(this._target())},t.prototype.isRejected=function(){return o.call(this._target())},t.prototype.isFulfilled=function(){return i.call(this._target())},t.prototype.isResolved=function(){return s.call(this._target())},t.prototype.value=function(){return n.call(this._target())},t.prototype.reason=function(){var t=this._target();return t._unsetRejectionIsUnhandled(),r.call(t)},t.prototype._value=function(){return this._settledValue()},t.prototype._reason=function(){return this._unsetRejectionIsUnhandled(),this._settledValue()},t.PromiseInspection=e}},{}],20:[function(t,e,n){"use strict";e.exports=function(e,n){function r(t,r){if(u(t)){if(t instanceof e)return t;var i=o(t);if(i===l){r&&r._pushContext();var c=e.reject(i.e);return r&&r._popContext(),c}if("function"==typeof i){if(a(t)){var c=new e(n);return t._then(c._fulfill,c._reject,void 0,c,null),c}return s(t,i,r)}}return t}function i(t){return t.then}function o(t){try{return i(t)}catch(e){return l.e=e,l}}function a(t){try{return p.call(t,"_promise0")}catch(e){return!1}}function s(t,r,i){function o(t){s&&(s._resolveCallback(t),s=null)}function a(t){s&&(s._rejectCallback(t,p,!0),s=null)}var s=new e(n),u=s;i&&i._pushContext(),s._captureStackTrace(),i&&i._popContext();var p=!0,f=c.tryCatch(r).call(t,o,a);return p=!1,s&&f===l&&(s._rejectCallback(f.e,!0,!0),s=null),u}var c=t("./util"),l=c.errorObj,u=c.isObject,p={}.hasOwnProperty;return r}},{"./util":21}],21:[function(t,e,n){"use strict";function r(){try{var t=R;return R=null,t.apply(this,arguments)}catch(e){return P.e=e,P}}function i(t){return R=t,r}function o(t){return null==t||t===!0||t===!1||"string"==typeof t||"number"==typeof t}function a(t){return"function"==typeof t||"object"==typeof t&&null!==t}function s(t){return o(t)?new Error(v(t)):t}function c(t,e){var n,r=t.length,i=new Array(r+1);for(n=0;r>n;++n)i[n]=t[n];return i[n]=e,i}function l(t,e,n){if(!F.isES5)return{}.hasOwnProperty.call(t,e)?t[e]:void 0;var r=Object.getOwnPropertyDescriptor(t,e);return null!=r?null==r.get&&null==r.set?r.value:n:void 0}function u(t,e,n){if(o(t))return t;var r={value:n,configurable:!0,enumerable:!1,writable:!0};return F.defineProperty(t,e,r),t}function p(t){throw t}function f(t){try{if("function"==typeof t){var e=F.names(t.prototype),n=F.isES5&&e.length>1,r=e.length>0&&!(1===e.length&&"constructor"===e[0]),i=A.test(t+"")&&F.names(t).length>0;if(n||r||i)return!0}return!1}catch(o){return!1}}function h(t){function e(){}e.prototype=t;for(var n=8;n--;)new e;return t}function _(t){return L.test(t)}function d(t,e,n){for(var r=new Array(t),i=0;t>i;++i)r[i]=e+i+n;return r}function v(t){try{return t+""}catch(e){return"[no string representation]"}}function y(t){return null!==t&&"object"==typeof t&&"string"==typeof t.message&&"string"==typeof t.name}function g(t){try{u(t,"isOperational",!0)}catch(e){}}function m(t){return null==t?!1:t instanceof Error.__BluebirdErrorTypes__.OperationalError||t.isOperational===!0}function b(t){return y(t)&&F.propertyIsWritable(t,"stack")}function C(t){return{}.toString.call(t)}function w(t,e,n){for(var r=F.names(t),i=0;i<r.length;++i){var o=r[i];if(n(o))try{F.defineProperty(e,o,F.getDescriptor(t,o))}catch(a){}}}function E(t){return H?process.env[t]:void 0}function k(){if("function"==typeof Promise)try{var t=new Promise(function(){});if("[object Promise]"==={}.toString.call(t))return Promise}catch(e){}}function j(t,e){return t.bind(e)}var F=t("./es5"),T="undefined"==typeof navigator,P={e:{}},R,S="undefined"!=typeof self?self:"undefined"!=typeof window?window:"undefined"!=typeof global?global:void 0!==this?this:null,x=function(t,e){function n(){this.constructor=t,this.constructor$=e;for(var n in e.prototype)r.call(e.prototype,n)&&"$"!==n.charAt(n.length-1)&&(this[n+"$"]=e.prototype[n])}var r={}.hasOwnProperty;return n.prototype=e.prototype,t.prototype=new n,t.prototype},O=function(){var t=[Array.prototype,Object.prototype,Function.prototype],e=function(e){for(var n=0;n<t.length;++n)if(t[n]===e)return!0;return!1};if(F.isES5){var n=Object.getOwnPropertyNames;return function(t){for(var r=[],i=Object.create(null);null!=t&&!e(t);){var o;try{o=n(t)}catch(a){return r}for(var s=0;s<o.length;++s){var c=o[s];if(!i[c]){i[c]=!0;var l=Object.getOwnPropertyDescriptor(t,c);null!=l&&null==l.get&&null==l.set&&r.push(c)}}t=F.getPrototypeOf(t)}return r}}var r={}.hasOwnProperty;return function(n){if(e(n))return[];var i=[];t:for(var o in n)if(r.call(n,o))i.push(o);else{for(var a=0;a<t.length;++a)if(r.call(t[a],o))continue t;i.push(o)}return i}}(),A=/this\s*\.\s*\S+\s*=/,L=/^[a-z$_][a-z$_0-9]*$/i,N=function(){return"stack"in new Error?function(t){return b(t)?t:new Error(v(t))}:function(t){if(b(t))return t;try{throw new Error(v(t))}catch(e){return e}}}(),B=function(t){return F.isArray(t)?t:null};if("undefined"!=typeof Symbol&&Symbol.iterator){var U="function"==typeof Array.from?function(t){return Array.from(t)}:function(t){for(var e,n=[],r=t[Symbol.iterator]();!(e=r.next()).done;)n.push(e.value);return n};B=function(t){return F.isArray(t)?t:null!=t&&"function"==typeof t[Symbol.iterator]?U(t):null}}var I="undefined"!=typeof process&&"[object process]"===C(process).toLowerCase(),H="undefined"!=typeof process&&"undefined"!=typeof process.env,D={isClass:f,isIdentifier:_,inheritedDataKeys:O,getDataPropertyOrDefault:l,thrower:p,isArray:F.isArray,asArray:B,notEnumerableProp:u,isPrimitive:o,isObject:a,isError:y,canEvaluate:T,errorObj:P,tryCatch:i,inherits:x,withAppended:c,maybeWrapAsError:s,toFastProperties:h,filledRange:d,toString:v,canAttachTrace:b,ensureErrorObject:N,originatesFromRejection:m,markAsOriginatingFromRejection:g,classString:C,copyDescriptors:w,hasDevTools:"undefined"!=typeof chrome&&chrome&&"function"==typeof chrome.loadTimes,isNode:I,hasEnvVariables:H,env:E,global:S,getNativePromise:k,domainBind:j};D.isRecentNode=D.isNode&&function(){var t=process.versions.node.split(".").map(Number);return 0===t[0]&&t[1]>10||t[0]>0}(),D.isNode&&D.toFastProperties(process);try{throw new Error}catch(V){D.lastLineError=V}e.exports=D},{"./es5":10}]},{},[3])(3)}),"undefined"!=typeof window&&null!==window?window.P=window.Promise:"undefined"!=typeof self&&null!==self&&(self.P=self.Promise);
  1 +/* @preserve
  2 + * The MIT License (MIT)
  3 + *
  4 + * Copyright (c) 2013-2017 Petka Antonov
  5 + *
  6 + * Permission is hereby granted, free of charge, to any person obtaining a copy
  7 + * of this software and associated documentation files (the "Software"), to deal
  8 + * in the Software without restriction, including without limitation the rights
  9 + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  10 + * copies of the Software, and to permit persons to whom the Software is
  11 + * furnished to do so, subject to the following conditions:
  12 + *
  13 + * The above copyright notice and this permission notice shall be included in
  14 + * all copies or substantial portions of the Software.
  15 + *
  16 + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  17 + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  18 + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  19 + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  20 + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  21 + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  22 + * THE SOFTWARE.
  23 + *
  24 + */
  25 +/**
  26 + * bluebird build version 3.5.0
  27 + * Features enabled: core, race, call_get, generators, map, nodeify, promisify, props, reduce, settle, some, using, timers, filter, any, each
  28 +*/
  29 +!function(t){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=t();else if("function"==typeof define&&define.amd)define([],t);else{var e;"undefined"!=typeof window?e=window:"undefined"!=typeof global?e=global:"undefined"!=typeof self&&(e=self),e.Promise=t()}}(function(){var t,e,n;return function r(t,e,n){function i(s,a){if(!e[s]){if(!t[s]){var c="function"==typeof _dereq_&&_dereq_;if(!a&&c)return c(s,!0);if(o)return o(s,!0);var l=new Error("Cannot find module '"+s+"'");throw l.code="MODULE_NOT_FOUND",l}var u=e[s]={exports:{}};t[s][0].call(u.exports,function(e){var n=t[s][1][e];return i(n?n:e)},u,u.exports,r,t,e,n)}return e[s].exports}for(var o="function"==typeof _dereq_&&_dereq_,s=0;s<n.length;s++)i(n[s]);return i}({1:[function(t,e,n){"use strict";e.exports=function(t){function e(t){var e=new n(t),r=e.promise();return e.setHowMany(1),e.setUnwrap(),e.init(),r}var n=t._SomePromiseArray;t.any=function(t){return e(t)},t.prototype.any=function(){return e(this)}}},{}],2:[function(t,e,n){"use strict";function r(){this._customScheduler=!1,this._isTickUsed=!1,this._lateQueue=new u(16),this._normalQueue=new u(16),this._haveDrainedQueues=!1,this._trampolineEnabled=!0;var t=this;this.drainQueues=function(){t._drainQueues()},this._schedule=l}function i(t,e,n){this._lateQueue.push(t,e,n),this._queueTick()}function o(t,e,n){this._normalQueue.push(t,e,n),this._queueTick()}function s(t){this._normalQueue._pushOne(t),this._queueTick()}var a;try{throw new Error}catch(c){a=c}var l=t("./schedule"),u=t("./queue"),p=t("./util");r.prototype.setScheduler=function(t){var e=this._schedule;return this._schedule=t,this._customScheduler=!0,e},r.prototype.hasCustomScheduler=function(){return this._customScheduler},r.prototype.enableTrampoline=function(){this._trampolineEnabled=!0},r.prototype.disableTrampolineIfNecessary=function(){p.hasDevTools&&(this._trampolineEnabled=!1)},r.prototype.haveItemsQueued=function(){return this._isTickUsed||this._haveDrainedQueues},r.prototype.fatalError=function(t,e){e?(process.stderr.write("Fatal "+(t instanceof Error?t.stack:t)+"\n"),process.exit(2)):this.throwLater(t)},r.prototype.throwLater=function(t,e){if(1===arguments.length&&(e=t,t=function(){throw e}),"undefined"!=typeof setTimeout)setTimeout(function(){t(e)},0);else try{this._schedule(function(){t(e)})}catch(n){throw new Error("No async scheduler available\n\n See http://goo.gl/MqrFmX\n")}},p.hasDevTools?(r.prototype.invokeLater=function(t,e,n){this._trampolineEnabled?i.call(this,t,e,n):this._schedule(function(){setTimeout(function(){t.call(e,n)},100)})},r.prototype.invoke=function(t,e,n){this._trampolineEnabled?o.call(this,t,e,n):this._schedule(function(){t.call(e,n)})},r.prototype.settlePromises=function(t){this._trampolineEnabled?s.call(this,t):this._schedule(function(){t._settlePromises()})}):(r.prototype.invokeLater=i,r.prototype.invoke=o,r.prototype.settlePromises=s),r.prototype._drainQueue=function(t){for(;t.length()>0;){var e=t.shift();if("function"==typeof e){var n=t.shift(),r=t.shift();e.call(n,r)}else e._settlePromises()}},r.prototype._drainQueues=function(){this._drainQueue(this._normalQueue),this._reset(),this._haveDrainedQueues=!0,this._drainQueue(this._lateQueue)},r.prototype._queueTick=function(){this._isTickUsed||(this._isTickUsed=!0,this._schedule(this.drainQueues))},r.prototype._reset=function(){this._isTickUsed=!1},e.exports=r,e.exports.firstLineError=a},{"./queue":26,"./schedule":29,"./util":36}],3:[function(t,e,n){"use strict";e.exports=function(t,e,n,r){var i=!1,o=function(t,e){this._reject(e)},s=function(t,e){e.promiseRejectionQueued=!0,e.bindingPromise._then(o,o,null,this,t)},a=function(t,e){0===(50397184&this._bitField)&&this._resolveCallback(e.target)},c=function(t,e){e.promiseRejectionQueued||this._reject(t)};t.prototype.bind=function(o){i||(i=!0,t.prototype._propagateFrom=r.propagateFromFunction(),t.prototype._boundValue=r.boundValueFunction());var l=n(o),u=new t(e);u._propagateFrom(this,1);var p=this._target();if(u._setBoundTo(l),l instanceof t){var h={promiseRejectionQueued:!1,promise:u,target:p,bindingPromise:l};p._then(e,s,void 0,u,h),l._then(a,c,void 0,u,h),u._setOnCancel(l)}else u._resolveCallback(p);return u},t.prototype._setBoundTo=function(t){void 0!==t?(this._bitField=2097152|this._bitField,this._boundTo=t):this._bitField=-2097153&this._bitField},t.prototype._isBound=function(){return 2097152===(2097152&this._bitField)},t.bind=function(e,n){return t.resolve(n).bind(e)}}},{}],4:[function(t,e,n){"use strict";function r(){try{Promise===o&&(Promise=i)}catch(t){}return o}var i;"undefined"!=typeof Promise&&(i=Promise);var o=t("./promise")();o.noConflict=r,e.exports=o},{"./promise":22}],5:[function(t,e,n){"use strict";var r=Object.create;if(r){var i=r(null),o=r(null);i[" size"]=o[" size"]=0}e.exports=function(e){function n(t,n){var r;if(null!=t&&(r=t[n]),"function"!=typeof r){var i="Object "+a.classString(t)+" has no method '"+a.toString(n)+"'";throw new e.TypeError(i)}return r}function r(t){var e=this.pop(),r=n(t,e);return r.apply(t,this)}function i(t){return t[this]}function o(t){var e=+this;return 0>e&&(e=Math.max(0,e+t.length)),t[e]}var s,a=t("./util"),c=a.canEvaluate;a.isIdentifier;e.prototype.call=function(t){var e=[].slice.call(arguments,1);return e.push(t),this._then(r,void 0,void 0,e,void 0)},e.prototype.get=function(t){var e,n="number"==typeof t;if(n)e=o;else if(c){var r=s(t);e=null!==r?r:i}else e=i;return this._then(e,void 0,void 0,t,void 0)}}},{"./util":36}],6:[function(t,e,n){"use strict";e.exports=function(e,n,r,i){var o=t("./util"),s=o.tryCatch,a=o.errorObj,c=e._async;e.prototype["break"]=e.prototype.cancel=function(){if(!i.cancellation())return this._warn("cancellation is disabled");for(var t=this,e=t;t._isCancellable();){if(!t._cancelBy(e)){e._isFollowing()?e._followee().cancel():e._cancelBranched();break}var n=t._cancellationParent;if(null==n||!n._isCancellable()){t._isFollowing()?t._followee().cancel():t._cancelBranched();break}t._isFollowing()&&t._followee().cancel(),t._setWillBeCancelled(),e=t,t=n}},e.prototype._branchHasCancelled=function(){this._branchesRemainingToCancel--},e.prototype._enoughBranchesHaveCancelled=function(){return void 0===this._branchesRemainingToCancel||this._branchesRemainingToCancel<=0},e.prototype._cancelBy=function(t){return t===this?(this._branchesRemainingToCancel=0,this._invokeOnCancel(),!0):(this._branchHasCancelled(),this._enoughBranchesHaveCancelled()?(this._invokeOnCancel(),!0):!1)},e.prototype._cancelBranched=function(){this._enoughBranchesHaveCancelled()&&this._cancel()},e.prototype._cancel=function(){this._isCancellable()&&(this._setCancelled(),c.invoke(this._cancelPromises,this,void 0))},e.prototype._cancelPromises=function(){this._length()>0&&this._settlePromises()},e.prototype._unsetOnCancel=function(){this._onCancelField=void 0},e.prototype._isCancellable=function(){return this.isPending()&&!this._isCancelled()},e.prototype.isCancellable=function(){return this.isPending()&&!this.isCancelled()},e.prototype._doInvokeOnCancel=function(t,e){if(o.isArray(t))for(var n=0;n<t.length;++n)this._doInvokeOnCancel(t[n],e);else if(void 0!==t)if("function"==typeof t){if(!e){var r=s(t).call(this._boundValue());r===a&&(this._attachExtraTrace(r.e),c.throwLater(r.e))}}else t._resultCancelled(this)},e.prototype._invokeOnCancel=function(){var t=this._onCancel();this._unsetOnCancel(),c.invoke(this._doInvokeOnCancel,this,t)},e.prototype._invokeInternalOnCancel=function(){this._isCancellable()&&(this._doInvokeOnCancel(this._onCancel(),!0),this._unsetOnCancel())},e.prototype._resultCancelled=function(){this.cancel()}}},{"./util":36}],7:[function(t,e,n){"use strict";e.exports=function(e){function n(t,n,a){return function(c){var l=a._boundValue();t:for(var u=0;u<t.length;++u){var p=t[u];if(p===Error||null!=p&&p.prototype instanceof Error){if(c instanceof p)return o(n).call(l,c)}else if("function"==typeof p){var h=o(p).call(l,c);if(h===s)return h;if(h)return o(n).call(l,c)}else if(r.isObject(c)){for(var f=i(p),_=0;_<f.length;++_){var d=f[_];if(p[d]!=c[d])continue t}return o(n).call(l,c)}}return e}}var r=t("./util"),i=t("./es5").keys,o=r.tryCatch,s=r.errorObj;return n}},{"./es5":13,"./util":36}],8:[function(t,e,n){"use strict";e.exports=function(t){function e(){this._trace=new e.CapturedTrace(r())}function n(){return i?new e:void 0}function r(){var t=o.length-1;return t>=0?o[t]:void 0}var i=!1,o=[];return t.prototype._promiseCreated=function(){},t.prototype._pushContext=function(){},t.prototype._popContext=function(){return null},t._peekContext=t.prototype._peekContext=function(){},e.prototype._pushContext=function(){void 0!==this._trace&&(this._trace._promiseCreated=null,o.push(this._trace))},e.prototype._popContext=function(){if(void 0!==this._trace){var t=o.pop(),e=t._promiseCreated;return t._promiseCreated=null,e}return null},e.CapturedTrace=null,e.create=n,e.deactivateLongStackTraces=function(){},e.activateLongStackTraces=function(){var n=t.prototype._pushContext,o=t.prototype._popContext,s=t._peekContext,a=t.prototype._peekContext,c=t.prototype._promiseCreated;e.deactivateLongStackTraces=function(){t.prototype._pushContext=n,t.prototype._popContext=o,t._peekContext=s,t.prototype._peekContext=a,t.prototype._promiseCreated=c,i=!1},i=!0,t.prototype._pushContext=e.prototype._pushContext,t.prototype._popContext=e.prototype._popContext,t._peekContext=t.prototype._peekContext=r,t.prototype._promiseCreated=function(){var t=this._peekContext();t&&null==t._promiseCreated&&(t._promiseCreated=this)}},e}},{}],9:[function(t,e,n){"use strict";e.exports=function(e,n){function r(t,e){return{promise:e}}function i(){return!1}function o(t,e,n){var r=this;try{t(e,n,function(t){if("function"!=typeof t)throw new TypeError("onCancel must be a function, got: "+H.toString(t));r._attachCancellationCallback(t)})}catch(i){return i}}function s(t){if(!this._isCancellable())return this;var e=this._onCancel();void 0!==e?H.isArray(e)?e.push(t):this._setOnCancel([e,t]):this._setOnCancel(t)}function a(){return this._onCancelField}function c(t){this._onCancelField=t}function l(){this._cancellationParent=void 0,this._onCancelField=void 0}function u(t,e){if(0!==(1&e)){this._cancellationParent=t;var n=t._branchesRemainingToCancel;void 0===n&&(n=0),t._branchesRemainingToCancel=n+1}0!==(2&e)&&t._isBound()&&this._setBoundTo(t._boundTo)}function p(t,e){0!==(2&e)&&t._isBound()&&this._setBoundTo(t._boundTo)}function h(){var t=this._boundTo;return void 0!==t&&t instanceof e?t.isFulfilled()?t.value():void 0:t}function f(){this._trace=new S(this._peekContext())}function _(t,e){if(N(t)){var n=this._trace;if(void 0!==n&&e&&(n=n._parent),void 0!==n)n.attachExtraTrace(t);else if(!t.__stackCleaned__){var r=j(t);H.notEnumerableProp(t,"stack",r.message+"\n"+r.stack.join("\n")),H.notEnumerableProp(t,"__stackCleaned__",!0)}}}function d(t,e,n,r,i){if(void 0===t&&null!==e&&W){if(void 0!==i&&i._returnedNonUndefined())return;if(0===(65535&r._bitField))return;n&&(n+=" ");var o="",s="";if(e._trace){for(var a=e._trace.stack.split("\n"),c=w(a),l=c.length-1;l>=0;--l){var u=c[l];if(!U.test(u)){var p=u.match(M);p&&(o="at "+p[1]+":"+p[2]+":"+p[3]+" ");break}}if(c.length>0)for(var h=c[0],l=0;l<a.length;++l)if(a[l]===h){l>0&&(s="\n"+a[l-1]);break}}var f="a promise was created in a "+n+"handler "+o+"but was not returned from it, see http://goo.gl/rRqMUw"+s;r._warn(f,!0,e)}}function v(t,e){var n=t+" is deprecated and will be removed in a future version.";return e&&(n+=" Use "+e+" instead."),y(n)}function y(t,n,r){if(ot.warnings){var i,o=new L(t);if(n)r._attachExtraTrace(o);else if(ot.longStackTraces&&(i=e._peekContext()))i.attachExtraTrace(o);else{var s=j(o);o.stack=s.message+"\n"+s.stack.join("\n")}tt("warning",o)||E(o,"",!0)}}function m(t,e){for(var n=0;n<e.length-1;++n)e[n].push("From previous event:"),e[n]=e[n].join("\n");return n<e.length&&(e[n]=e[n].join("\n")),t+"\n"+e.join("\n")}function g(t){for(var e=0;e<t.length;++e)(0===t[e].length||e+1<t.length&&t[e][0]===t[e+1][0])&&(t.splice(e,1),e--)}function b(t){for(var e=t[0],n=1;n<t.length;++n){for(var r=t[n],i=e.length-1,o=e[i],s=-1,a=r.length-1;a>=0;--a)if(r[a]===o){s=a;break}for(var a=s;a>=0;--a){var c=r[a];if(e[i]!==c)break;e.pop(),i--}e=r}}function w(t){for(var e=[],n=0;n<t.length;++n){var r=t[n],i=" (No stack trace)"===r||q.test(r),o=i&&nt(r);i&&!o&&($&&" "!==r.charAt(0)&&(r=" "+r),e.push(r))}return e}function C(t){for(var e=t.stack.replace(/\s+$/g,"").split("\n"),n=0;n<e.length;++n){var r=e[n];if(" (No stack trace)"===r||q.test(r))break}return n>0&&"SyntaxError"!=t.name&&(e=e.slice(n)),e}function j(t){var e=t.stack,n=t.toString();return e="string"==typeof e&&e.length>0?C(t):[" (No stack trace)"],{message:n,stack:"SyntaxError"==t.name?e:w(e)}}function E(t,e,n){if("undefined"!=typeof console){var r;if(H.isObject(t)){var i=t.stack;r=e+Q(i,t)}else r=e+String(t);"function"==typeof D?D(r,n):("function"==typeof console.log||"object"==typeof console.log)&&console.log(r)}}function k(t,e,n,r){var i=!1;try{"function"==typeof e&&(i=!0,"rejectionHandled"===t?e(r):e(n,r))}catch(o){I.throwLater(o)}"unhandledRejection"===t?tt(t,n,r)||i||E(n,"Unhandled rejection "):tt(t,r)}function F(t){var e;if("function"==typeof t)e="[function "+(t.name||"anonymous")+"]";else{e=t&&"function"==typeof t.toString?t.toString():H.toString(t);var n=/\[object [a-zA-Z0-9$_]+\]/;if(n.test(e))try{var r=JSON.stringify(t);e=r}catch(i){}0===e.length&&(e="(empty array)")}return"(<"+x(e)+">, no stack trace)"}function x(t){var e=41;return t.length<e?t:t.substr(0,e-3)+"..."}function T(){return"function"==typeof it}function P(t){var e=t.match(rt);return e?{fileName:e[1],line:parseInt(e[2],10)}:void 0}function R(t,e){if(T()){for(var n,r,i=t.stack.split("\n"),o=e.stack.split("\n"),s=-1,a=-1,c=0;c<i.length;++c){var l=P(i[c]);if(l){n=l.fileName,s=l.line;break}}for(var c=0;c<o.length;++c){var l=P(o[c]);if(l){r=l.fileName,a=l.line;break}}0>s||0>a||!n||!r||n!==r||s>=a||(nt=function(t){if(B.test(t))return!0;var e=P(t);return e&&e.fileName===n&&s<=e.line&&e.line<=a?!0:!1})}}function S(t){this._parent=t,this._promisesCreated=0;var e=this._length=1+(void 0===t?0:t._length);it(this,S),e>32&&this.uncycle()}var O,A,D,V=e._getDomain,I=e._async,L=t("./errors").Warning,H=t("./util"),N=H.canAttachTrace,B=/[\\\/]bluebird[\\\/]js[\\\/](release|debug|instrumented)/,U=/\((?:timers\.js):\d+:\d+\)/,M=/[\/<\(](.+?):(\d+):(\d+)\)?\s*$/,q=null,Q=null,$=!1,G=!(0==H.env("BLUEBIRD_DEBUG")||!H.env("BLUEBIRD_DEBUG")&&"development"!==H.env("NODE_ENV")),z=!(0==H.env("BLUEBIRD_WARNINGS")||!G&&!H.env("BLUEBIRD_WARNINGS")),X=!(0==H.env("BLUEBIRD_LONG_STACK_TRACES")||!G&&!H.env("BLUEBIRD_LONG_STACK_TRACES")),W=0!=H.env("BLUEBIRD_W_FORGOTTEN_RETURN")&&(z||!!H.env("BLUEBIRD_W_FORGOTTEN_RETURN"));e.prototype.suppressUnhandledRejections=function(){var t=this._target();t._bitField=-1048577&t._bitField|524288},e.prototype._ensurePossibleRejectionHandled=function(){0===(524288&this._bitField)&&(this._setRejectionIsUnhandled(),I.invokeLater(this._notifyUnhandledRejection,this,void 0))},e.prototype._notifyUnhandledRejectionIsHandled=function(){k("rejectionHandled",O,void 0,this)},e.prototype._setReturnedNonUndefined=function(){this._bitField=268435456|this._bitField},e.prototype._returnedNonUndefined=function(){return 0!==(268435456&this._bitField)},e.prototype._notifyUnhandledRejection=function(){if(this._isRejectionUnhandled()){var t=this._settledValue();this._setUnhandledRejectionIsNotified(),k("unhandledRejection",A,t,this)}},e.prototype._setUnhandledRejectionIsNotified=function(){this._bitField=262144|this._bitField},e.prototype._unsetUnhandledRejectionIsNotified=function(){this._bitField=-262145&this._bitField},e.prototype._isUnhandledRejectionNotified=function(){return(262144&this._bitField)>0},e.prototype._setRejectionIsUnhandled=function(){this._bitField=1048576|this._bitField},e.prototype._unsetRejectionIsUnhandled=function(){this._bitField=-1048577&this._bitField,this._isUnhandledRejectionNotified()&&(this._unsetUnhandledRejectionIsNotified(),this._notifyUnhandledRejectionIsHandled())},e.prototype._isRejectionUnhandled=function(){return(1048576&this._bitField)>0},e.prototype._warn=function(t,e,n){return y(t,e,n||this)},e.onPossiblyUnhandledRejection=function(t){var e=V();A="function"==typeof t?null===e?t:H.domainBind(e,t):void 0},e.onUnhandledRejectionHandled=function(t){var e=V();O="function"==typeof t?null===e?t:H.domainBind(e,t):void 0};var K=function(){};e.longStackTraces=function(){if(I.haveItemsQueued()&&!ot.longStackTraces)throw new Error("cannot enable long stack traces after promises have been created\n\n See http://goo.gl/MqrFmX\n");if(!ot.longStackTraces&&T()){var t=e.prototype._captureStackTrace,r=e.prototype._attachExtraTrace;ot.longStackTraces=!0,K=function(){if(I.haveItemsQueued()&&!ot.longStackTraces)throw new Error("cannot enable long stack traces after promises have been created\n\n See http://goo.gl/MqrFmX\n");e.prototype._captureStackTrace=t,e.prototype._attachExtraTrace=r,n.deactivateLongStackTraces(),I.enableTrampoline(),ot.longStackTraces=!1},e.prototype._captureStackTrace=f,e.prototype._attachExtraTrace=_,n.activateLongStackTraces(),I.disableTrampolineIfNecessary()}},e.hasLongStackTraces=function(){return ot.longStackTraces&&T()};var J=function(){try{if("function"==typeof CustomEvent){var t=new CustomEvent("CustomEvent");return H.global.dispatchEvent(t),function(t,e){var n=new CustomEvent(t.toLowerCase(),{detail:e,cancelable:!0});return!H.global.dispatchEvent(n)}}if("function"==typeof Event){var t=new Event("CustomEvent");return H.global.dispatchEvent(t),function(t,e){var n=new Event(t.toLowerCase(),{cancelable:!0});return n.detail=e,!H.global.dispatchEvent(n)}}var t=document.createEvent("CustomEvent");return t.initCustomEvent("testingtheevent",!1,!0,{}),H.global.dispatchEvent(t),function(t,e){var n=document.createEvent("CustomEvent");return n.initCustomEvent(t.toLowerCase(),!1,!0,e),!H.global.dispatchEvent(n)}}catch(e){}return function(){return!1}}(),Y=function(){return H.isNode?function(){return process.emit.apply(process,arguments)}:H.global?function(t){var e="on"+t.toLowerCase(),n=H.global[e];return n?(n.apply(H.global,[].slice.call(arguments,1)),!0):!1}:function(){return!1}}(),Z={promiseCreated:r,promiseFulfilled:r,promiseRejected:r,promiseResolved:r,promiseCancelled:r,promiseChained:function(t,e,n){return{promise:e,child:n}},warning:function(t,e){return{warning:e}},unhandledRejection:function(t,e,n){return{reason:e,promise:n}},rejectionHandled:r},tt=function(t){var e=!1;try{e=Y.apply(null,arguments)}catch(n){I.throwLater(n),e=!0}var r=!1;try{r=J(t,Z[t].apply(null,arguments))}catch(n){I.throwLater(n),r=!0}return r||e};e.config=function(t){if(t=Object(t),"longStackTraces"in t&&(t.longStackTraces?e.longStackTraces():!t.longStackTraces&&e.hasLongStackTraces()&&K()),"warnings"in t){var n=t.warnings;ot.warnings=!!n,W=ot.warnings,H.isObject(n)&&"wForgottenReturn"in n&&(W=!!n.wForgottenReturn)}if("cancellation"in t&&t.cancellation&&!ot.cancellation){if(I.haveItemsQueued())throw new Error("cannot enable cancellation after promises are in use");e.prototype._clearCancellationData=l,e.prototype._propagateFrom=u,e.prototype._onCancel=a,e.prototype._setOnCancel=c,e.prototype._attachCancellationCallback=s,e.prototype._execute=o,et=u,ot.cancellation=!0}return"monitoring"in t&&(t.monitoring&&!ot.monitoring?(ot.monitoring=!0,e.prototype._fireEvent=tt):!t.monitoring&&ot.monitoring&&(ot.monitoring=!1,e.prototype._fireEvent=i)),e},e.prototype._fireEvent=i,e.prototype._execute=function(t,e,n){try{t(e,n)}catch(r){return r}},e.prototype._onCancel=function(){},e.prototype._setOnCancel=function(t){},e.prototype._attachCancellationCallback=function(t){},e.prototype._captureStackTrace=function(){},e.prototype._attachExtraTrace=function(){},e.prototype._clearCancellationData=function(){},e.prototype._propagateFrom=function(t,e){};var et=p,nt=function(){return!1},rt=/[\/<\(]([^:\/]+):(\d+):(?:\d+)\)?\s*$/;H.inherits(S,Error),n.CapturedTrace=S,S.prototype.uncycle=function(){var t=this._length;if(!(2>t)){for(var e=[],n={},r=0,i=this;void 0!==i;++r)e.push(i),i=i._parent;t=this._length=r;for(var r=t-1;r>=0;--r){var o=e[r].stack;void 0===n[o]&&(n[o]=r)}for(var r=0;t>r;++r){var s=e[r].stack,a=n[s];if(void 0!==a&&a!==r){a>0&&(e[a-1]._parent=void 0,e[a-1]._length=1),e[r]._parent=void 0,e[r]._length=1;var c=r>0?e[r-1]:this;t-1>a?(c._parent=e[a+1],c._parent.uncycle(),c._length=c._parent._length+1):(c._parent=void 0,c._length=1);for(var l=c._length+1,u=r-2;u>=0;--u)e[u]._length=l,l++;return}}}},S.prototype.attachExtraTrace=function(t){if(!t.__stackCleaned__){this.uncycle();for(var e=j(t),n=e.message,r=[e.stack],i=this;void 0!==i;)r.push(w(i.stack.split("\n"))),i=i._parent;b(r),g(r),H.notEnumerableProp(t,"stack",m(n,r)),H.notEnumerableProp(t,"__stackCleaned__",!0)}};var it=function(){var t=/^\s*at\s*/,e=function(t,e){return"string"==typeof t?t:void 0!==e.name&&void 0!==e.message?e.toString():F(e)};if("number"==typeof Error.stackTraceLimit&&"function"==typeof Error.captureStackTrace){Error.stackTraceLimit+=6,q=t,Q=e;var n=Error.captureStackTrace;return nt=function(t){return B.test(t)},function(t,e){Error.stackTraceLimit+=6,n(t,e),Error.stackTraceLimit-=6}}var r=new Error;if("string"==typeof r.stack&&r.stack.split("\n")[0].indexOf("stackDetection@")>=0)return q=/@/,Q=e,$=!0,function(t){t.stack=(new Error).stack};var i;try{throw new Error}catch(o){i="stack"in o}return"stack"in r||!i||"number"!=typeof Error.stackTraceLimit?(Q=function(t,e){return"string"==typeof t?t:"object"!=typeof e&&"function"!=typeof e||void 0===e.name||void 0===e.message?F(e):e.toString()},null):(q=t,Q=e,function(t){Error.stackTraceLimit+=6;try{throw new Error}catch(e){t.stack=e.stack}Error.stackTraceLimit-=6})}([]);"undefined"!=typeof console&&"undefined"!=typeof console.warn&&(D=function(t){console.warn(t)},H.isNode&&process.stderr.isTTY?D=function(t,e){var n=e?"":"";console.warn(n+t+"\n")}:H.isNode||"string"!=typeof(new Error).stack||(D=function(t,e){console.warn("%c"+t,e?"color: darkorange":"color: red")}));var ot={warnings:z,longStackTraces:!1,cancellation:!1,monitoring:!1};return X&&e.longStackTraces(),{longStackTraces:function(){return ot.longStackTraces},warnings:function(){return ot.warnings},cancellation:function(){return ot.cancellation},monitoring:function(){return ot.monitoring},propagateFromFunction:function(){return et},boundValueFunction:function(){return h},checkForgottenReturns:d,setBounds:R,warn:y,deprecated:v,CapturedTrace:S,fireDomEvent:J,fireGlobalEvent:Y}}},{"./errors":12,"./util":36}],10:[function(t,e,n){"use strict";e.exports=function(t){function e(){return this.value}function n(){throw this.reason}t.prototype["return"]=t.prototype.thenReturn=function(n){return n instanceof t&&n.suppressUnhandledRejections(),this._then(e,void 0,void 0,{value:n},void 0)},t.prototype["throw"]=t.prototype.thenThrow=function(t){return this._then(n,void 0,void 0,{reason:t},void 0)},t.prototype.catchThrow=function(t){if(arguments.length<=1)return this._then(void 0,n,void 0,{reason:t},void 0);var e=arguments[1],r=function(){throw e};return this.caught(t,r)},t.prototype.catchReturn=function(n){if(arguments.length<=1)return n instanceof t&&n.suppressUnhandledRejections(),this._then(void 0,e,void 0,{value:n},void 0);var r=arguments[1];r instanceof t&&r.suppressUnhandledRejections();var i=function(){return r};return this.caught(n,i)}}},{}],11:[function(t,e,n){"use strict";e.exports=function(t,e){function n(){return o(this)}function r(t,n){return i(t,n,e,e)}var i=t.reduce,o=t.all;t.prototype.each=function(t){return i(this,t,e,0)._then(n,void 0,void 0,this,void 0)},t.prototype.mapSeries=function(t){return i(this,t,e,e)},t.each=function(t,r){return i(t,r,e,0)._then(n,void 0,void 0,t,void 0)},t.mapSeries=r}},{}],12:[function(t,e,n){"use strict";function r(t,e){function n(r){return this instanceof n?(p(this,"message","string"==typeof r?r:e),p(this,"name",t),void(Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):Error.call(this))):new n(r)}return u(n,Error),n}function i(t){return this instanceof i?(p(this,"name","OperationalError"),p(this,"message",t),this.cause=t,this.isOperational=!0,void(t instanceof Error?(p(this,"message",t.message),p(this,"stack",t.stack)):Error.captureStackTrace&&Error.captureStackTrace(this,this.constructor))):new i(t)}var o,s,a=t("./es5"),c=a.freeze,l=t("./util"),u=l.inherits,p=l.notEnumerableProp,h=r("Warning","warning"),f=r("CancellationError","cancellation error"),_=r("TimeoutError","timeout error"),d=r("AggregateError","aggregate error");try{o=TypeError,s=RangeError}catch(v){o=r("TypeError","type error"),s=r("RangeError","range error")}for(var y="join pop push shift unshift slice filter forEach some every map indexOf lastIndexOf reduce reduceRight sort reverse".split(" "),m=0;m<y.length;++m)"function"==typeof Array.prototype[y[m]]&&(d.prototype[y[m]]=Array.prototype[y[m]]);a.defineProperty(d.prototype,"length",{value:0,configurable:!1,writable:!0,enumerable:!0}),d.prototype.isOperational=!0;var g=0;d.prototype.toString=function(){var t=Array(4*g+1).join(" "),e="\n"+t+"AggregateError of:\n";g++,t=Array(4*g+1).join(" ");for(var n=0;n<this.length;++n){for(var r=this[n]===this?"[Circular AggregateError]":this[n]+"",i=r.split("\n"),o=0;o<i.length;++o)i[o]=t+i[o];r=i.join("\n"),e+=r+"\n"}return g--,e},u(i,Error);var b=Error.__BluebirdErrorTypes__;b||(b=c({CancellationError:f,TimeoutError:_,OperationalError:i,RejectionError:i,AggregateError:d}),a.defineProperty(Error,"__BluebirdErrorTypes__",{value:b,writable:!1,enumerable:!1,configurable:!1})),e.exports={Error:Error,TypeError:o,RangeError:s,CancellationError:b.CancellationError,OperationalError:b.OperationalError,TimeoutError:b.TimeoutError,AggregateError:b.AggregateError,Warning:h}},{"./es5":13,"./util":36}],13:[function(t,e,n){var r=function(){"use strict";return void 0===this}();if(r)e.exports={freeze:Object.freeze,defineProperty:Object.defineProperty,getDescriptor:Object.getOwnPropertyDescriptor,keys:Object.keys,names:Object.getOwnPropertyNames,getPrototypeOf:Object.getPrototypeOf,isArray:Array.isArray,isES5:r,propertyIsWritable:function(t,e){var n=Object.getOwnPropertyDescriptor(t,e);return!(n&&!n.writable&&!n.set)}};else{var i={}.hasOwnProperty,o={}.toString,s={}.constructor.prototype,a=function(t){var e=[];for(var n in t)i.call(t,n)&&e.push(n);return e},c=function(t,e){return{value:t[e]}},l=function(t,e,n){return t[e]=n.value,t},u=function(t){return t},p=function(t){try{return Object(t).constructor.prototype}catch(e){return s}},h=function(t){try{return"[object Array]"===o.call(t)}catch(e){return!1}};e.exports={isArray:h,keys:a,names:a,defineProperty:l,getDescriptor:c,freeze:u,getPrototypeOf:p,isES5:r,propertyIsWritable:function(){return!0}}}},{}],14:[function(t,e,n){"use strict";e.exports=function(t,e){var n=t.map;t.prototype.filter=function(t,r){return n(this,t,r,e)},t.filter=function(t,r,i){return n(t,r,i,e)}}},{}],15:[function(t,e,n){"use strict";e.exports=function(e,n,r){function i(t,e,n){this.promise=t,this.type=e,this.handler=n,this.called=!1,this.cancelPromise=null}function o(t){this.finallyHandler=t}function s(t,e){return null!=t.cancelPromise?(arguments.length>1?t.cancelPromise._reject(e):t.cancelPromise._cancel(),t.cancelPromise=null,!0):!1}function a(){return l.call(this,this.promise._target()._settledValue())}function c(t){return s(this,t)?void 0:(h.e=t,h)}function l(t){var i=this.promise,l=this.handler;if(!this.called){this.called=!0;var u=this.isFinallyHandler()?l.call(i._boundValue()):l.call(i._boundValue(),t);if(u===r)return u;if(void 0!==u){i._setReturnedNonUndefined();var f=n(u,i);if(f instanceof e){if(null!=this.cancelPromise){if(f._isCancelled()){var _=new p("late cancellation observer");return i._attachExtraTrace(_),h.e=_,h}f.isPending()&&f._attachCancellationCallback(new o(this))}return f._then(a,c,void 0,this,void 0)}}}return i.isRejected()?(s(this),h.e=t,h):(s(this),t)}var u=t("./util"),p=e.CancellationError,h=u.errorObj,f=t("./catch_filter")(r);return i.prototype.isFinallyHandler=function(){return 0===this.type},o.prototype._resultCancelled=function(){s(this.finallyHandler)},e.prototype._passThrough=function(t,e,n,r){return"function"!=typeof t?this.then():this._then(n,r,void 0,new i(this,e,t),void 0)},e.prototype.lastly=e.prototype["finally"]=function(t){return this._passThrough(t,0,l,l)},e.prototype.tap=function(t){return this._passThrough(t,1,l)},e.prototype.tapCatch=function(t){var n=arguments.length;if(1===n)return this._passThrough(t,1,void 0,l);var r,i=new Array(n-1),o=0;for(r=0;n-1>r;++r){var s=arguments[r];if(!u.isObject(s))return e.reject(new TypeError("tapCatch statement predicate: expecting an object but got "+u.classString(s)));i[o++]=s}i.length=o;var a=arguments[r];return this._passThrough(f(i,a,this),1,void 0,l)},i}},{"./catch_filter":7,"./util":36}],16:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o,s){function a(t,n,r){for(var o=0;o<n.length;++o){r._pushContext();var s=f(n[o])(t);if(r._popContext(),s===h){r._pushContext();var a=e.reject(h.e);return r._popContext(),a}var c=i(s,r);if(c instanceof e)return c}return null}function c(t,n,i,o){if(s.cancellation()){var a=new e(r),c=this._finallyPromise=new e(r);this._promise=a.lastly(function(){return c}),a._captureStackTrace(),a._setOnCancel(this)}else{var l=this._promise=new e(r);l._captureStackTrace()}this._stack=o,this._generatorFunction=t,this._receiver=n,this._generator=void 0,this._yieldHandlers="function"==typeof i?[i].concat(_):_,this._yieldedPromise=null,this._cancellationPhase=!1}var l=t("./errors"),u=l.TypeError,p=t("./util"),h=p.errorObj,f=p.tryCatch,_=[];p.inherits(c,o),c.prototype._isResolved=function(){return null===this._promise},c.prototype._cleanup=function(){this._promise=this._generator=null,s.cancellation()&&null!==this._finallyPromise&&(this._finallyPromise._fulfill(),this._finallyPromise=null)},c.prototype._promiseCancelled=function(){if(!this._isResolved()){var t,n="undefined"!=typeof this._generator["return"];if(n)this._promise._pushContext(),t=f(this._generator["return"]).call(this._generator,void 0),this._promise._popContext();else{var r=new e.CancellationError("generator .return() sentinel");e.coroutine.returnSentinel=r,this._promise._attachExtraTrace(r),this._promise._pushContext(),t=f(this._generator["throw"]).call(this._generator,r),this._promise._popContext()}this._cancellationPhase=!0,this._yieldedPromise=null,this._continue(t)}},c.prototype._promiseFulfilled=function(t){this._yieldedPromise=null,this._promise._pushContext();var e=f(this._generator.next).call(this._generator,t);this._promise._popContext(),this._continue(e)},c.prototype._promiseRejected=function(t){this._yieldedPromise=null,this._promise._attachExtraTrace(t),this._promise._pushContext();var e=f(this._generator["throw"]).call(this._generator,t);this._promise._popContext(),this._continue(e)},c.prototype._resultCancelled=function(){if(this._yieldedPromise instanceof e){var t=this._yieldedPromise;this._yieldedPromise=null,t.cancel()}},c.prototype.promise=function(){return this._promise},c.prototype._run=function(){this._generator=this._generatorFunction.call(this._receiver),this._receiver=this._generatorFunction=void 0,this._promiseFulfilled(void 0)},c.prototype._continue=function(t){var n=this._promise;if(t===h)return this._cleanup(),this._cancellationPhase?n.cancel():n._rejectCallback(t.e,!1);var r=t.value;if(t.done===!0)return this._cleanup(),this._cancellationPhase?n.cancel():n._resolveCallback(r);var o=i(r,this._promise);if(!(o instanceof e)&&(o=a(o,this._yieldHandlers,this._promise),null===o))return void this._promiseRejected(new u("A value %s was yielded that could not be treated as a promise\n\n See http://goo.gl/MqrFmX\n\n".replace("%s",String(r))+"From coroutine:\n"+this._stack.split("\n").slice(1,-7).join("\n")));o=o._target();var s=o._bitField;0===(50397184&s)?(this._yieldedPromise=o,o._proxy(this,null)):0!==(33554432&s)?e._async.invoke(this._promiseFulfilled,this,o._value()):0!==(16777216&s)?e._async.invoke(this._promiseRejected,this,o._reason()):this._promiseCancelled();
  30 +},e.coroutine=function(t,e){if("function"!=typeof t)throw new u("generatorFunction must be a function\n\n See http://goo.gl/MqrFmX\n");var n=Object(e).yieldHandler,r=c,i=(new Error).stack;return function(){var e=t.apply(this,arguments),o=new r(void 0,void 0,n,i),s=o.promise();return o._generator=e,o._promiseFulfilled(void 0),s}},e.coroutine.addYieldHandler=function(t){if("function"!=typeof t)throw new u("expecting a function but got "+p.classString(t));_.push(t)},e.spawn=function(t){if(s.deprecated("Promise.spawn()","Promise.coroutine()"),"function"!=typeof t)return n("generatorFunction must be a function\n\n See http://goo.gl/MqrFmX\n");var r=new c(t,this),i=r.promise();return r._run(e.spawn),i}}},{"./errors":12,"./util":36}],17:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o,s){var a=t("./util");a.canEvaluate,a.tryCatch,a.errorObj;e.join=function(){var t,e=arguments.length-1;if(e>0&&"function"==typeof arguments[e]){t=arguments[e];var r}var i=[].slice.call(arguments);t&&i.pop();var r=new n(i).promise();return void 0!==t?r.spread(t):r}}},{"./util":36}],18:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o,s){function a(t,e,n,r){this.constructor$(t),this._promise._captureStackTrace();var i=l();this._callback=null===i?e:u.domainBind(i,e),this._preservedValues=r===o?new Array(this.length()):null,this._limit=n,this._inFlight=0,this._queue=[],f.invoke(this._asyncInit,this,void 0)}function c(t,n,i,o){if("function"!=typeof n)return r("expecting a function but got "+u.classString(n));var s=0;if(void 0!==i){if("object"!=typeof i||null===i)return e.reject(new TypeError("options argument must be an object but it is "+u.classString(i)));if("number"!=typeof i.concurrency)return e.reject(new TypeError("'concurrency' must be a number but it is "+u.classString(i.concurrency)));s=i.concurrency}return s="number"==typeof s&&isFinite(s)&&s>=1?s:0,new a(t,n,s,o).promise()}var l=e._getDomain,u=t("./util"),p=u.tryCatch,h=u.errorObj,f=e._async;u.inherits(a,n),a.prototype._asyncInit=function(){this._init$(void 0,-2)},a.prototype._init=function(){},a.prototype._promiseFulfilled=function(t,n){var r=this._values,o=this.length(),a=this._preservedValues,c=this._limit;if(0>n){if(n=-1*n-1,r[n]=t,c>=1&&(this._inFlight--,this._drainQueue(),this._isResolved()))return!0}else{if(c>=1&&this._inFlight>=c)return r[n]=t,this._queue.push(n),!1;null!==a&&(a[n]=t);var l=this._promise,u=this._callback,f=l._boundValue();l._pushContext();var _=p(u).call(f,t,n,o),d=l._popContext();if(s.checkForgottenReturns(_,d,null!==a?"Promise.filter":"Promise.map",l),_===h)return this._reject(_.e),!0;var v=i(_,this._promise);if(v instanceof e){v=v._target();var y=v._bitField;if(0===(50397184&y))return c>=1&&this._inFlight++,r[n]=v,v._proxy(this,-1*(n+1)),!1;if(0===(33554432&y))return 0!==(16777216&y)?(this._reject(v._reason()),!0):(this._cancel(),!0);_=v._value()}r[n]=_}var m=++this._totalResolved;return m>=o?(null!==a?this._filter(r,a):this._resolve(r),!0):!1},a.prototype._drainQueue=function(){for(var t=this._queue,e=this._limit,n=this._values;t.length>0&&this._inFlight<e;){if(this._isResolved())return;var r=t.pop();this._promiseFulfilled(n[r],r)}},a.prototype._filter=function(t,e){for(var n=e.length,r=new Array(n),i=0,o=0;n>o;++o)t[o]&&(r[i++]=e[o]);r.length=i,this._resolve(r)},a.prototype.preservedValues=function(){return this._preservedValues},e.prototype.map=function(t,e){return c(this,t,e,null)},e.map=function(t,e,n,r){return c(t,e,n,r)}}},{"./util":36}],19:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o){var s=t("./util"),a=s.tryCatch;e.method=function(t){if("function"!=typeof t)throw new e.TypeError("expecting a function but got "+s.classString(t));return function(){var r=new e(n);r._captureStackTrace(),r._pushContext();var i=a(t).apply(this,arguments),s=r._popContext();return o.checkForgottenReturns(i,s,"Promise.method",r),r._resolveFromSyncValue(i),r}},e.attempt=e["try"]=function(t){if("function"!=typeof t)return i("expecting a function but got "+s.classString(t));var r=new e(n);r._captureStackTrace(),r._pushContext();var c;if(arguments.length>1){o.deprecated("calling Promise.try with more than 1 argument");var l=arguments[1],u=arguments[2];c=s.isArray(l)?a(t).apply(u,l):a(t).call(u,l)}else c=a(t)();var p=r._popContext();return o.checkForgottenReturns(c,p,"Promise.try",r),r._resolveFromSyncValue(c),r},e.prototype._resolveFromSyncValue=function(t){t===s.errorObj?this._rejectCallback(t.e,!1):this._resolveCallback(t,!0)}}},{"./util":36}],20:[function(t,e,n){"use strict";function r(t){return t instanceof Error&&u.getPrototypeOf(t)===Error.prototype}function i(t){var e;if(r(t)){e=new l(t),e.name=t.name,e.message=t.message,e.stack=t.stack;for(var n=u.keys(t),i=0;i<n.length;++i){var o=n[i];p.test(o)||(e[o]=t[o])}return e}return s.markAsOriginatingFromRejection(t),t}function o(t,e){return function(n,r){if(null!==t){if(n){var o=i(a(n));t._attachExtraTrace(o),t._reject(o)}else if(e){var s=[].slice.call(arguments,1);t._fulfill(s)}else t._fulfill(r);t=null}}}var s=t("./util"),a=s.maybeWrapAsError,c=t("./errors"),l=c.OperationalError,u=t("./es5"),p=/^(?:name|message|stack|cause)$/;e.exports=o},{"./errors":12,"./es5":13,"./util":36}],21:[function(t,e,n){"use strict";e.exports=function(e){function n(t,e){var n=this;if(!o.isArray(t))return r.call(n,t,e);var i=a(e).apply(n._boundValue(),[null].concat(t));i===c&&s.throwLater(i.e)}function r(t,e){var n=this,r=n._boundValue(),i=void 0===t?a(e).call(r,null):a(e).call(r,null,t);i===c&&s.throwLater(i.e)}function i(t,e){var n=this;if(!t){var r=new Error(t+"");r.cause=t,t=r}var i=a(e).call(n._boundValue(),t);i===c&&s.throwLater(i.e)}var o=t("./util"),s=e._async,a=o.tryCatch,c=o.errorObj;e.prototype.asCallback=e.prototype.nodeify=function(t,e){if("function"==typeof t){var o=r;void 0!==e&&Object(e).spread&&(o=n),this._then(o,i,void 0,this,t)}return this}}},{"./util":36}],22:[function(t,e,n){"use strict";e.exports=function(){function n(){}function r(t,e){if(null==t||t.constructor!==i)throw new m("the promise constructor cannot be invoked directly\n\n See http://goo.gl/MqrFmX\n");if("function"!=typeof e)throw new m("expecting a function but got "+f.classString(e))}function i(t){t!==b&&r(this,t),this._bitField=0,this._fulfillmentHandler0=void 0,this._rejectionHandler0=void 0,this._promise0=void 0,this._receiver0=void 0,this._resolveFromExecutor(t),this._promiseCreated(),this._fireEvent("promiseCreated",this)}function o(t){this.promise._resolveCallback(t)}function s(t){this.promise._rejectCallback(t,!1)}function a(t){var e=new i(b);e._fulfillmentHandler0=t,e._rejectionHandler0=t,e._promise0=t,e._receiver0=t}var c,l=function(){return new m("circular promise resolution chain\n\n See http://goo.gl/MqrFmX\n")},u=function(){return new i.PromiseInspection(this._target())},p=function(t){return i.reject(new m(t))},h={},f=t("./util");c=f.isNode?function(){var t=process.domain;return void 0===t&&(t=null),t}:function(){return null},f.notEnumerableProp(i,"_getDomain",c);var _=t("./es5"),d=t("./async"),v=new d;_.defineProperty(i,"_async",{value:v});var y=t("./errors"),m=i.TypeError=y.TypeError;i.RangeError=y.RangeError;var g=i.CancellationError=y.CancellationError;i.TimeoutError=y.TimeoutError,i.OperationalError=y.OperationalError,i.RejectionError=y.OperationalError,i.AggregateError=y.AggregateError;var b=function(){},w={},C={},j=t("./thenables")(i,b),E=t("./promise_array")(i,b,j,p,n),k=t("./context")(i),F=k.create,x=t("./debuggability")(i,k),T=(x.CapturedTrace,t("./finally")(i,j,C)),P=t("./catch_filter")(C),R=t("./nodeback"),S=f.errorObj,O=f.tryCatch;return i.prototype.toString=function(){return"[object Promise]"},i.prototype.caught=i.prototype["catch"]=function(t){var e=arguments.length;if(e>1){var n,r=new Array(e-1),i=0;for(n=0;e-1>n;++n){var o=arguments[n];if(!f.isObject(o))return p("Catch statement predicate: expecting an object but got "+f.classString(o));r[i++]=o}return r.length=i,t=arguments[n],this.then(void 0,P(r,t,this))}return this.then(void 0,t)},i.prototype.reflect=function(){return this._then(u,u,void 0,this,void 0)},i.prototype.then=function(t,e){if(x.warnings()&&arguments.length>0&&"function"!=typeof t&&"function"!=typeof e){var n=".then() only accepts functions but was passed: "+f.classString(t);arguments.length>1&&(n+=", "+f.classString(e)),this._warn(n)}return this._then(t,e,void 0,void 0,void 0)},i.prototype.done=function(t,e){var n=this._then(t,e,void 0,void 0,void 0);n._setIsFinal()},i.prototype.spread=function(t){return"function"!=typeof t?p("expecting a function but got "+f.classString(t)):this.all()._then(t,void 0,void 0,w,void 0)},i.prototype.toJSON=function(){var t={isFulfilled:!1,isRejected:!1,fulfillmentValue:void 0,rejectionReason:void 0};return this.isFulfilled()?(t.fulfillmentValue=this.value(),t.isFulfilled=!0):this.isRejected()&&(t.rejectionReason=this.reason(),t.isRejected=!0),t},i.prototype.all=function(){return arguments.length>0&&this._warn(".all() was passed arguments but it does not take any"),new E(this).promise()},i.prototype.error=function(t){return this.caught(f.originatesFromRejection,t)},i.getNewLibraryCopy=e.exports,i.is=function(t){return t instanceof i},i.fromNode=i.fromCallback=function(t){var e=new i(b);e._captureStackTrace();var n=arguments.length>1?!!Object(arguments[1]).multiArgs:!1,r=O(t)(R(e,n));return r===S&&e._rejectCallback(r.e,!0),e._isFateSealed()||e._setAsyncGuaranteed(),e},i.all=function(t){return new E(t).promise()},i.cast=function(t){var e=j(t);return e instanceof i||(e=new i(b),e._captureStackTrace(),e._setFulfilled(),e._rejectionHandler0=t),e},i.resolve=i.fulfilled=i.cast,i.reject=i.rejected=function(t){var e=new i(b);return e._captureStackTrace(),e._rejectCallback(t,!0),e},i.setScheduler=function(t){if("function"!=typeof t)throw new m("expecting a function but got "+f.classString(t));return v.setScheduler(t)},i.prototype._then=function(t,e,n,r,o){var s=void 0!==o,a=s?o:new i(b),l=this._target(),u=l._bitField;s||(a._propagateFrom(this,3),a._captureStackTrace(),void 0===r&&0!==(2097152&this._bitField)&&(r=0!==(50397184&u)?this._boundValue():l===this?void 0:this._boundTo),this._fireEvent("promiseChained",this,a));var p=c();if(0!==(50397184&u)){var h,_,d=l._settlePromiseCtx;0!==(33554432&u)?(_=l._rejectionHandler0,h=t):0!==(16777216&u)?(_=l._fulfillmentHandler0,h=e,l._unsetRejectionIsUnhandled()):(d=l._settlePromiseLateCancellationObserver,_=new g("late cancellation observer"),l._attachExtraTrace(_),h=e),v.invoke(d,l,{handler:null===p?h:"function"==typeof h&&f.domainBind(p,h),promise:a,receiver:r,value:_})}else l._addCallbacks(t,e,a,r,p);return a},i.prototype._length=function(){return 65535&this._bitField},i.prototype._isFateSealed=function(){return 0!==(117506048&this._bitField)},i.prototype._isFollowing=function(){return 67108864===(67108864&this._bitField)},i.prototype._setLength=function(t){this._bitField=-65536&this._bitField|65535&t},i.prototype._setFulfilled=function(){this._bitField=33554432|this._bitField,this._fireEvent("promiseFulfilled",this)},i.prototype._setRejected=function(){this._bitField=16777216|this._bitField,this._fireEvent("promiseRejected",this)},i.prototype._setFollowing=function(){this._bitField=67108864|this._bitField,this._fireEvent("promiseResolved",this)},i.prototype._setIsFinal=function(){this._bitField=4194304|this._bitField},i.prototype._isFinal=function(){return(4194304&this._bitField)>0},i.prototype._unsetCancelled=function(){this._bitField=-65537&this._bitField},i.prototype._setCancelled=function(){this._bitField=65536|this._bitField,this._fireEvent("promiseCancelled",this)},i.prototype._setWillBeCancelled=function(){this._bitField=8388608|this._bitField},i.prototype._setAsyncGuaranteed=function(){v.hasCustomScheduler()||(this._bitField=134217728|this._bitField)},i.prototype._receiverAt=function(t){var e=0===t?this._receiver0:this[4*t-4+3];return e===h?void 0:void 0===e&&this._isBound()?this._boundValue():e},i.prototype._promiseAt=function(t){return this[4*t-4+2]},i.prototype._fulfillmentHandlerAt=function(t){return this[4*t-4+0]},i.prototype._rejectionHandlerAt=function(t){return this[4*t-4+1]},i.prototype._boundValue=function(){},i.prototype._migrateCallback0=function(t){var e=(t._bitField,t._fulfillmentHandler0),n=t._rejectionHandler0,r=t._promise0,i=t._receiverAt(0);void 0===i&&(i=h),this._addCallbacks(e,n,r,i,null)},i.prototype._migrateCallbackAt=function(t,e){var n=t._fulfillmentHandlerAt(e),r=t._rejectionHandlerAt(e),i=t._promiseAt(e),o=t._receiverAt(e);void 0===o&&(o=h),this._addCallbacks(n,r,i,o,null)},i.prototype._addCallbacks=function(t,e,n,r,i){var o=this._length();if(o>=65531&&(o=0,this._setLength(0)),0===o)this._promise0=n,this._receiver0=r,"function"==typeof t&&(this._fulfillmentHandler0=null===i?t:f.domainBind(i,t)),"function"==typeof e&&(this._rejectionHandler0=null===i?e:f.domainBind(i,e));else{var s=4*o-4;this[s+2]=n,this[s+3]=r,"function"==typeof t&&(this[s+0]=null===i?t:f.domainBind(i,t)),"function"==typeof e&&(this[s+1]=null===i?e:f.domainBind(i,e))}return this._setLength(o+1),o},i.prototype._proxy=function(t,e){this._addCallbacks(void 0,void 0,e,t,null)},i.prototype._resolveCallback=function(t,e){if(0===(117506048&this._bitField)){if(t===this)return this._rejectCallback(l(),!1);var n=j(t,this);if(!(n instanceof i))return this._fulfill(t);e&&this._propagateFrom(n,2);var r=n._target();if(r===this)return void this._reject(l());var o=r._bitField;if(0===(50397184&o)){var s=this._length();s>0&&r._migrateCallback0(this);for(var a=1;s>a;++a)r._migrateCallbackAt(this,a);this._setFollowing(),this._setLength(0),this._setFollowee(r)}else if(0!==(33554432&o))this._fulfill(r._value());else if(0!==(16777216&o))this._reject(r._reason());else{var c=new g("late cancellation observer");r._attachExtraTrace(c),this._reject(c)}}},i.prototype._rejectCallback=function(t,e,n){var r=f.ensureErrorObject(t),i=r===t;if(!i&&!n&&x.warnings()){var o="a promise was rejected with a non-error: "+f.classString(t);this._warn(o,!0)}this._attachExtraTrace(r,e?i:!1),this._reject(t)},i.prototype._resolveFromExecutor=function(t){if(t!==b){var e=this;this._captureStackTrace(),this._pushContext();var n=!0,r=this._execute(t,function(t){e._resolveCallback(t)},function(t){e._rejectCallback(t,n)});n=!1,this._popContext(),void 0!==r&&e._rejectCallback(r,!0)}},i.prototype._settlePromiseFromHandler=function(t,e,n,r){var i=r._bitField;if(0===(65536&i)){r._pushContext();var o;e===w?n&&"number"==typeof n.length?o=O(t).apply(this._boundValue(),n):(o=S,o.e=new m("cannot .spread() a non-array: "+f.classString(n))):o=O(t).call(e,n);var s=r._popContext();i=r._bitField,0===(65536&i)&&(o===C?r._reject(n):o===S?r._rejectCallback(o.e,!1):(x.checkForgottenReturns(o,s,"",r,this),r._resolveCallback(o)))}},i.prototype._target=function(){for(var t=this;t._isFollowing();)t=t._followee();return t},i.prototype._followee=function(){return this._rejectionHandler0},i.prototype._setFollowee=function(t){this._rejectionHandler0=t},i.prototype._settlePromise=function(t,e,r,o){var s=t instanceof i,a=this._bitField,c=0!==(134217728&a);0!==(65536&a)?(s&&t._invokeInternalOnCancel(),r instanceof T&&r.isFinallyHandler()?(r.cancelPromise=t,O(e).call(r,o)===S&&t._reject(S.e)):e===u?t._fulfill(u.call(r)):r instanceof n?r._promiseCancelled(t):s||t instanceof E?t._cancel():r.cancel()):"function"==typeof e?s?(c&&t._setAsyncGuaranteed(),this._settlePromiseFromHandler(e,r,o,t)):e.call(r,o,t):r instanceof n?r._isResolved()||(0!==(33554432&a)?r._promiseFulfilled(o,t):r._promiseRejected(o,t)):s&&(c&&t._setAsyncGuaranteed(),0!==(33554432&a)?t._fulfill(o):t._reject(o))},i.prototype._settlePromiseLateCancellationObserver=function(t){var e=t.handler,n=t.promise,r=t.receiver,o=t.value;"function"==typeof e?n instanceof i?this._settlePromiseFromHandler(e,r,o,n):e.call(r,o,n):n instanceof i&&n._reject(o)},i.prototype._settlePromiseCtx=function(t){this._settlePromise(t.promise,t.handler,t.receiver,t.value)},i.prototype._settlePromise0=function(t,e,n){var r=this._promise0,i=this._receiverAt(0);this._promise0=void 0,this._receiver0=void 0,this._settlePromise(r,t,i,e)},i.prototype._clearCallbackDataAtIndex=function(t){var e=4*t-4;this[e+2]=this[e+3]=this[e+0]=this[e+1]=void 0},i.prototype._fulfill=function(t){var e=this._bitField;if(!((117506048&e)>>>16)){if(t===this){var n=l();return this._attachExtraTrace(n),this._reject(n)}this._setFulfilled(),this._rejectionHandler0=t,(65535&e)>0&&(0!==(134217728&e)?this._settlePromises():v.settlePromises(this))}},i.prototype._reject=function(t){var e=this._bitField;if(!((117506048&e)>>>16))return this._setRejected(),this._fulfillmentHandler0=t,this._isFinal()?v.fatalError(t,f.isNode):void((65535&e)>0?v.settlePromises(this):this._ensurePossibleRejectionHandled())},i.prototype._fulfillPromises=function(t,e){for(var n=1;t>n;n++){var r=this._fulfillmentHandlerAt(n),i=this._promiseAt(n),o=this._receiverAt(n);this._clearCallbackDataAtIndex(n),this._settlePromise(i,r,o,e)}},i.prototype._rejectPromises=function(t,e){for(var n=1;t>n;n++){var r=this._rejectionHandlerAt(n),i=this._promiseAt(n),o=this._receiverAt(n);this._clearCallbackDataAtIndex(n),this._settlePromise(i,r,o,e)}},i.prototype._settlePromises=function(){var t=this._bitField,e=65535&t;if(e>0){if(0!==(16842752&t)){var n=this._fulfillmentHandler0;this._settlePromise0(this._rejectionHandler0,n,t),this._rejectPromises(e,n)}else{var r=this._rejectionHandler0;this._settlePromise0(this._fulfillmentHandler0,r,t),this._fulfillPromises(e,r)}this._setLength(0)}this._clearCancellationData()},i.prototype._settledValue=function(){var t=this._bitField;return 0!==(33554432&t)?this._rejectionHandler0:0!==(16777216&t)?this._fulfillmentHandler0:void 0},i.defer=i.pending=function(){x.deprecated("Promise.defer","new Promise");var t=new i(b);return{promise:t,resolve:o,reject:s}},f.notEnumerableProp(i,"_makeSelfResolutionError",l),t("./method")(i,b,j,p,x),t("./bind")(i,b,j,x),t("./cancel")(i,E,p,x),t("./direct_resolve")(i),t("./synchronous_inspection")(i),t("./join")(i,E,j,b,v,c),i.Promise=i,i.version="3.5.0",t("./map.js")(i,E,p,j,b,x),t("./call_get.js")(i),t("./using.js")(i,p,j,F,b,x),t("./timers.js")(i,b,x),t("./generators.js")(i,p,b,j,n,x),t("./nodeify.js")(i),t("./promisify.js")(i,b),t("./props.js")(i,E,j,p),t("./race.js")(i,b,j,p),t("./reduce.js")(i,E,p,j,b,x),t("./settle.js")(i,E,x),t("./some.js")(i,E,p),t("./filter.js")(i,b),t("./each.js")(i,b),t("./any.js")(i),f.toFastProperties(i),f.toFastProperties(i.prototype),a({a:1}),a({b:2}),a({c:3}),a(1),a(function(){}),a(void 0),a(!1),a(new i(b)),x.setBounds(d.firstLineError,f.lastLineError),i}},{"./any.js":1,"./async":2,"./bind":3,"./call_get.js":5,"./cancel":6,"./catch_filter":7,"./context":8,"./debuggability":9,"./direct_resolve":10,"./each.js":11,"./errors":12,"./es5":13,"./filter.js":14,"./finally":15,"./generators.js":16,"./join":17,"./map.js":18,"./method":19,"./nodeback":20,"./nodeify.js":21,"./promise_array":23,"./promisify.js":24,"./props.js":25,"./race.js":27,"./reduce.js":28,"./settle.js":30,"./some.js":31,"./synchronous_inspection":32,"./thenables":33,"./timers.js":34,"./using.js":35,"./util":36}],23:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o){function s(t){switch(t){case-2:return[];case-3:return{};case-6:return new Map}}function a(t){var r=this._promise=new e(n);t instanceof e&&r._propagateFrom(t,3),r._setOnCancel(this),this._values=t,this._length=0,this._totalResolved=0,this._init(void 0,-2)}var c=t("./util");c.isArray;return c.inherits(a,o),a.prototype.length=function(){return this._length},a.prototype.promise=function(){return this._promise},a.prototype._init=function l(t,n){var o=r(this._values,this._promise);if(o instanceof e){o=o._target();var a=o._bitField;if(this._values=o,0===(50397184&a))return this._promise._setAsyncGuaranteed(),o._then(l,this._reject,void 0,this,n);if(0===(33554432&a))return 0!==(16777216&a)?this._reject(o._reason()):this._cancel();o=o._value()}if(o=c.asArray(o),null===o){var u=i("expecting an array or an iterable object but got "+c.classString(o)).reason();return void this._promise._rejectCallback(u,!1)}return 0===o.length?void(-5===n?this._resolveEmptyArray():this._resolve(s(n))):void this._iterate(o)},a.prototype._iterate=function(t){var n=this.getActualLength(t.length);this._length=n,this._values=this.shouldCopyValues()?new Array(n):this._values;for(var i=this._promise,o=!1,s=null,a=0;n>a;++a){var c=r(t[a],i);c instanceof e?(c=c._target(),s=c._bitField):s=null,o?null!==s&&c.suppressUnhandledRejections():null!==s?0===(50397184&s)?(c._proxy(this,a),this._values[a]=c):o=0!==(33554432&s)?this._promiseFulfilled(c._value(),a):0!==(16777216&s)?this._promiseRejected(c._reason(),a):this._promiseCancelled(a):o=this._promiseFulfilled(c,a)}o||i._setAsyncGuaranteed()},a.prototype._isResolved=function(){return null===this._values},a.prototype._resolve=function(t){this._values=null,this._promise._fulfill(t)},a.prototype._cancel=function(){!this._isResolved()&&this._promise._isCancellable()&&(this._values=null,this._promise._cancel())},a.prototype._reject=function(t){this._values=null,this._promise._rejectCallback(t,!1)},a.prototype._promiseFulfilled=function(t,e){this._values[e]=t;var n=++this._totalResolved;return n>=this._length?(this._resolve(this._values),!0):!1},a.prototype._promiseCancelled=function(){return this._cancel(),!0},a.prototype._promiseRejected=function(t){return this._totalResolved++,this._reject(t),!0},a.prototype._resultCancelled=function(){if(!this._isResolved()){var t=this._values;if(this._cancel(),t instanceof e)t.cancel();else for(var n=0;n<t.length;++n)t[n]instanceof e&&t[n].cancel()}},a.prototype.shouldCopyValues=function(){return!0},a.prototype.getActualLength=function(t){return t},a}},{"./util":36}],24:[function(t,e,n){"use strict";e.exports=function(e,n){function r(t){return!C.test(t)}function i(t){try{return t.__isPromisified__===!0}catch(e){return!1}}function o(t,e,n){var r=f.getDataPropertyOrDefault(t,e+n,b);return r?i(r):!1}function s(t,e,n){for(var r=0;r<t.length;r+=2){var i=t[r];if(n.test(i))for(var o=i.replace(n,""),s=0;s<t.length;s+=2)if(t[s]===o)throw new m("Cannot promisify an API that has normal methods with '%s'-suffix\n\n See http://goo.gl/MqrFmX\n".replace("%s",e))}}function a(t,e,n,r){for(var a=f.inheritedDataKeys(t),c=[],l=0;l<a.length;++l){var u=a[l],p=t[u],h=r===j?!0:j(u,p,t);"function"!=typeof p||i(p)||o(t,u,e)||!r(u,p,t,h)||c.push(u,p)}return s(c,e,n),c}function c(t,r,i,o,s,a){function c(){var i=r;r===h&&(i=this);var o=new e(n);o._captureStackTrace();var s="string"==typeof u&&this!==l?this[u]:t,c=_(o,a);try{s.apply(i,d(arguments,c))}catch(p){o._rejectCallback(v(p),!0,!0)}return o._isFateSealed()||o._setAsyncGuaranteed(),o}var l=function(){return this}(),u=t;return"string"==typeof u&&(t=o),f.notEnumerableProp(c,"__isPromisified__",!0),c}function l(t,e,n,r,i){for(var o=new RegExp(E(e)+"$"),s=a(t,e,o,n),c=0,l=s.length;l>c;c+=2){var u=s[c],p=s[c+1],_=u+e;if(r===k)t[_]=k(u,h,u,p,e,i);else{var d=r(p,function(){return k(u,h,u,p,e,i)});f.notEnumerableProp(d,"__isPromisified__",!0),t[_]=d}}return f.toFastProperties(t),t}function u(t,e,n){return k(t,e,void 0,t,null,n)}var p,h={},f=t("./util"),_=t("./nodeback"),d=f.withAppended,v=f.maybeWrapAsError,y=f.canEvaluate,m=t("./errors").TypeError,g="Async",b={__isPromisified__:!0},w=["arity","length","name","arguments","caller","callee","prototype","__isPromisified__"],C=new RegExp("^(?:"+w.join("|")+")$"),j=function(t){return f.isIdentifier(t)&&"_"!==t.charAt(0)&&"constructor"!==t},E=function(t){return t.replace(/([$])/,"\\$")},k=y?p:c;e.promisify=function(t,e){if("function"!=typeof t)throw new m("expecting a function but got "+f.classString(t));if(i(t))return t;e=Object(e);var n=void 0===e.context?h:e.context,o=!!e.multiArgs,s=u(t,n,o);return f.copyDescriptors(t,s,r),s},e.promisifyAll=function(t,e){if("function"!=typeof t&&"object"!=typeof t)throw new m("the target of promisifyAll must be an object or a function\n\n See http://goo.gl/MqrFmX\n");e=Object(e);var n=!!e.multiArgs,r=e.suffix;"string"!=typeof r&&(r=g);var i=e.filter;"function"!=typeof i&&(i=j);var o=e.promisifier;if("function"!=typeof o&&(o=k),!f.isIdentifier(r))throw new RangeError("suffix must be a valid identifier\n\n See http://goo.gl/MqrFmX\n");for(var s=f.inheritedDataKeys(t),a=0;a<s.length;++a){var c=t[s[a]];"constructor"!==s[a]&&f.isClass(c)&&(l(c.prototype,r,i,o,n),l(c,r,i,o,n))}return l(t,r,i,o,n)}}},{"./errors":12,"./nodeback":20,"./util":36}],25:[function(t,e,n){"use strict";e.exports=function(e,n,r,i){function o(t){var e,n=!1;if(void 0!==a&&t instanceof a)e=p(t),n=!0;else{var r=u.keys(t),i=r.length;e=new Array(2*i);for(var o=0;i>o;++o){var s=r[o];e[o]=t[s],e[o+i]=s}}this.constructor$(e),this._isMap=n,this._init$(void 0,n?-6:-3)}function s(t){var n,s=r(t);return l(s)?(n=s instanceof e?s._then(e.props,void 0,void 0,void 0,void 0):new o(s).promise(),s instanceof e&&n._propagateFrom(s,2),n):i("cannot await properties of a non-object\n\n See http://goo.gl/MqrFmX\n")}var a,c=t("./util"),l=c.isObject,u=t("./es5");"function"==typeof Map&&(a=Map);var p=function(){function t(t,r){this[e]=t,this[e+n]=r,e++}var e=0,n=0;return function(r){n=r.size,e=0;var i=new Array(2*r.size);return r.forEach(t,i),i}}(),h=function(t){for(var e=new a,n=t.length/2|0,r=0;n>r;++r){var i=t[n+r],o=t[r];e.set(i,o)}return e};c.inherits(o,n),o.prototype._init=function(){},o.prototype._promiseFulfilled=function(t,e){this._values[e]=t;var n=++this._totalResolved;if(n>=this._length){var r;if(this._isMap)r=h(this._values);else{r={};for(var i=this.length(),o=0,s=this.length();s>o;++o)r[this._values[o+i]]=this._values[o]}return this._resolve(r),!0}return!1},o.prototype.shouldCopyValues=function(){return!1},o.prototype.getActualLength=function(t){return t>>1},e.prototype.props=function(){return s(this)},e.props=function(t){return s(t)}}},{"./es5":13,"./util":36}],26:[function(t,e,n){"use strict";function r(t,e,n,r,i){for(var o=0;i>o;++o)n[o+r]=t[o+e],t[o+e]=void 0}function i(t){this._capacity=t,this._length=0,this._front=0}i.prototype._willBeOverCapacity=function(t){return this._capacity<t},i.prototype._pushOne=function(t){var e=this.length();this._checkCapacity(e+1);var n=this._front+e&this._capacity-1;this[n]=t,this._length=e+1},i.prototype.push=function(t,e,n){var r=this.length()+3;if(this._willBeOverCapacity(r))return this._pushOne(t),this._pushOne(e),void this._pushOne(n);var i=this._front+r-3;this._checkCapacity(r);var o=this._capacity-1;this[i+0&o]=t,this[i+1&o]=e,this[i+2&o]=n,this._length=r},i.prototype.shift=function(){var t=this._front,e=this[t];return this[t]=void 0,this._front=t+1&this._capacity-1,this._length--,e},i.prototype.length=function(){return this._length},i.prototype._checkCapacity=function(t){this._capacity<t&&this._resizeTo(this._capacity<<1)},i.prototype._resizeTo=function(t){var e=this._capacity;this._capacity=t;var n=this._front,i=this._length,o=n+i&e-1;r(this,0,this,e,o)},e.exports=i},{}],27:[function(t,e,n){"use strict";e.exports=function(e,n,r,i){function o(t,o){var c=r(t);if(c instanceof e)return a(c);if(t=s.asArray(t),null===t)return i("expecting an array or an iterable object but got "+s.classString(t));var l=new e(n);void 0!==o&&l._propagateFrom(o,3);for(var u=l._fulfill,p=l._reject,h=0,f=t.length;f>h;++h){var _=t[h];(void 0!==_||h in t)&&e.cast(_)._then(u,p,void 0,l,null)}return l}var s=t("./util"),a=function(t){return t.then(function(e){return o(e,t)})};e.race=function(t){return o(t,void 0)},e.prototype.race=function(){return o(this,void 0)}}},{"./util":36}],28:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o,s){function a(t,n,r,i){this.constructor$(t);var s=h();this._fn=null===s?n:f.domainBind(s,n),void 0!==r&&(r=e.resolve(r),r._attachCancellationCallback(this)),this._initialValue=r,this._currentCancellable=null,i===o?this._eachValues=Array(this._length):0===i?this._eachValues=null:this._eachValues=void 0,this._promise._captureStackTrace(),this._init$(void 0,-5)}function c(t,e){this.isFulfilled()?e._resolve(t):e._reject(t)}function l(t,e,n,i){if("function"!=typeof e)return r("expecting a function but got "+f.classString(e));var o=new a(t,e,n,i);return o.promise()}function u(t){this.accum=t,this.array._gotAccum(t);var n=i(this.value,this.array._promise);return n instanceof e?(this.array._currentCancellable=n,n._then(p,void 0,void 0,this,void 0)):p.call(this,n)}function p(t){var n=this.array,r=n._promise,i=_(n._fn);r._pushContext();var o;o=void 0!==n._eachValues?i.call(r._boundValue(),t,this.index,this.length):i.call(r._boundValue(),this.accum,t,this.index,this.length),o instanceof e&&(n._currentCancellable=o);var a=r._popContext();return s.checkForgottenReturns(o,a,void 0!==n._eachValues?"Promise.each":"Promise.reduce",r),o}var h=e._getDomain,f=t("./util"),_=f.tryCatch;f.inherits(a,n),a.prototype._gotAccum=function(t){void 0!==this._eachValues&&null!==this._eachValues&&t!==o&&this._eachValues.push(t)},a.prototype._eachComplete=function(t){return null!==this._eachValues&&this._eachValues.push(t),this._eachValues},a.prototype._init=function(){},a.prototype._resolveEmptyArray=function(){this._resolve(void 0!==this._eachValues?this._eachValues:this._initialValue)},a.prototype.shouldCopyValues=function(){return!1},a.prototype._resolve=function(t){this._promise._resolveCallback(t),this._values=null},a.prototype._resultCancelled=function(t){return t===this._initialValue?this._cancel():void(this._isResolved()||(this._resultCancelled$(),this._currentCancellable instanceof e&&this._currentCancellable.cancel(),this._initialValue instanceof e&&this._initialValue.cancel()))},a.prototype._iterate=function(t){this._values=t;var n,r,i=t.length;if(void 0!==this._initialValue?(n=this._initialValue,r=0):(n=e.resolve(t[0]),r=1),this._currentCancellable=n,!n.isRejected())for(;i>r;++r){var o={accum:null,value:t[r],index:r,length:i,array:this};n=n._then(u,void 0,void 0,o,void 0)}void 0!==this._eachValues&&(n=n._then(this._eachComplete,void 0,void 0,this,void 0)),n._then(c,c,void 0,n,this)},e.prototype.reduce=function(t,e){return l(this,t,e,null)},e.reduce=function(t,e,n,r){return l(t,e,n,r)}}},{"./util":36}],29:[function(t,e,n){"use strict";var r,i=t("./util"),o=function(){throw new Error("No async scheduler available\n\n See http://goo.gl/MqrFmX\n")},s=i.getNativePromise();if(i.isNode&&"undefined"==typeof MutationObserver){var a=global.setImmediate,c=process.nextTick;r=i.isRecentNode?function(t){a.call(global,t)}:function(t){c.call(process,t)}}else if("function"==typeof s&&"function"==typeof s.resolve){var l=s.resolve();r=function(t){l.then(t)}}else r="undefined"==typeof MutationObserver||"undefined"!=typeof window&&window.navigator&&(window.navigator.standalone||window.cordova)?"undefined"!=typeof setImmediate?function(t){setImmediate(t)}:"undefined"!=typeof setTimeout?function(t){setTimeout(t,0)}:o:function(){var t=document.createElement("div"),e={attributes:!0},n=!1,r=document.createElement("div"),i=new MutationObserver(function(){t.classList.toggle("foo"),n=!1});i.observe(r,e);var o=function(){n||(n=!0,r.classList.toggle("foo"))};return function(n){var r=new MutationObserver(function(){r.disconnect(),n()});r.observe(t,e),o()}}();e.exports=r},{"./util":36}],30:[function(t,e,n){"use strict";e.exports=function(e,n,r){function i(t){this.constructor$(t)}var o=e.PromiseInspection,s=t("./util");s.inherits(i,n),i.prototype._promiseResolved=function(t,e){this._values[t]=e;var n=++this._totalResolved;return n>=this._length?(this._resolve(this._values),!0):!1},i.prototype._promiseFulfilled=function(t,e){var n=new o;return n._bitField=33554432,n._settledValueField=t,this._promiseResolved(e,n)},i.prototype._promiseRejected=function(t,e){var n=new o;return n._bitField=16777216,n._settledValueField=t,this._promiseResolved(e,n)},e.settle=function(t){return r.deprecated(".settle()",".reflect()"),new i(t).promise()},e.prototype.settle=function(){return e.settle(this)}}},{"./util":36}],31:[function(t,e,n){"use strict";e.exports=function(e,n,r){function i(t){this.constructor$(t),
  31 +this._howMany=0,this._unwrap=!1,this._initialized=!1}function o(t,e){if((0|e)!==e||0>e)return r("expecting a positive integer\n\n See http://goo.gl/MqrFmX\n");var n=new i(t),o=n.promise();return n.setHowMany(e),n.init(),o}var s=t("./util"),a=t("./errors").RangeError,c=t("./errors").AggregateError,l=s.isArray,u={};s.inherits(i,n),i.prototype._init=function(){if(this._initialized){if(0===this._howMany)return void this._resolve([]);this._init$(void 0,-5);var t=l(this._values);!this._isResolved()&&t&&this._howMany>this._canPossiblyFulfill()&&this._reject(this._getRangeError(this.length()))}},i.prototype.init=function(){this._initialized=!0,this._init()},i.prototype.setUnwrap=function(){this._unwrap=!0},i.prototype.howMany=function(){return this._howMany},i.prototype.setHowMany=function(t){this._howMany=t},i.prototype._promiseFulfilled=function(t){return this._addFulfilled(t),this._fulfilled()===this.howMany()?(this._values.length=this.howMany(),1===this.howMany()&&this._unwrap?this._resolve(this._values[0]):this._resolve(this._values),!0):!1},i.prototype._promiseRejected=function(t){return this._addRejected(t),this._checkOutcome()},i.prototype._promiseCancelled=function(){return this._values instanceof e||null==this._values?this._cancel():(this._addRejected(u),this._checkOutcome())},i.prototype._checkOutcome=function(){if(this.howMany()>this._canPossiblyFulfill()){for(var t=new c,e=this.length();e<this._values.length;++e)this._values[e]!==u&&t.push(this._values[e]);return t.length>0?this._reject(t):this._cancel(),!0}return!1},i.prototype._fulfilled=function(){return this._totalResolved},i.prototype._rejected=function(){return this._values.length-this.length()},i.prototype._addRejected=function(t){this._values.push(t)},i.prototype._addFulfilled=function(t){this._values[this._totalResolved++]=t},i.prototype._canPossiblyFulfill=function(){return this.length()-this._rejected()},i.prototype._getRangeError=function(t){var e="Input array must contain at least "+this._howMany+" items but contains only "+t+" items";return new a(e)},i.prototype._resolveEmptyArray=function(){this._reject(this._getRangeError(0))},e.some=function(t,e){return o(t,e)},e.prototype.some=function(t){return o(this,t)},e._SomePromiseArray=i}},{"./errors":12,"./util":36}],32:[function(t,e,n){"use strict";e.exports=function(t){function e(t){void 0!==t?(t=t._target(),this._bitField=t._bitField,this._settledValueField=t._isFateSealed()?t._settledValue():void 0):(this._bitField=0,this._settledValueField=void 0)}e.prototype._settledValue=function(){return this._settledValueField};var n=e.prototype.value=function(){if(!this.isFulfilled())throw new TypeError("cannot get fulfillment value of a non-fulfilled promise\n\n See http://goo.gl/MqrFmX\n");return this._settledValue()},r=e.prototype.error=e.prototype.reason=function(){if(!this.isRejected())throw new TypeError("cannot get rejection reason of a non-rejected promise\n\n See http://goo.gl/MqrFmX\n");return this._settledValue()},i=e.prototype.isFulfilled=function(){return 0!==(33554432&this._bitField)},o=e.prototype.isRejected=function(){return 0!==(16777216&this._bitField)},s=e.prototype.isPending=function(){return 0===(50397184&this._bitField)},a=e.prototype.isResolved=function(){return 0!==(50331648&this._bitField)};e.prototype.isCancelled=function(){return 0!==(8454144&this._bitField)},t.prototype.__isCancelled=function(){return 65536===(65536&this._bitField)},t.prototype._isCancelled=function(){return this._target().__isCancelled()},t.prototype.isCancelled=function(){return 0!==(8454144&this._target()._bitField)},t.prototype.isPending=function(){return s.call(this._target())},t.prototype.isRejected=function(){return o.call(this._target())},t.prototype.isFulfilled=function(){return i.call(this._target())},t.prototype.isResolved=function(){return a.call(this._target())},t.prototype.value=function(){return n.call(this._target())},t.prototype.reason=function(){var t=this._target();return t._unsetRejectionIsUnhandled(),r.call(t)},t.prototype._value=function(){return this._settledValue()},t.prototype._reason=function(){return this._unsetRejectionIsUnhandled(),this._settledValue()},t.PromiseInspection=e}},{}],33:[function(t,e,n){"use strict";e.exports=function(e,n){function r(t,r){if(u(t)){if(t instanceof e)return t;var i=o(t);if(i===l){r&&r._pushContext();var c=e.reject(i.e);return r&&r._popContext(),c}if("function"==typeof i){if(s(t)){var c=new e(n);return t._then(c._fulfill,c._reject,void 0,c,null),c}return a(t,i,r)}}return t}function i(t){return t.then}function o(t){try{return i(t)}catch(e){return l.e=e,l}}function s(t){try{return p.call(t,"_promise0")}catch(e){return!1}}function a(t,r,i){function o(t){a&&(a._resolveCallback(t),a=null)}function s(t){a&&(a._rejectCallback(t,p,!0),a=null)}var a=new e(n),u=a;i&&i._pushContext(),a._captureStackTrace(),i&&i._popContext();var p=!0,h=c.tryCatch(r).call(t,o,s);return p=!1,a&&h===l&&(a._rejectCallback(h.e,!0,!0),a=null),u}var c=t("./util"),l=c.errorObj,u=c.isObject,p={}.hasOwnProperty;return r}},{"./util":36}],34:[function(t,e,n){"use strict";e.exports=function(e,n,r){function i(t){this.handle=t}function o(t){return clearTimeout(this.handle),t}function s(t){throw clearTimeout(this.handle),t}var a=t("./util"),c=e.TimeoutError;i.prototype._resultCancelled=function(){clearTimeout(this.handle)};var l=function(t){return u(+this).thenReturn(t)},u=e.delay=function(t,o){var s,a;return void 0!==o?(s=e.resolve(o)._then(l,null,null,t,void 0),r.cancellation()&&o instanceof e&&s._setOnCancel(o)):(s=new e(n),a=setTimeout(function(){s._fulfill()},+t),r.cancellation()&&s._setOnCancel(new i(a)),s._captureStackTrace()),s._setAsyncGuaranteed(),s};e.prototype.delay=function(t){return u(t,this)};var p=function(t,e,n){var r;r="string"!=typeof e?e instanceof Error?e:new c("operation timed out"):new c(e),a.markAsOriginatingFromRejection(r),t._attachExtraTrace(r),t._reject(r),null!=n&&n.cancel()};e.prototype.timeout=function(t,e){t=+t;var n,a,c=new i(setTimeout(function(){n.isPending()&&p(n,e,a)},t));return r.cancellation()?(a=this.then(),n=a._then(o,s,void 0,c,void 0),n._setOnCancel(c)):n=this._then(o,s,void 0,c,void 0),n}}},{"./util":36}],35:[function(t,e,n){"use strict";e.exports=function(e,n,r,i,o,s){function a(t){setTimeout(function(){throw t},0)}function c(t){var e=r(t);return e!==t&&"function"==typeof t._isDisposable&&"function"==typeof t._getDisposer&&t._isDisposable()&&e._setDisposable(t._getDisposer()),e}function l(t,n){function i(){if(s>=l)return u._fulfill();var o=c(t[s++]);if(o instanceof e&&o._isDisposable()){try{o=r(o._getDisposer().tryDispose(n),t.promise)}catch(p){return a(p)}if(o instanceof e)return o._then(i,a,null,null,null)}i()}var s=0,l=t.length,u=new e(o);return i(),u}function u(t,e,n){this._data=t,this._promise=e,this._context=n}function p(t,e,n){this.constructor$(t,e,n)}function h(t){return u.isDisposer(t)?(this.resources[this.index]._setDisposable(t),t.promise()):t}function f(t){this.length=t,this.promise=null,this[t-1]=null}var _=t("./util"),d=t("./errors").TypeError,v=t("./util").inherits,y=_.errorObj,m=_.tryCatch,g={};u.prototype.data=function(){return this._data},u.prototype.promise=function(){return this._promise},u.prototype.resource=function(){return this.promise().isFulfilled()?this.promise().value():g},u.prototype.tryDispose=function(t){var e=this.resource(),n=this._context;void 0!==n&&n._pushContext();var r=e!==g?this.doDispose(e,t):null;return void 0!==n&&n._popContext(),this._promise._unsetDisposable(),this._data=null,r},u.isDisposer=function(t){return null!=t&&"function"==typeof t.resource&&"function"==typeof t.tryDispose},v(p,u),p.prototype.doDispose=function(t,e){var n=this.data();return n.call(t,t,e)},f.prototype._resultCancelled=function(){for(var t=this.length,n=0;t>n;++n){var r=this[n];r instanceof e&&r.cancel()}},e.using=function(){var t=arguments.length;if(2>t)return n("you must pass at least 2 arguments to Promise.using");var i=arguments[t-1];if("function"!=typeof i)return n("expecting a function but got "+_.classString(i));var o,a=!0;2===t&&Array.isArray(arguments[0])?(o=arguments[0],t=o.length,a=!1):(o=arguments,t--);for(var c=new f(t),p=0;t>p;++p){var d=o[p];if(u.isDisposer(d)){var v=d;d=d.promise(),d._setDisposable(v)}else{var g=r(d);g instanceof e&&(d=g._then(h,null,null,{resources:c,index:p},void 0))}c[p]=d}for(var b=new Array(c.length),p=0;p<b.length;++p)b[p]=e.resolve(c[p]).reflect();var w=e.all(b).then(function(t){for(var e=0;e<t.length;++e){var n=t[e];if(n.isRejected())return y.e=n.error(),y;if(!n.isFulfilled())return void w.cancel();t[e]=n.value()}C._pushContext(),i=m(i);var r=a?i.apply(void 0,t):i(t),o=C._popContext();return s.checkForgottenReturns(r,o,"Promise.using",C),r}),C=w.lastly(function(){var t=new e.PromiseInspection(w);return l(c,t)});return c.promise=C,C._setOnCancel(c),C},e.prototype._setDisposable=function(t){this._bitField=131072|this._bitField,this._disposer=t},e.prototype._isDisposable=function(){return(131072&this._bitField)>0},e.prototype._getDisposer=function(){return this._disposer},e.prototype._unsetDisposable=function(){this._bitField=-131073&this._bitField,this._disposer=void 0},e.prototype.disposer=function(t){if("function"==typeof t)return new p(t,this,i());throw new d}}},{"./errors":12,"./util":36}],36:[function(t,e,n){"use strict";function r(){try{var t=P;return P=null,t.apply(this,arguments)}catch(e){return T.e=e,T}}function i(t){return P=t,r}function o(t){return null==t||t===!0||t===!1||"string"==typeof t||"number"==typeof t}function s(t){return"function"==typeof t||"object"==typeof t&&null!==t}function a(t){return o(t)?new Error(v(t)):t}function c(t,e){var n,r=t.length,i=new Array(r+1);for(n=0;r>n;++n)i[n]=t[n];return i[n]=e,i}function l(t,e,n){if(!F.isES5)return{}.hasOwnProperty.call(t,e)?t[e]:void 0;var r=Object.getOwnPropertyDescriptor(t,e);return null!=r?null==r.get&&null==r.set?r.value:n:void 0}function u(t,e,n){if(o(t))return t;var r={value:n,configurable:!0,enumerable:!1,writable:!0};return F.defineProperty(t,e,r),t}function p(t){throw t}function h(t){try{if("function"==typeof t){var e=F.names(t.prototype),n=F.isES5&&e.length>1,r=e.length>0&&!(1===e.length&&"constructor"===e[0]),i=A.test(t+"")&&F.names(t).length>0;if(n||r||i)return!0}return!1}catch(o){return!1}}function f(t){function e(){}e.prototype=t;for(var n=8;n--;)new e;return t}function _(t){return D.test(t)}function d(t,e,n){for(var r=new Array(t),i=0;t>i;++i)r[i]=e+i+n;return r}function v(t){try{return t+""}catch(e){return"[no string representation]"}}function y(t){return null!==t&&"object"==typeof t&&"string"==typeof t.message&&"string"==typeof t.name}function m(t){try{u(t,"isOperational",!0)}catch(e){}}function g(t){return null==t?!1:t instanceof Error.__BluebirdErrorTypes__.OperationalError||t.isOperational===!0}function b(t){return y(t)&&F.propertyIsWritable(t,"stack")}function w(t){return{}.toString.call(t)}function C(t,e,n){for(var r=F.names(t),i=0;i<r.length;++i){var o=r[i];if(n(o))try{F.defineProperty(e,o,F.getDescriptor(t,o))}catch(s){}}}function j(t){return N?process.env[t]:void 0}function E(){if("function"==typeof Promise)try{var t=new Promise(function(){});if("[object Promise]"==={}.toString.call(t))return Promise}catch(e){}}function k(t,e){return t.bind(e)}var F=t("./es5"),x="undefined"==typeof navigator,T={e:{}},P,R="undefined"!=typeof self?self:"undefined"!=typeof window?window:"undefined"!=typeof global?global:void 0!==this?this:null,S=function(t,e){function n(){this.constructor=t,this.constructor$=e;for(var n in e.prototype)r.call(e.prototype,n)&&"$"!==n.charAt(n.length-1)&&(this[n+"$"]=e.prototype[n])}var r={}.hasOwnProperty;return n.prototype=e.prototype,t.prototype=new n,t.prototype},O=function(){var t=[Array.prototype,Object.prototype,Function.prototype],e=function(e){for(var n=0;n<t.length;++n)if(t[n]===e)return!0;return!1};if(F.isES5){var n=Object.getOwnPropertyNames;return function(t){for(var r=[],i=Object.create(null);null!=t&&!e(t);){var o;try{o=n(t)}catch(s){return r}for(var a=0;a<o.length;++a){var c=o[a];if(!i[c]){i[c]=!0;var l=Object.getOwnPropertyDescriptor(t,c);null!=l&&null==l.get&&null==l.set&&r.push(c)}}t=F.getPrototypeOf(t)}return r}}var r={}.hasOwnProperty;return function(n){if(e(n))return[];var i=[];t:for(var o in n)if(r.call(n,o))i.push(o);else{for(var s=0;s<t.length;++s)if(r.call(t[s],o))continue t;i.push(o)}return i}}(),A=/this\s*\.\s*\S+\s*=/,D=/^[a-z$_][a-z$_0-9]*$/i,V=function(){return"stack"in new Error?function(t){return b(t)?t:new Error(v(t))}:function(t){if(b(t))return t;try{throw new Error(v(t))}catch(e){return e}}}(),I=function(t){return F.isArray(t)?t:null};if("undefined"!=typeof Symbol&&Symbol.iterator){var L="function"==typeof Array.from?function(t){return Array.from(t)}:function(t){for(var e,n=[],r=t[Symbol.iterator]();!(e=r.next()).done;)n.push(e.value);return n};I=function(t){return F.isArray(t)?t:null!=t&&"function"==typeof t[Symbol.iterator]?L(t):null}}var H="undefined"!=typeof process&&"[object process]"===w(process).toLowerCase(),N="undefined"!=typeof process&&"undefined"!=typeof process.env,B={isClass:h,isIdentifier:_,inheritedDataKeys:O,getDataPropertyOrDefault:l,thrower:p,isArray:F.isArray,asArray:I,notEnumerableProp:u,isPrimitive:o,isObject:s,isError:y,canEvaluate:x,errorObj:T,tryCatch:i,inherits:S,withAppended:c,maybeWrapAsError:a,toFastProperties:f,filledRange:d,toString:v,canAttachTrace:b,ensureErrorObject:V,originatesFromRejection:g,markAsOriginatingFromRejection:m,classString:w,copyDescriptors:C,hasDevTools:"undefined"!=typeof chrome&&chrome&&"function"==typeof chrome.loadTimes,isNode:H,hasEnvVariables:N,env:j,global:R,getNativePromise:E,domainBind:k};B.isRecentNode=B.isNode&&function(){var t=process.versions.node.split(".").map(Number);return 0===t[0]&&t[1]>10||t[0]>0}(),B.isNode&&B.toFastProperties(process);try{throw new Error}catch(U){B.lastLineError=U}e.exports=B},{"./es5":13}]},{},[4])(4)}),"undefined"!=typeof window&&null!==window?window.P=window.Promise:"undefined"!=typeof self&&null!==self&&(self.P=self.Promise);
  1 +"use strict";
  2 +module.exports = function(Promise) {
  3 +var SomePromiseArray = Promise._SomePromiseArray;
  4 +function any(promises) {
  5 + var ret = new SomePromiseArray(promises);
  6 + var promise = ret.promise();
  7 + ret.setHowMany(1);
  8 + ret.setUnwrap();
  9 + ret.init();
  10 + return promise;
  11 +}
  12 +
  13 +Promise.any = function (promises) {
  14 + return any(promises);
  15 +};
  16 +
  17 +Promise.prototype.any = function () {
  18 + return any(this);
  19 +};
  20 +
  21 +};
  1 +"use strict";
  2 +module.exports = (function(){
  3 +var AssertionError = (function() {
  4 + function AssertionError(a) {
  5 + this.constructor$(a);
  6 + this.message = a;
  7 + this.name = "AssertionError";
  8 + }
  9 + AssertionError.prototype = new Error();
  10 + AssertionError.prototype.constructor = AssertionError;
  11 + AssertionError.prototype.constructor$ = Error;
  12 + return AssertionError;
  13 +})();
  14 +
  15 +function getParams(args) {
  16 + var params = [];
  17 + for (var i = 0; i < args.length; ++i) params.push("arg" + i);
  18 + return params;
  19 +}
  20 +
  21 +function nativeAssert(callName, args, expect) {
  22 + try {
  23 + var params = getParams(args);
  24 + var constructorArgs = params;
  25 + constructorArgs.push("return " +
  26 + callName + "("+ params.join(",") + ");");
  27 + var fn = Function.apply(null, constructorArgs);
  28 + return fn.apply(null, args);
  29 + } catch (e) {
  30 + if (!(e instanceof SyntaxError)) {
  31 + throw e;
  32 + } else {
  33 + return expect;
  34 + }
  35 + }
  36 +}
  37 +
  38 +return function assert(boolExpr, message) {
  39 + if (boolExpr === true) return;
  40 +
  41 + if (typeof boolExpr === "string" &&
  42 + boolExpr.charAt(0) === "%") {
  43 + var nativeCallName = boolExpr;
  44 + var $_len = arguments.length;var args = new Array(Math.max($_len - 2, 0)); for(var $_i = 2; $_i < $_len; ++$_i) {args[$_i - 2] = arguments[$_i];};
  45 + if (nativeAssert(nativeCallName, args, message) === message) return;
  46 + message = (nativeCallName + " !== " + message);
  47 + }
  48 +
  49 + var ret = new AssertionError(message);
  50 + if (Error.captureStackTrace) {
  51 + Error.captureStackTrace(ret, assert);
  52 + }
  53 + throw ret;
  54 +};
  55 +})();
  1 +"use strict";
  2 +var firstLineError;
  3 +try {throw new Error(); } catch (e) {firstLineError = e;}
  4 +var schedule = require("./schedule");
  5 +var Queue = require("./queue");
  6 +var util = require("./util");
  7 +
  8 +function Async() {
  9 + this._customScheduler = false;
  10 + this._isTickUsed = false;
  11 + this._lateQueue = new Queue(16);
  12 + this._normalQueue = new Queue(16);
  13 + this._haveDrainedQueues = false;
  14 + this._trampolineEnabled = true;
  15 + var self = this;
  16 + this.drainQueues = function () {
  17 + self._drainQueues();
  18 + };
  19 + this._schedule = schedule;
  20 +}
  21 +
  22 +Async.prototype.setScheduler = function(fn) {
  23 + var prev = this._schedule;
  24 + this._schedule = fn;
  25 + this._customScheduler = true;
  26 + return prev;
  27 +};
  28 +
  29 +Async.prototype.hasCustomScheduler = function() {
  30 + return this._customScheduler;
  31 +};
  32 +
  33 +Async.prototype.enableTrampoline = function() {
  34 + this._trampolineEnabled = true;
  35 +};
  36 +
  37 +Async.prototype.disableTrampolineIfNecessary = function() {
  38 + if (util.hasDevTools) {
  39 + this._trampolineEnabled = false;
  40 + }
  41 +};
  42 +
  43 +Async.prototype.haveItemsQueued = function () {
  44 + return this._isTickUsed || this._haveDrainedQueues;
  45 +};
  46 +
  47 +
  48 +Async.prototype.fatalError = function(e, isNode) {
  49 + if (isNode) {
  50 + process.stderr.write("Fatal " + (e instanceof Error ? e.stack : e) +
  51 + "\n");
  52 + process.exit(2);
  53 + } else {
  54 + this.throwLater(e);
  55 + }
  56 +};
  57 +
  58 +Async.prototype.throwLater = function(fn, arg) {
  59 + if (arguments.length === 1) {
  60 + arg = fn;
  61 + fn = function () { throw arg; };
  62 + }
  63 + if (typeof setTimeout !== "undefined") {
  64 + setTimeout(function() {
  65 + fn(arg);
  66 + }, 0);
  67 + } else try {
  68 + this._schedule(function() {
  69 + fn(arg);
  70 + });
  71 + } catch (e) {
  72 + throw new Error("No async scheduler available\u000a\u000a See http://goo.gl/MqrFmX\u000a");
  73 + }
  74 +};
  75 +
  76 +function AsyncInvokeLater(fn, receiver, arg) {
  77 + this._lateQueue.push(fn, receiver, arg);
  78 + this._queueTick();
  79 +}
  80 +
  81 +function AsyncInvoke(fn, receiver, arg) {
  82 + this._normalQueue.push(fn, receiver, arg);
  83 + this._queueTick();
  84 +}
  85 +
  86 +function AsyncSettlePromises(promise) {
  87 + this._normalQueue._pushOne(promise);
  88 + this._queueTick();
  89 +}
  90 +
  91 +if (!util.hasDevTools) {
  92 + Async.prototype.invokeLater = AsyncInvokeLater;
  93 + Async.prototype.invoke = AsyncInvoke;
  94 + Async.prototype.settlePromises = AsyncSettlePromises;
  95 +} else {
  96 + Async.prototype.invokeLater = function (fn, receiver, arg) {
  97 + if (this._trampolineEnabled) {
  98 + AsyncInvokeLater.call(this, fn, receiver, arg);
  99 + } else {
  100 + this._schedule(function() {
  101 + setTimeout(function() {
  102 + fn.call(receiver, arg);
  103 + }, 100);
  104 + });
  105 + }
  106 + };
  107 +
  108 + Async.prototype.invoke = function (fn, receiver, arg) {
  109 + if (this._trampolineEnabled) {
  110 + AsyncInvoke.call(this, fn, receiver, arg);
  111 + } else {
  112 + this._schedule(function() {
  113 + fn.call(receiver, arg);
  114 + });
  115 + }
  116 + };
  117 +
  118 + Async.prototype.settlePromises = function(promise) {
  119 + if (this._trampolineEnabled) {
  120 + AsyncSettlePromises.call(this, promise);
  121 + } else {
  122 + this._schedule(function() {
  123 + promise._settlePromises();
  124 + });
  125 + }
  126 + };
  127 +}
  128 +
  129 +Async.prototype._drainQueue = function(queue) {
  130 + while (queue.length() > 0) {
  131 + var fn = queue.shift();
  132 + if (typeof fn !== "function") {
  133 + fn._settlePromises();
  134 + continue;
  135 + }
  136 + var receiver = queue.shift();
  137 + var arg = queue.shift();
  138 + fn.call(receiver, arg);
  139 + }
  140 +};
  141 +
  142 +Async.prototype._drainQueues = function () {
  143 + this._drainQueue(this._normalQueue);
  144 + this._reset();
  145 + this._haveDrainedQueues = true;
  146 + this._drainQueue(this._lateQueue);
  147 +};
  148 +
  149 +Async.prototype._queueTick = function () {
  150 + if (!this._isTickUsed) {
  151 + this._isTickUsed = true;
  152 + this._schedule(this.drainQueues);
  153 + }
  154 +};
  155 +
  156 +Async.prototype._reset = function () {
  157 + this._isTickUsed = false;
  158 +};
  159 +
  160 +module.exports = Async;
  161 +module.exports.firstLineError = firstLineError;
  1 +"use strict";
  2 +module.exports = function(Promise, INTERNAL, tryConvertToPromise, debug) {
  3 +var calledBind = false;
  4 +var rejectThis = function(_, e) {
  5 + this._reject(e);
  6 +};
  7 +
  8 +var targetRejected = function(e, context) {
  9 + context.promiseRejectionQueued = true;
  10 + context.bindingPromise._then(rejectThis, rejectThis, null, this, e);
  11 +};
  12 +
  13 +var bindingResolved = function(thisArg, context) {
  14 + if (((this._bitField & 50397184) === 0)) {
  15 + this._resolveCallback(context.target);
  16 + }
  17 +};
  18 +
  19 +var bindingRejected = function(e, context) {
  20 + if (!context.promiseRejectionQueued) this._reject(e);
  21 +};
  22 +
  23 +Promise.prototype.bind = function (thisArg) {
  24 + if (!calledBind) {
  25 + calledBind = true;
  26 + Promise.prototype._propagateFrom = debug.propagateFromFunction();
  27 + Promise.prototype._boundValue = debug.boundValueFunction();
  28 + }
  29 + var maybePromise = tryConvertToPromise(thisArg);
  30 + var ret = new Promise(INTERNAL);
  31 + ret._propagateFrom(this, 1);
  32 + var target = this._target();
  33 + ret._setBoundTo(maybePromise);
  34 + if (maybePromise instanceof Promise) {
  35 + var context = {
  36 + promiseRejectionQueued: false,
  37 + promise: ret,
  38 + target: target,
  39 + bindingPromise: maybePromise
  40 + };
  41 + target._then(INTERNAL, targetRejected, undefined, ret, context);
  42 + maybePromise._then(
  43 + bindingResolved, bindingRejected, undefined, ret, context);
  44 + ret._setOnCancel(maybePromise);
  45 + } else {
  46 + ret._resolveCallback(target);
  47 + }
  48 + return ret;
  49 +};
  50 +
  51 +Promise.prototype._setBoundTo = function (obj) {
  52 + if (obj !== undefined) {
  53 + this._bitField = this._bitField | 2097152;
  54 + this._boundTo = obj;
  55 + } else {
  56 + this._bitField = this._bitField & (~2097152);
  57 + }
  58 +};
  59 +
  60 +Promise.prototype._isBound = function () {
  61 + return (this._bitField & 2097152) === 2097152;
  62 +};
  63 +
  64 +Promise.bind = function (thisArg, value) {
  65 + return Promise.resolve(value).bind(thisArg);
  66 +};
  67 +};
  1 +"use strict";
  2 +var old;
  3 +if (typeof Promise !== "undefined") old = Promise;
  4 +function noConflict() {
  5 + try { if (Promise === bluebird) Promise = old; }
  6 + catch (e) {}
  7 + return bluebird;
  8 +}
  9 +var bluebird = require("./promise")();
  10 +bluebird.noConflict = noConflict;
  11 +module.exports = bluebird;
  1 +"use strict";
  2 +var cr = Object.create;
  3 +if (cr) {
  4 + var callerCache = cr(null);
  5 + var getterCache = cr(null);
  6 + callerCache[" size"] = getterCache[" size"] = 0;
  7 +}
  8 +
  9 +module.exports = function(Promise) {
  10 +var util = require("./util");
  11 +var canEvaluate = util.canEvaluate;
  12 +var isIdentifier = util.isIdentifier;
  13 +
  14 +var getMethodCaller;
  15 +var getGetter;
  16 +if (!false) {
  17 +var makeMethodCaller = function (methodName) {
  18 + return new Function("ensureMethod", " \n\
  19 + return function(obj) { \n\
  20 + 'use strict' \n\
  21 + var len = this.length; \n\
  22 + ensureMethod(obj, 'methodName'); \n\
  23 + switch(len) { \n\
  24 + case 1: return obj.methodName(this[0]); \n\
  25 + case 2: return obj.methodName(this[0], this[1]); \n\
  26 + case 3: return obj.methodName(this[0], this[1], this[2]); \n\
  27 + case 0: return obj.methodName(); \n\
  28 + default: \n\
  29 + return obj.methodName.apply(obj, this); \n\
  30 + } \n\
  31 + }; \n\
  32 + ".replace(/methodName/g, methodName))(ensureMethod);
  33 +};
  34 +
  35 +var makeGetter = function (propertyName) {
  36 + return new Function("obj", " \n\
  37 + 'use strict'; \n\
  38 + return obj.propertyName; \n\
  39 + ".replace("propertyName", propertyName));
  40 +};
  41 +
  42 +var getCompiled = function(name, compiler, cache) {
  43 + var ret = cache[name];
  44 + if (typeof ret !== "function") {
  45 + if (!isIdentifier(name)) {
  46 + return null;
  47 + }
  48 + ret = compiler(name);
  49 + cache[name] = ret;
  50 + cache[" size"]++;
  51 + if (cache[" size"] > 512) {
  52 + var keys = Object.keys(cache);
  53 + for (var i = 0; i < 256; ++i) delete cache[keys[i]];
  54 + cache[" size"] = keys.length - 256;
  55 + }
  56 + }
  57 + return ret;
  58 +};
  59 +
  60 +getMethodCaller = function(name) {
  61 + return getCompiled(name, makeMethodCaller, callerCache);
  62 +};
  63 +
  64 +getGetter = function(name) {
  65 + return getCompiled(name, makeGetter, getterCache);
  66 +};
  67 +}
  68 +
  69 +function ensureMethod(obj, methodName) {
  70 + var fn;
  71 + if (obj != null) fn = obj[methodName];
  72 + if (typeof fn !== "function") {
  73 + var message = "Object " + util.classString(obj) + " has no method '" +
  74 + util.toString(methodName) + "'";
  75 + throw new Promise.TypeError(message);
  76 + }
  77 + return fn;
  78 +}
  79 +
  80 +function caller(obj) {
  81 + var methodName = this.pop();
  82 + var fn = ensureMethod(obj, methodName);
  83 + return fn.apply(obj, this);
  84 +}
  85 +Promise.prototype.call = function (methodName) {
  86 + var $_len = arguments.length;var args = new Array(Math.max($_len - 1, 0)); for(var $_i = 1; $_i < $_len; ++$_i) {args[$_i - 1] = arguments[$_i];};
  87 + if (!false) {
  88 + if (canEvaluate) {
  89 + var maybeCaller = getMethodCaller(methodName);
  90 + if (maybeCaller !== null) {
  91 + return this._then(
  92 + maybeCaller, undefined, undefined, args, undefined);
  93 + }
  94 + }
  95 + }
  96 + args.push(methodName);
  97 + return this._then(caller, undefined, undefined, args, undefined);
  98 +};
  99 +
  100 +function namedGetter(obj) {
  101 + return obj[this];
  102 +}
  103 +function indexedGetter(obj) {
  104 + var index = +this;
  105 + if (index < 0) index = Math.max(0, index + obj.length);
  106 + return obj[index];
  107 +}
  108 +Promise.prototype.get = function (propertyName) {
  109 + var isIndex = (typeof propertyName === "number");
  110 + var getter;
  111 + if (!isIndex) {
  112 + if (canEvaluate) {
  113 + var maybeGetter = getGetter(propertyName);
  114 + getter = maybeGetter !== null ? maybeGetter : namedGetter;
  115 + } else {
  116 + getter = namedGetter;
  117 + }
  118 + } else {
  119 + getter = indexedGetter;
  120 + }
  121 + return this._then(getter, undefined, undefined, propertyName, undefined);
  122 +};
  123 +};
  1 +"use strict";
  2 +module.exports = function(Promise, PromiseArray, apiRejection, debug) {
  3 +var util = require("./util");
  4 +var tryCatch = util.tryCatch;
  5 +var errorObj = util.errorObj;
  6 +var async = Promise._async;
  7 +
  8 +Promise.prototype["break"] = Promise.prototype.cancel = function() {
  9 + if (!debug.cancellation()) return this._warn("cancellation is disabled");
  10 +
  11 + var promise = this;
  12 + var child = promise;
  13 + while (promise._isCancellable()) {
  14 + if (!promise._cancelBy(child)) {
  15 + if (child._isFollowing()) {
  16 + child._followee().cancel();
  17 + } else {
  18 + child._cancelBranched();
  19 + }
  20 + break;
  21 + }
  22 +
  23 + var parent = promise._cancellationParent;
  24 + if (parent == null || !parent._isCancellable()) {
  25 + if (promise._isFollowing()) {
  26 + promise._followee().cancel();
  27 + } else {
  28 + promise._cancelBranched();
  29 + }
  30 + break;
  31 + } else {
  32 + if (promise._isFollowing()) promise._followee().cancel();
  33 + promise._setWillBeCancelled();
  34 + child = promise;
  35 + promise = parent;
  36 + }
  37 + }
  38 +};
  39 +
  40 +Promise.prototype._branchHasCancelled = function() {
  41 + this._branchesRemainingToCancel--;
  42 +};
  43 +
  44 +Promise.prototype._enoughBranchesHaveCancelled = function() {
  45 + return this._branchesRemainingToCancel === undefined ||
  46 + this._branchesRemainingToCancel <= 0;
  47 +};
  48 +
  49 +Promise.prototype._cancelBy = function(canceller) {
  50 + if (canceller === this) {
  51 + this._branchesRemainingToCancel = 0;
  52 + this._invokeOnCancel();
  53 + return true;
  54 + } else {
  55 + this._branchHasCancelled();
  56 + if (this._enoughBranchesHaveCancelled()) {
  57 + this._invokeOnCancel();
  58 + return true;
  59 + }
  60 + }
  61 + return false;
  62 +};
  63 +
  64 +Promise.prototype._cancelBranched = function() {
  65 + if (this._enoughBranchesHaveCancelled()) {
  66 + this._cancel();
  67 + }
  68 +};
  69 +
  70 +Promise.prototype._cancel = function() {
  71 + if (!this._isCancellable()) return;
  72 + this._setCancelled();
  73 + async.invoke(this._cancelPromises, this, undefined);
  74 +};
  75 +
  76 +Promise.prototype._cancelPromises = function() {
  77 + if (this._length() > 0) this._settlePromises();
  78 +};
  79 +
  80 +Promise.prototype._unsetOnCancel = function() {
  81 + this._onCancelField = undefined;
  82 +};
  83 +
  84 +Promise.prototype._isCancellable = function() {
  85 + return this.isPending() && !this._isCancelled();
  86 +};
  87 +
  88 +Promise.prototype.isCancellable = function() {
  89 + return this.isPending() && !this.isCancelled();
  90 +};
  91 +
  92 +Promise.prototype._doInvokeOnCancel = function(onCancelCallback, internalOnly) {
  93 + if (util.isArray(onCancelCallback)) {
  94 + for (var i = 0; i < onCancelCallback.length; ++i) {
  95 + this._doInvokeOnCancel(onCancelCallback[i], internalOnly);
  96 + }
  97 + } else if (onCancelCallback !== undefined) {
  98 + if (typeof onCancelCallback === "function") {
  99 + if (!internalOnly) {
  100 + var e = tryCatch(onCancelCallback).call(this._boundValue());
  101 + if (e === errorObj) {
  102 + this._attachExtraTrace(e.e);
  103 + async.throwLater(e.e);
  104 + }
  105 + }
  106 + } else {
  107 + onCancelCallback._resultCancelled(this);
  108 + }
  109 + }
  110 +};
  111 +
  112 +Promise.prototype._invokeOnCancel = function() {
  113 + var onCancelCallback = this._onCancel();
  114 + this._unsetOnCancel();
  115 + async.invoke(this._doInvokeOnCancel, this, onCancelCallback);
  116 +};
  117 +
  118 +Promise.prototype._invokeInternalOnCancel = function() {
  119 + if (this._isCancellable()) {
  120 + this._doInvokeOnCancel(this._onCancel(), true);
  121 + this._unsetOnCancel();
  122 + }
  123 +};
  124 +
  125 +Promise.prototype._resultCancelled = function() {
  126 + this.cancel();
  127 +};
  128 +
  129 +};
  1 +"use strict";
  2 +module.exports = function(NEXT_FILTER) {
  3 +var util = require("./util");
  4 +var getKeys = require("./es5").keys;
  5 +var tryCatch = util.tryCatch;
  6 +var errorObj = util.errorObj;
  7 +
  8 +function catchFilter(instances, cb, promise) {
  9 + return function(e) {
  10 + var boundTo = promise._boundValue();
  11 + predicateLoop: for (var i = 0; i < instances.length; ++i) {
  12 + var item = instances[i];
  13 +
  14 + if (item === Error ||
  15 + (item != null && item.prototype instanceof Error)) {
  16 + if (e instanceof item) {
  17 + return tryCatch(cb).call(boundTo, e);
  18 + }
  19 + } else if (typeof item === "function") {
  20 + var matchesPredicate = tryCatch(item).call(boundTo, e);
  21 + if (matchesPredicate === errorObj) {
  22 + return matchesPredicate;
  23 + } else if (matchesPredicate) {
  24 + return tryCatch(cb).call(boundTo, e);
  25 + }
  26 + } else if (util.isObject(e)) {
  27 + var keys = getKeys(item);
  28 + for (var j = 0; j < keys.length; ++j) {
  29 + var key = keys[j];
  30 + if (item[key] != e[key]) {
  31 + continue predicateLoop;
  32 + }
  33 + }
  34 + return tryCatch(cb).call(boundTo, e);
  35 + }
  36 + }
  37 + return NEXT_FILTER;
  38 + };
  39 +}
  40 +
  41 +return catchFilter;
  42 +};
  1 +"use strict";
  2 +module.exports = function(Promise) {
  3 +var longStackTraces = false;
  4 +var contextStack = [];
  5 +
  6 +Promise.prototype._promiseCreated = function() {};
  7 +Promise.prototype._pushContext = function() {};
  8 +Promise.prototype._popContext = function() {return null;};
  9 +Promise._peekContext = Promise.prototype._peekContext = function() {};
  10 +
  11 +function Context() {
  12 + this._trace = new Context.CapturedTrace(peekContext());
  13 +}
  14 +Context.prototype._pushContext = function () {
  15 + if (this._trace !== undefined) {
  16 + this._trace._promiseCreated = null;
  17 + contextStack.push(this._trace);
  18 + }
  19 +};
  20 +
  21 +Context.prototype._popContext = function () {
  22 + if (this._trace !== undefined) {
  23 + var trace = contextStack.pop();
  24 + var ret = trace._promiseCreated;
  25 + trace._promiseCreated = null;
  26 + return ret;
  27 + }
  28 + return null;
  29 +};
  30 +
  31 +function createContext() {
  32 + if (longStackTraces) return new Context();
  33 +}
  34 +
  35 +function peekContext() {
  36 + var lastIndex = contextStack.length - 1;
  37 + if (lastIndex >= 0) {
  38 + return contextStack[lastIndex];
  39 + }
  40 + return undefined;
  41 +}
  42 +Context.CapturedTrace = null;
  43 +Context.create = createContext;
  44 +Context.deactivateLongStackTraces = function() {};
  45 +Context.activateLongStackTraces = function() {
  46 + var Promise_pushContext = Promise.prototype._pushContext;
  47 + var Promise_popContext = Promise.prototype._popContext;
  48 + var Promise_PeekContext = Promise._peekContext;
  49 + var Promise_peekContext = Promise.prototype._peekContext;
  50 + var Promise_promiseCreated = Promise.prototype._promiseCreated;
  51 + Context.deactivateLongStackTraces = function() {
  52 + Promise.prototype._pushContext = Promise_pushContext;
  53 + Promise.prototype._popContext = Promise_popContext;
  54 + Promise._peekContext = Promise_PeekContext;
  55 + Promise.prototype._peekContext = Promise_peekContext;
  56 + Promise.prototype._promiseCreated = Promise_promiseCreated;
  57 + longStackTraces = false;
  58 + };
  59 + longStackTraces = true;
  60 + Promise.prototype._pushContext = Context.prototype._pushContext;
  61 + Promise.prototype._popContext = Context.prototype._popContext;
  62 + Promise._peekContext = Promise.prototype._peekContext = peekContext;
  63 + Promise.prototype._promiseCreated = function() {
  64 + var ctx = this._peekContext();
  65 + if (ctx && ctx._promiseCreated == null) ctx._promiseCreated = this;
  66 + };
  67 +};
  68 +return Context;
  69 +};