/** * Moralis JavaScript SDK v0.0.134 * * The source tree of this library can be found at * https://github.com/MoralisWeb3/Moralis-JS-SDK */ (function(f){if(typeof exports==="object"&&typeof module!=="undefined"){module.exports=f()}else if(typeof define==="function"&&define.amd){define([],f)}else{var g;if(typeof window!=="undefined"){g=window}else if(typeof global!=="undefined"){g=global}else if(typeof self!=="undefined"){g=self}else{g=this}g.Moralis = f()}})(function(){var define,module,exports;return (function(){function r(e,n,t){function o(i,f){if(!n[i]){if(!e[i]){var c="function"==typeof require&&require;if(!f&&c)return c(i,!0);if(u)return u(i,!0);var a=new Error("Cannot find module '"+i+"'");throw a.code="MODULE_NOT_FOUND",a}var p=n[i]={exports:{}};e[i][0].call(p.exports,function(r){var n=e[i][1][r];return o(n||r)},p,p.exports,r,e,n,t)}return n[i].exports}for(var u="function"==typeof require&&require,i=0;i * var dimensions = { * gender: 'm', * source: 'web', * dayType: 'weekend' * }; * Parse.Analytics.track('signup', dimensions); * * * There is a default limit of 8 dimensions per event tracked. * * @function track * @name Parse.Analytics.track * @param {string} name The name of the custom event to report to Parse as * having happened. * @param {object} dimensions The dictionary of information by which to * segment this event. * @returns {Promise} A promise that is resolved when the round-trip * to the server completes. */ function track(name /*: string*/ , dimensions /*: { [key: string]: string }*/ ) /*: Promise*/ { name = name || ''; name = name.replace(/^\s*/, ''); name = name.replace(/\s*$/, ''); if (name.length === 0) { throw new TypeError('A name for the custom event must be provided'); } for (var _key in dimensions) { if (typeof _key !== 'string' || typeof dimensions[_key] !== 'string') { throw new TypeError('track() dimensions expects keys and values of type "string".'); } } return _CoreManager.default.getAnalyticsController().track(name, dimensions); } var DefaultController = { track: function (name, dimensions) { var path = "events/".concat(name); var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('POST', path, { dimensions: dimensions }); } }; _CoreManager.default.setAnalyticsController(DefaultController); },{"./CoreManager":4,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],2:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow-weak */ var uuidv4 = _dereq_('uuid/v4'); var registered = false; /** * Provides utility functions for working with Anonymously logged-in users.
* Anonymous users have some unique characteristics: * * * @class Parse.AnonymousUtils * @static */ var AnonymousUtils = { /** * Gets whether the user has their account linked to anonymous user. * * @function isLinked * @name Parse.AnonymousUtils.isLinked * @param {Parse.User} user User to check for. * The user must be logged in on this device. * @returns {boolean} true if the user has their account * linked to an anonymous user. * @static */ isLinked: function (user /*: ParseUser*/ ) { var provider = this._getAuthProvider(); return user._isLinked(provider.getAuthType()); }, /** * Logs in a user Anonymously. * * @function logIn * @name Parse.AnonymousUtils.logIn * @param {object} options MasterKey / SessionToken. * @returns {Promise} Logged in user * @static */ logIn: function (options /*:: ?: RequestOptions*/ ) /*: Promise*/ { var provider = this._getAuthProvider(); return _ParseUser.default.logInWith(provider.getAuthType(), provider.getAuthData(), options); }, /** * Links Anonymous User to an existing PFUser. * * @function link * @name Parse.AnonymousUtils.link * @param {Parse.User} user User to link. This must be the current user. * @param {object} options MasterKey / SessionToken. * @returns {Promise} Linked with User * @static */ link: function (user /*: ParseUser*/ , options /*:: ?: RequestOptions*/ ) /*: Promise*/ { var provider = this._getAuthProvider(); return user.linkWith(provider.getAuthType(), provider.getAuthData(), options); }, _getAuthProvider: function () { var provider = { restoreAuthentication: function () { return true; }, getAuthType: function () { return 'anonymous'; }, getAuthData: function () { return { authData: { id: uuidv4() } }; } }; if (!registered) { _ParseUser.default._registerAuthenticationProvider(provider); registered = true; } return provider; } }; var _default = AnonymousUtils; exports.default = _default; },{"./ParseUser":43,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"uuid/v4":534}],3:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.getJobStatus = getJobStatus; exports.getJobsData = getJobsData; exports.run = run; exports.startJob = startJob; var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _decode = _interopRequireDefault(_dereq_("./decode")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Contains functions for calling and declaring * cloud functions. *

* Some functions are only available from Cloud Code. *

* * @class Parse.Cloud * @static * @hideconstructor */ /** * Makes a call to a cloud function. * * @function run * @name Parse.Cloud.run * @param {string} name The function name. * @param {object} data The parameters to send to the cloud function. * @param {object} options * @returns {Promise} A promise that will be resolved with the result * of the function. */ function run(name /*: string*/ , data /*: mixed*/ , options /*: RequestOptions*/ ) /*: Promise*/ { options = options || {}; if (typeof name !== 'string' || name.length === 0) { throw new TypeError('Cloud function name must be a string.'); } var requestOptions = {}; if (options.useMasterKey) { requestOptions.useMasterKey = options.useMasterKey; } if (options.sessionToken) { requestOptions.sessionToken = options.sessionToken; } if (options.context && (0, _typeof2.default)(options.context) === 'object') { requestOptions.context = options.context; } return _CoreManager.default.getCloudController().run(name, data, requestOptions); } /** * Gets data for the current set of cloud jobs. * * @function getJobsData * @name Parse.Cloud.getJobsData * @returns {Promise} A promise that will be resolved with the result * of the function. */ function getJobsData() /*: Promise*/ { return _CoreManager.default.getCloudController().getJobsData({ useMasterKey: true }); } /** * Starts a given cloud job, which will process asynchronously. * * @function startJob * @name Parse.Cloud.startJob * @param {string} name The function name. * @param {object} data The parameters to send to the cloud function. * @returns {Promise} A promise that will be resolved with the jobStatusId * of the job. */ function startJob(name /*: string*/ , data /*: mixed*/ ) /*: Promise*/ { if (typeof name !== 'string' || name.length === 0) { throw new TypeError('Cloud job name must be a string.'); } return _CoreManager.default.getCloudController().startJob(name, data, { useMasterKey: true }); } /** * Gets job status by Id * * @function getJobStatus * @name Parse.Cloud.getJobStatus * @param {string} jobStatusId The Id of Job Status. * @returns {Parse.Object} Status of Job. */ function getJobStatus(jobStatusId /*: string*/ ) /*: Promise*/ { var query = new _ParseQuery.default('_JobStatus'); return query.get(jobStatusId, { useMasterKey: true }); } var DefaultController = { run: function (name, data, options /*: RequestOptions*/ ) { var RESTController = _CoreManager.default.getRESTController(); var payload = (0, _encode.default)(data, true); var request = RESTController.request('POST', "functions/".concat(name), payload, options); return request.then(function (res) { if ((0, _typeof2.default)(res) === 'object' && (0, _keys.default)(res).length > 0 && !res.hasOwnProperty('result')) { throw new _ParseError.default(_ParseError.default.INVALID_JSON, 'The server returned an invalid response.'); } var decoded = (0, _decode.default)(res); if (decoded && decoded.hasOwnProperty('result')) { return _promise.default.resolve(decoded.result); } return _promise.default.resolve(undefined); }); }, getJobsData: function (options /*: RequestOptions*/ ) { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', 'cloud_code/jobs/data', null, options); }, startJob: function (name, data, options /*: RequestOptions*/ ) { var RESTController = _CoreManager.default.getRESTController(); var payload = (0, _encode.default)(data, true); return RESTController.request('POST', "jobs/".concat(name), payload, options); } }; _CoreManager.default.setCloudController(DefaultController); },{"./CoreManager":4,"./ParseError":28,"./ParseObject":35,"./ParseQuery":38,"./decode":56,"./encode":57,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],4:[function(_dereq_,module,exports){ (function (process){(function (){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); /* * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /*:: import type { AttributeMap, ObjectCache, OpsMap, State } from './ObjectStateMutations';*/ /*:: import type ParseFile from './ParseFile';*/ /*:: import type { FileSource } from './ParseFile';*/ /*:: import type { Op } from './ParseOp';*/ /*:: import type ParseObject from './ParseObject';*/ /*:: import type { QueryJSON } from './ParseQuery';*/ /*:: import type ParseUser from './ParseUser';*/ /*:: import type { AuthData } from './ParseUser';*/ /*:: import type { PushData } from './Push';*/ /*:: import type { RequestOptions, FullOptions } from './RESTController';*/ /*:: type AnalyticsController = { track: (name: string, dimensions: { [key: string]: string }) => Promise, };*/ /*:: type CloudController = { run: (name: string, data: mixed, options: RequestOptions) => Promise, getJobsData: (options: RequestOptions) => Promise, startJob: (name: string, data: mixed, options: RequestOptions) => Promise, };*/ /*:: type ConfigController = { current: () => Promise, get: () => Promise, save: (attrs: { [key: string]: any }) => Promise, };*/ /*:: type CryptoController = { encrypt: (obj: any, secretKey: string) => string, decrypt: (encryptedText: string, secretKey: any) => string, };*/ /*:: type FileController = { saveFile: (name: string, source: FileSource, options: FullOptions) => Promise, saveBase64: (name: string, source: FileSource, options: FullOptions) => Promise, download: (uri: string) => Promise, };*/ /*:: type InstallationController = { currentInstallationId: () => Promise, };*/ /*:: type ObjectController = { fetch: ( object: ParseObject | Array, forceFetch: boolean, options: RequestOptions ) => Promise, save: (object: ParseObject | Array, options: RequestOptions) => Promise, destroy: (object: ParseObject | Array, options: RequestOptions) => Promise, };*/ /*:: type ObjectStateController = { getState: (obj: any) => ?State, initializeState: (obj: any, initial?: State) => State, removeState: (obj: any) => ?State, getServerData: (obj: any) => AttributeMap, setServerData: (obj: any, attributes: AttributeMap) => void, getPendingOps: (obj: any) => Array, setPendingOp: (obj: any, attr: string, op: ?Op) => void, pushPendingState: (obj: any) => void, popPendingState: (obj: any) => OpsMap, mergeFirstPendingState: (obj: any) => void, getObjectCache: (obj: any) => ObjectCache, estimateAttribute: (obj: any, attr: string) => mixed, estimateAttributes: (obj: any) => AttributeMap, commitServerChanges: (obj: any, changes: AttributeMap) => void, enqueueTask: (obj: any, task: () => Promise) => Promise, clearAllState: () => void, duplicateState: (source: any, dest: any) => void, };*/ /*:: type PushController = { send: (data: PushData) => Promise, };*/ /*:: type QueryController = { find: (className: string, params: QueryJSON, options: RequestOptions) => Promise, aggregate: (className: string, params: any, options: RequestOptions) => Promise, };*/ /*:: type RESTController = { request: (method: string, path: string, data: mixed, options: RequestOptions) => Promise, ajax: (method: string, url: string, data: any, headers?: any, options: FullOptions) => Promise, };*/ /*:: type SchemaController = { purge: (className: string) => Promise, get: (className: string, options: RequestOptions) => Promise, delete: (className: string, options: RequestOptions) => Promise, create: (className: string, params: any, options: RequestOptions) => Promise, update: (className: string, params: any, options: RequestOptions) => Promise, send(className: string, method: string, params: any, options: RequestOptions): Promise, };*/ /*:: type SessionController = { getSession: (token: RequestOptions) => Promise, };*/ /*:: type StorageController = | { async: 0, getItem: (path: string) => ?string, setItem: (path: string, value: string) => void, removeItem: (path: string) => void, getItemAsync?: (path: string) => Promise, setItemAsync?: (path: string, value: string) => Promise, removeItemAsync?: (path: string) => Promise, clear: () => void, } | { async: 1, getItem?: (path: string) => ?string, setItem?: (path: string, value: string) => void, removeItem?: (path: string) => void, getItemAsync: (path: string) => Promise, setItemAsync: (path: string, value: string) => Promise, removeItemAsync: (path: string) => Promise, clear: () => void, };*/ /*:: type LocalDatastoreController = { fromPinWithName: (name: string) => ?any, pinWithName: (name: string, objects: any) => void, unPinWithName: (name: string) => void, getAllContents: () => ?any, clear: () => void, };*/ /*:: type UserController = { setCurrentUser: (user: ParseUser) => Promise, currentUser: () => ?ParseUser, currentUserAsync: () => Promise, signUp: (user: ParseUser, attrs: AttributeMap, options: RequestOptions) => Promise, logIn: (user: ParseUser, options: RequestOptions) => Promise, become: (options: RequestOptions) => Promise, hydrate: (userJSON: AttributeMap) => Promise, logOut: (options: RequestOptions) => Promise, me: (options: RequestOptions) => Promise, requestPasswordReset: (email: string, options: RequestOptions) => Promise, updateUserOnDisk: (user: ParseUser) => Promise, upgradeToRevocableSession: (user: ParseUser, options: RequestOptions) => Promise, linkWith: (user: ParseUser, authData: AuthData) => Promise, removeUserFromDisk: () => Promise, verifyPassword: (username: string, password: string, options: RequestOptions) => Promise, requestEmailVerification: (email: string, options: RequestOptions) => Promise, };*/ /*:: type HooksController = { get: (type: string, functionName?: string, triggerName?: string) => Promise, create: (hook: mixed) => Promise, delete: (hook: mixed) => Promise, update: (hook: mixed) => Promise, send: (method: string, path: string, body?: mixed) => Promise, };*/ /*:: type WebSocketController = { onopen: () => void, onmessage: (message: any) => void, onclose: () => void, onerror: (error: any) => void, send: (data: any) => void, close: () => void, };*/ /*:: type Config = { AnalyticsController?: AnalyticsController, CloudController?: CloudController, ConfigController?: ConfigController, FileController?: FileController, InstallationController?: InstallationController, ObjectController?: ObjectController, ObjectStateController?: ObjectStateController, PushController?: PushController, QueryController?: QueryController, RESTController?: RESTController, SchemaController?: SchemaController, SessionController?: SessionController, StorageController?: StorageController, LocalDatastoreController?: LocalDatastoreController, UserController?: UserController, HooksController?: HooksController, WebSocketController?: WebSocketController, };*/ var config /*: Config & { [key: string]: mixed }*/ = { // Defaults IS_NODE: typeof process !== 'undefined' && !!process.versions && !!process.versions.node && !process.versions.electron, REQUEST_ATTEMPT_LIMIT: 5, REQUEST_BATCH_SIZE: 20, REQUEST_HEADERS: {}, SERVER_URL: 'https://api.parse.com/1', SERVER_AUTH_TYPE: null, SERVER_AUTH_TOKEN: null, LIVEQUERY_SERVER_URL: null, ENCRYPTED_KEY: null, VERSION: "js".concat("0.0.134"), APPLICATION_ID: null, JAVASCRIPT_KEY: null, MASTER_KEY: null, USE_MASTER_KEY: false, PERFORM_USER_REWRITE: true, FORCE_REVOCABLE_SESSION: false, ENCRYPTED_USER: false, IDEMPOTENCY: false }; function requireMethods(name /*: string*/ , methods /*: Array*/ , controller /*: any*/ ) { (0, _forEach.default)(methods).call(methods, function (func) { if (typeof controller[func] !== 'function') { var _context; throw new Error((0, _concat.default)(_context = "".concat(name, " must implement ")).call(_context, func, "()")); } }); } module.exports = { get: function (key /*: string*/ ) /*: any*/ { if (config.hasOwnProperty(key)) { return config[key]; } throw new Error("Configuration key not found: ".concat(key)); }, set: function (key /*: string*/ , value /*: any*/ ) /*: void*/ { config[key] = value; }, /* Specialized Controller Setters/Getters */ setAnalyticsController: function (controller /*: AnalyticsController*/ ) { requireMethods('AnalyticsController', ['track'], controller); config.AnalyticsController = controller; }, getAnalyticsController: function () /*: AnalyticsController*/ { return config.AnalyticsController; }, setCloudController: function (controller /*: CloudController*/ ) { requireMethods('CloudController', ['run', 'getJobsData', 'startJob'], controller); config.CloudController = controller; }, getCloudController: function () /*: CloudController*/ { return config.CloudController; }, setConfigController: function (controller /*: ConfigController*/ ) { requireMethods('ConfigController', ['current', 'get', 'save'], controller); config.ConfigController = controller; }, getConfigController: function () /*: ConfigController*/ { return config.ConfigController; }, setCryptoController: function (controller /*: CryptoController*/ ) { requireMethods('CryptoController', ['encrypt', 'decrypt'], controller); config.CryptoController = controller; }, getCryptoController: function () /*: CryptoController*/ { return config.CryptoController; }, setFileController: function (controller /*: FileController*/ ) { requireMethods('FileController', ['saveFile', 'saveBase64'], controller); config.FileController = controller; }, getFileController: function () /*: FileController*/ { return config.FileController; }, setInstallationController: function (controller /*: InstallationController*/ ) { requireMethods('InstallationController', ['currentInstallationId'], controller); config.InstallationController = controller; }, getInstallationController: function () /*: InstallationController*/ { return config.InstallationController; }, setObjectController: function (controller /*: ObjectController*/ ) { requireMethods('ObjectController', ['save', 'fetch', 'destroy'], controller); config.ObjectController = controller; }, getObjectController: function () /*: ObjectController*/ { return config.ObjectController; }, setObjectStateController: function (controller /*: ObjectStateController*/ ) { requireMethods('ObjectStateController', ['getState', 'initializeState', 'removeState', 'getServerData', 'setServerData', 'getPendingOps', 'setPendingOp', 'pushPendingState', 'popPendingState', 'mergeFirstPendingState', 'getObjectCache', 'estimateAttribute', 'estimateAttributes', 'commitServerChanges', 'enqueueTask', 'clearAllState'], controller); config.ObjectStateController = controller; }, getObjectStateController: function () /*: ObjectStateController*/ { return config.ObjectStateController; }, setPushController: function (controller /*: PushController*/ ) { requireMethods('PushController', ['send'], controller); config.PushController = controller; }, getPushController: function () /*: PushController*/ { return config.PushController; }, setQueryController: function (controller /*: QueryController*/ ) { requireMethods('QueryController', ['find', 'aggregate'], controller); config.QueryController = controller; }, getQueryController: function () /*: QueryController*/ { return config.QueryController; }, setRESTController: function (controller /*: RESTController*/ ) { requireMethods('RESTController', ['request', 'ajax'], controller); config.RESTController = controller; }, getRESTController: function () /*: RESTController*/ { return config.RESTController; }, setSchemaController: function (controller /*: SchemaController*/ ) { requireMethods('SchemaController', ['get', 'create', 'update', 'delete', 'send', 'purge'], controller); config.SchemaController = controller; }, getSchemaController: function () /*: SchemaController*/ { return config.SchemaController; }, setSessionController: function (controller /*: SessionController*/ ) { requireMethods('SessionController', ['getSession'], controller); config.SessionController = controller; }, getSessionController: function () /*: SessionController*/ { return config.SessionController; }, setStorageController: function (controller /*: StorageController*/ ) { if (controller.async) { requireMethods('An async StorageController', ['getItemAsync', 'setItemAsync', 'removeItemAsync', 'getAllKeysAsync'], controller); } else { requireMethods('A synchronous StorageController', ['getItem', 'setItem', 'removeItem', 'getAllKeys'], controller); } config.StorageController = controller; }, setLocalDatastoreController: function (controller /*: LocalDatastoreController*/ ) { requireMethods('LocalDatastoreController', ['pinWithName', 'fromPinWithName', 'unPinWithName', 'getAllContents', 'clear'], controller); config.LocalDatastoreController = controller; }, getLocalDatastoreController: function () /*: LocalDatastoreController*/ { return config.LocalDatastoreController; }, setLocalDatastore: function (store /*: any*/ ) { config.LocalDatastore = store; }, getLocalDatastore: function () { return config.LocalDatastore; }, getStorageController: function () /*: StorageController*/ { return config.StorageController; }, setAsyncStorage: function (storage /*: any*/ ) { config.AsyncStorage = storage; }, getAsyncStorage: function () { return config.AsyncStorage; }, setWebSocketController: function (controller /*: WebSocketController*/ ) { config.WebSocketController = controller; }, getWebSocketController: function () /*: WebSocketController*/ { return config.WebSocketController; }, setUserController: function (controller /*: UserController*/ ) { requireMethods('UserController', ['setCurrentUser', 'currentUser', 'currentUserAsync', 'signUp', 'logIn', 'become', 'logOut', 'me', 'requestPasswordReset', 'upgradeToRevocableSession', 'requestEmailVerification', 'verifyPassword', 'linkWith'], controller); config.UserController = controller; }, getUserController: function () /*: UserController*/ { return config.UserController; }, setLiveQueryController: function (controller /*: any*/ ) { requireMethods('LiveQueryController', ['setDefaultLiveQueryClient', 'getDefaultLiveQueryClient', '_clearCachedDefaultClient'], controller); config.LiveQueryController = controller; }, getLiveQueryController: function () /*: any*/ { return config.LiveQueryController; }, setHooksController: function (controller /*: HooksController*/ ) { requireMethods('HooksController', ['create', 'get', 'update', 'remove'], controller); config.HooksController = controller; }, getHooksController: function () /*: HooksController*/ { return config.HooksController; } }; }).call(this)}).call(this,_dereq_('_process')) },{"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"_process":183}],5:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var AES; var ENC; AES = _dereq_('crypto-js/aes'); ENC = _dereq_('crypto-js/enc-utf8'); var CryptoJS; var CryptoController = { encrypt: function (obj /*: any*/ , secretKey /*: string*/ ) /*: ?string*/ { var encrypted = AES.encrypt((0, _stringify.default)(obj), secretKey); return encrypted.toString(); }, decrypt: function (encryptedText /*: string*/ , secretKey /*: string*/ ) /*: ?string*/ { var decryptedStr = AES.decrypt(encryptedText, secretKey).toString(ENC); return decryptedStr; } }; module.exports = CryptoController; },{"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"crypto-js/aes":522,"crypto-js/enc-utf8":526}],6:[function(_dereq_,module,exports){ "use strict"; /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * This is a simple wrapper to unify EventEmitter implementations across platforms. */ module.exports = _dereq_('events').EventEmitter; var EventEmitter; },{"events":531}],7:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow-weak */ /* global FB */ var initialized = false; var requestedPermissions; var initOptions; var provider = { authenticate: function (options) { var _this = this; if (typeof FB === 'undefined') { options.error(this, 'Facebook SDK not found.'); } FB.login(function (response) { if (response.authResponse) { if (options.success) { options.success(_this, { id: response.authResponse.userID, access_token: response.authResponse.accessToken, expiration_date: new Date(response.authResponse.expiresIn * 1000 + new Date().getTime()).toJSON() }); } } else { if (options.error) { options.error(_this, response); } } }, { scope: requestedPermissions }); }, restoreAuthentication: function (authData) { if (authData) { var newOptions = {}; if (initOptions) { for (var key in initOptions) { newOptions[key] = initOptions[key]; } } // Suppress checks for login status from the browser. newOptions.status = false; // If the user doesn't match the one known by the FB SDK, log out. // Most of the time, the users will match -- it's only in cases where // the FB SDK knows of a different user than the one being restored // from a Parse User that logged in with username/password. var existingResponse = FB.getAuthResponse(); if (existingResponse && existingResponse.userID !== authData.id) { FB.logout(); } FB.init(newOptions); } return true; }, getAuthType: function () { return 'facebook'; }, deauthenticate: function () { this.restoreAuthentication(null); } }; /** * Provides a set of utilities for using Parse with Facebook. * * @class Parse.FacebookUtils * @static * @hideconstructor */ var FacebookUtils = { /** * Initializes Parse Facebook integration. Call this function after you * have loaded the Facebook Javascript SDK with the same parameters * as you would pass to * * FB.init(). Parse.FacebookUtils will invoke FB.init() for you * with these arguments. * * @function init * @name Parse.FacebookUtils.init * @param {object} options Facebook options argument as described here: * * FB.init(). The status flag will be coerced to 'false' because it * interferes with Parse Facebook integration. Call FB.getLoginStatus() * explicitly if this behavior is required by your application. */ init: function (options) { if (typeof FB === 'undefined') { throw new Error('The Facebook JavaScript SDK must be loaded before calling init.'); } initOptions = {}; if (options) { for (var key in options) { initOptions[key] = options[key]; } } if (initOptions.status && typeof console !== 'undefined') { var warn = console.warn || console.log || function () {}; // eslint-disable-line no-console warn.call(console, 'The "status" flag passed into' + ' FB.init, when set to true, can interfere with Parse Facebook' + ' integration, so it has been suppressed. Please call' + ' FB.getLoginStatus() explicitly if you require this behavior.'); } initOptions.status = false; FB.init(initOptions); _ParseUser.default._registerAuthenticationProvider(provider); initialized = true; }, /** * Gets whether the user has their account linked to Facebook. * * @function isLinked * @name Parse.FacebookUtils.isLinked * @param {Parse.User} user User to check for a facebook link. * The user must be logged in on this device. * @returns {boolean} true if the user has their account * linked to Facebook. */ isLinked: function (user) { return user._isLinked('facebook'); }, /** * Logs in a user using Facebook. This method delegates to the Facebook * SDK to authenticate the user, and then automatically logs in (or * creates, in the case where it is a new user) a Parse.User. * * Standard API: * * logIn(permission: string, authData: Object); * * Advanced API: Used for handling your own oAuth tokens * {@link https://docs.parseplatform.org/rest/guide/#linking-users} * * logIn(authData: Object, options?: Object); * * @function logIn * @name Parse.FacebookUtils.logIn * @param {(string | object)} permissions The permissions required for Facebook * log in. This is a comma-separated string of permissions. * Alternatively, supply a Facebook authData object as described in our * REST API docs if you want to handle getting facebook auth tokens * yourself. * @param {object} options MasterKey / SessionToken. Alternatively can be used for authData if permissions is a string * @returns {Promise} */ logIn: function (permissions, options) { if (!permissions || typeof permissions === 'string') { if (!initialized) { throw new Error('You must initialize FacebookUtils before calling logIn.'); } requestedPermissions = permissions; return _ParseUser.default.logInWith('facebook', options); } return _ParseUser.default.logInWith('facebook', { authData: permissions }, options); }, /** * Links Facebook to an existing PFUser. This method delegates to the * Facebook SDK to authenticate the user, and then automatically links * the account to the Parse.User. * * Standard API: * * link(user: Parse.User, permission: string, authData?: Object); * * Advanced API: Used for handling your own oAuth tokens * {@link https://docs.parseplatform.org/rest/guide/#linking-users} * * link(user: Parse.User, authData: Object, options?: FullOptions); * * @function link * @name Parse.FacebookUtils.link * @param {Parse.User} user User to link to Facebook. This must be the * current user. * @param {(string | object)} permissions The permissions required for Facebook * log in. This is a comma-separated string of permissions. * Alternatively, supply a Facebook authData object as described in our * REST API docs if you want to handle getting facebook auth tokens * yourself. * @param {object} options MasterKey / SessionToken. Alternatively can be used for authData if permissions is a string * @returns {Promise} */ link: function (user, permissions, options) { if (!permissions || typeof permissions === 'string') { if (!initialized) { throw new Error('You must initialize FacebookUtils before calling link.'); } requestedPermissions = permissions; return user.linkWith('facebook', options); } return user.linkWith('facebook', { authData: permissions }, options); }, /** * Unlinks the Parse.User from a Facebook account. * * @function unlink * @name Parse.FacebookUtils.unlink * @param {Parse.User} user User to unlink from Facebook. This must be the * current user. * @param {object} options Standard options object with success and error * callbacks. * @returns {Promise} */ unlink: function (user, options) { if (!initialized) { throw new Error('You must initialize FacebookUtils before calling unlink.'); } return user._unlinkFrom('facebook', options); }, // Used for testing purposes _getAuthProvider: function () { return provider; } }; var _default = FacebookUtils; exports.default = _default; },{"./ParseUser":43,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],8:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _Storage = _interopRequireDefault(_dereq_("./Storage")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var uuidv4 = _dereq_('uuid/v4'); var iidCache = null; var InstallationController = { currentInstallationId: function () /*: Promise*/ { if (typeof iidCache === 'string') { return _promise.default.resolve(iidCache); } var path = _Storage.default.generatePath('installationId'); return _Storage.default.getItemAsync(path).then(function (iid) { if (!iid) { iid = uuidv4(); return _Storage.default.setItemAsync(path, iid).then(function () { iidCache = iid; return iid; }); } iidCache = iid; return iid; }); }, _clearCache: function () { iidCache = null; }, _setInstallationIdCache: function (iid /*: string*/ ) { iidCache = iid; } }; module.exports = InstallationController; },{"./Storage":47,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"uuid/v4":534}],9:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Array$isArray = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _bind = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/bind")); var _setTimeout2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/set-timeout")); var _values = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/values")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/keys")); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/map")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _assertThisInitialized2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/assertThisInitialized")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _EventEmitter2 = _interopRequireDefault(_dereq_("./EventEmitter")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _LiveQuerySubscription = _interopRequireDefault(_dereq_("./LiveQuerySubscription")); var _promiseUtils = _dereq_("./promiseUtils"); function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context6; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty(_context6 = Object.prototype.toString.call(o)).call(_context6, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } // The LiveQuery client inner state var CLIENT_STATE = { INITIALIZED: 'initialized', CONNECTING: 'connecting', CONNECTED: 'connected', CLOSED: 'closed', RECONNECTING: 'reconnecting', DISCONNECTED: 'disconnected' }; // The event type the LiveQuery client should sent to server var OP_TYPES = { CONNECT: 'connect', SUBSCRIBE: 'subscribe', UNSUBSCRIBE: 'unsubscribe', ERROR: 'error' }; // The event we get back from LiveQuery server var OP_EVENTS = { CONNECTED: 'connected', SUBSCRIBED: 'subscribed', UNSUBSCRIBED: 'unsubscribed', ERROR: 'error', CREATE: 'create', UPDATE: 'update', ENTER: 'enter', LEAVE: 'leave', DELETE: 'delete' }; // The event the LiveQuery client should emit var CLIENT_EMMITER_TYPES = { CLOSE: 'close', ERROR: 'error', OPEN: 'open' }; // The event the LiveQuery subscription should emit var SUBSCRIPTION_EMMITER_TYPES = { OPEN: 'open', CLOSE: 'close', ERROR: 'error', CREATE: 'create', UPDATE: 'update', ENTER: 'enter', LEAVE: 'leave', DELETE: 'delete' }; var generateInterval = function (k) { return Math.random() * Math.min(30, Math.pow(2, k) - 1) * 1000; }; /** * Creates a new LiveQueryClient. * Extends events.EventEmitter * cloud functions. * * A wrapper of a standard WebSocket client. We add several useful methods to * help you connect/disconnect to LiveQueryServer, subscribe/unsubscribe a ParseQuery easily. * * javascriptKey and masterKey are used for verifying the LiveQueryClient when it tries * to connect to the LiveQuery server * * We expose three events to help you monitor the status of the LiveQueryClient. * *
   * let Parse = require('parse/node');
   * let LiveQueryClient = Parse.LiveQueryClient;
   * let client = new LiveQueryClient({
   *   applicationId: '',
   *   serverURL: '',
   *   javascriptKey: '',
   *   masterKey: ''
   *  });
   * 
* * Open - When we establish the WebSocket connection to the LiveQuery server, you'll get this event. *
   * client.on('open', () => {
   *
   * });
* * Close - When we lose the WebSocket connection to the LiveQuery server, you'll get this event. *
   * client.on('close', () => {
   *
   * });
* * Error - When some network error or LiveQuery server error happens, you'll get this event. *
   * client.on('error', (error) => {
   *
   * });
* * @alias Parse.LiveQueryClient */ var LiveQueryClient = /*#__PURE__*/function (_EventEmitter) { (0, _inherits2.default)(LiveQueryClient, _EventEmitter); var _super = _createSuper(LiveQueryClient); /** * @param {object} options * @param {string} options.applicationId - applicationId of your Parse app * @param {string} options.serverURL - the URL of your LiveQuery server * @param {string} options.javascriptKey (optional) * @param {string} options.masterKey (optional) Your Parse Master Key. (Node.js only!) * @param {string} options.sessionToken (optional) * @param {string} options.installationId (optional) */ function LiveQueryClient(_ref) { var _this; var applicationId = _ref.applicationId, serverURL = _ref.serverURL, javascriptKey = _ref.javascriptKey, masterKey = _ref.masterKey, sessionToken = _ref.sessionToken, installationId = _ref.installationId; (0, _classCallCheck2.default)(this, LiveQueryClient); _this = _super.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "attempts", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "id", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "requestId", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "applicationId", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "serverURL", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "javascriptKey", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "masterKey", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "sessionToken", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "installationId", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "additionalProperties", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "connectPromise", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "subscriptions", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "socket", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "state", void 0); if (!serverURL || (0, _indexOf.default)(serverURL).call(serverURL, 'ws') !== 0) { throw new Error('You need to set a proper Parse LiveQuery server url before using LiveQueryClient'); } _this.reconnectHandle = null; _this.attempts = 1; _this.id = 0; _this.requestId = 1; _this.serverURL = serverURL; _this.applicationId = applicationId; _this.javascriptKey = javascriptKey || undefined; _this.masterKey = masterKey || undefined; _this.sessionToken = sessionToken || undefined; _this.installationId = installationId || undefined; _this.additionalProperties = true; _this.connectPromise = (0, _promiseUtils.resolvingPromise)(); _this.subscriptions = new _map.default(); _this.state = CLIENT_STATE.INITIALIZED; // adding listener so process does not crash // best practice is for developer to register their own listener _this.on('error', function () {}); return _this; } (0, _createClass2.default)(LiveQueryClient, [{ key: "shouldOpen", value: function () /*: any*/ { return this.state === CLIENT_STATE.INITIALIZED || this.state === CLIENT_STATE.DISCONNECTED; } /** * Subscribes to a ParseQuery * * If you provide the sessionToken, when the LiveQuery server gets ParseObject's * updates from parse server, it'll try to check whether the sessionToken fulfills * the ParseObject's ACL. The LiveQuery server will only send updates to clients whose * sessionToken is fit for the ParseObject's ACL. You can check the LiveQuery protocol * here for more details. The subscription you get is the same subscription you get * from our Standard API. * * @param {object} query - the ParseQuery you want to subscribe to * @param {string} sessionToken (optional) * @returns {LiveQuerySubscription} subscription */ }, { key: "subscribe", value: function (query /*: Object*/ , sessionToken /*: ?string*/ ) /*: LiveQuerySubscription*/ { var _this2 = this; if (!query) { return; } var className = query.className; var queryJSON = query.toJSON(); var where = queryJSON.where; var fields = (0, _keys.default)(queryJSON) ? (0, _keys.default)(queryJSON).split(',') : undefined; var subscribeRequest = { op: OP_TYPES.SUBSCRIBE, requestId: this.requestId, query: { className: className, where: where, fields: fields } }; if (sessionToken) { subscribeRequest.sessionToken = sessionToken; } var subscription = new _LiveQuerySubscription.default(this.requestId, query, sessionToken); this.subscriptions.set(this.requestId, subscription); this.requestId += 1; this.connectPromise.then(function () { _this2.socket.send((0, _stringify.default)(subscribeRequest)); }); return subscription; } /** * After calling unsubscribe you'll stop receiving events from the subscription object. * * @param {object} subscription - subscription you would like to unsubscribe from. */ }, { key: "unsubscribe", value: function (subscription /*: Object*/ ) { var _this3 = this; if (!subscription) { return; } this.subscriptions.delete(subscription.id); var unsubscribeRequest = { op: OP_TYPES.UNSUBSCRIBE, requestId: subscription.id }; this.connectPromise.then(function () { _this3.socket.send((0, _stringify.default)(unsubscribeRequest)); }); } /** * After open is called, the LiveQueryClient will try to send a connect request * to the LiveQuery server. * */ }, { key: "open", value: function () { var _this4 = this; var WebSocketImplementation = _CoreManager.default.getWebSocketController(); if (!WebSocketImplementation) { this.emit(CLIENT_EMMITER_TYPES.ERROR, 'Can not find WebSocket implementation'); return; } if (this.state !== CLIENT_STATE.RECONNECTING) { this.state = CLIENT_STATE.CONNECTING; } this.socket = new WebSocketImplementation(this.serverURL); // Bind WebSocket callbacks this.socket.onopen = function () { _this4._handleWebSocketOpen(); }; this.socket.onmessage = function (event) { _this4._handleWebSocketMessage(event); }; this.socket.onclose = function () { _this4._handleWebSocketClose(); }; this.socket.onerror = function (error) { _this4._handleWebSocketError(error); }; } }, { key: "resubscribe", value: function () { var _context, _this5 = this; (0, _forEach.default)(_context = this.subscriptions).call(_context, function (subscription, requestId) { var query = subscription.query; var queryJSON = query.toJSON(); var where = queryJSON.where; var fields = (0, _keys.default)(queryJSON) ? (0, _keys.default)(queryJSON).split(',') : undefined; var className = query.className; var sessionToken = subscription.sessionToken; var subscribeRequest = { op: OP_TYPES.SUBSCRIBE, requestId: requestId, query: { className: className, where: where, fields: fields } }; if (sessionToken) { subscribeRequest.sessionToken = sessionToken; } _this5.connectPromise.then(function () { _this5.socket.send((0, _stringify.default)(subscribeRequest)); }); }); } /** * This method will close the WebSocket connection to this LiveQueryClient, * cancel the auto reconnect and unsubscribe all subscriptions based on it. * */ }, { key: "close", value: function () { var _context2; if (this.state === CLIENT_STATE.INITIALIZED || this.state === CLIENT_STATE.DISCONNECTED) { return; } this.state = CLIENT_STATE.DISCONNECTED; this.socket.close(); // Notify each subscription about the close var _iterator = _createForOfIteratorHelper((0, _values.default)(_context2 = this.subscriptions).call(_context2)), _step; try { for (_iterator.s(); !(_step = _iterator.n()).done;) { var subscription = _step.value; subscription.subscribed = false; subscription.emit(SUBSCRIPTION_EMMITER_TYPES.CLOSE); } } catch (err) { _iterator.e(err); } finally { _iterator.f(); } this._handleReset(); this.emit(CLIENT_EMMITER_TYPES.CLOSE); } // ensure we start with valid state if connect is called again after close }, { key: "_handleReset", value: function () { this.attempts = 1; this.id = 0; this.requestId = 1; this.connectPromise = (0, _promiseUtils.resolvingPromise)(); this.subscriptions = new _map.default(); } }, { key: "_handleWebSocketOpen", value: function () { this.attempts = 1; var connectRequest = { op: OP_TYPES.CONNECT, applicationId: this.applicationId, javascriptKey: this.javascriptKey, masterKey: this.masterKey, sessionToken: this.sessionToken }; if (this.additionalProperties) { connectRequest.installationId = this.installationId; } this.socket.send((0, _stringify.default)(connectRequest)); } }, { key: "_handleWebSocketMessage", value: function (event /*: any*/ ) { var data = event.data; if (typeof data === 'string') { data = JSON.parse(data); } var subscription = null; if (data.requestId) { subscription = this.subscriptions.get(data.requestId); } var response = { clientId: data.clientId, installationId: data.installationId }; switch (data.op) { case OP_EVENTS.CONNECTED: if (this.state === CLIENT_STATE.RECONNECTING) { this.resubscribe(); } this.emit(CLIENT_EMMITER_TYPES.OPEN); this.id = data.clientId; this.connectPromise.resolve(); this.state = CLIENT_STATE.CONNECTED; break; case OP_EVENTS.SUBSCRIBED: if (subscription) { subscription.subscribed = true; subscription.subscribePromise.resolve(); (0, _setTimeout2.default)(function () { return subscription.emit(SUBSCRIPTION_EMMITER_TYPES.OPEN, response); }, 200); } break; case OP_EVENTS.ERROR: if (data.requestId) { if (subscription) { subscription.subscribePromise.resolve(); (0, _setTimeout2.default)(function () { return subscription.emit(SUBSCRIPTION_EMMITER_TYPES.ERROR, data.error); }, 200); } } else { this.emit(CLIENT_EMMITER_TYPES.ERROR, data.error); } if (data.error === 'Additional properties not allowed') { this.additionalProperties = false; } if (data.reconnect) { this._handleReconnect(); } break; case OP_EVENTS.UNSUBSCRIBED: // We have already deleted subscription in unsubscribe(), do nothing here break; default: { // create, update, enter, leave, delete cases if (!subscription) { break; } var override = false; if (data.original) { override = true; delete data.original.__type; // Check for removed fields for (var field in data.original) { if (!(field in data.object)) { data.object[field] = undefined; } } data.original = _ParseObject.default.fromJSON(data.original, false); } delete data.object.__type; var parseObject = _ParseObject.default.fromJSON(data.object, override); if (data.original) { subscription.emit(data.op, parseObject, data.original, response); } else { subscription.emit(data.op, parseObject, response); } var localDatastore = _CoreManager.default.getLocalDatastore(); if (override && localDatastore.isEnabled) { localDatastore._updateObjectIfPinned(parseObject).then(function () {}); } } } } }, { key: "_handleWebSocketClose", value: function () { var _context3; if (this.state === CLIENT_STATE.DISCONNECTED) { return; } this.state = CLIENT_STATE.CLOSED; this.emit(CLIENT_EMMITER_TYPES.CLOSE); // Notify each subscription about the close var _iterator2 = _createForOfIteratorHelper((0, _values.default)(_context3 = this.subscriptions).call(_context3)), _step2; try { for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) { var subscription = _step2.value; subscription.emit(SUBSCRIPTION_EMMITER_TYPES.CLOSE); } } catch (err) { _iterator2.e(err); } finally { _iterator2.f(); } this._handleReconnect(); } }, { key: "_handleWebSocketError", value: function (error /*: any*/ ) { var _context4; this.emit(CLIENT_EMMITER_TYPES.ERROR, error); var _iterator3 = _createForOfIteratorHelper((0, _values.default)(_context4 = this.subscriptions).call(_context4)), _step3; try { for (_iterator3.s(); !(_step3 = _iterator3.n()).done;) { var subscription = _step3.value; subscription.emit(SUBSCRIPTION_EMMITER_TYPES.ERROR, error); } } catch (err) { _iterator3.e(err); } finally { _iterator3.f(); } this._handleReconnect(); } }, { key: "_handleReconnect", value: function () { var _context5, _this6 = this; // if closed or currently reconnecting we stop attempting to reconnect if (this.state === CLIENT_STATE.DISCONNECTED) { return; } this.state = CLIENT_STATE.RECONNECTING; var time = generateInterval(this.attempts); // handle case when both close/error occur at frequent rates we ensure we do not reconnect unnecessarily. // we're unable to distinguish different between close/error when we're unable to reconnect therefore // we try to reconnect in both cases // server side ws and browser WebSocket behave differently in when close/error get triggered if (this.reconnectHandle) { clearTimeout(this.reconnectHandle); } this.reconnectHandle = (0, _setTimeout2.default)((0, _bind.default)(_context5 = function () { _this6.attempts++; _this6.connectPromise = (0, _promiseUtils.resolvingPromise)(); _this6.open(); }).call(_context5, this), time); } }]); return LiveQueryClient; }(_EventEmitter2.default); _CoreManager.default.setWebSocketController(typeof WebSocket === 'function' || (typeof WebSocket === "undefined" ? "undefined" : (0, _typeof2.default)(WebSocket)) === 'object' ? WebSocket : null); var _default = LiveQueryClient; exports.default = _default; },{"./CoreManager":4,"./EventEmitter":6,"./LiveQuerySubscription":10,"./ParseObject":35,"./promiseUtils":62,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/bind":67,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/keys":76,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/instance/values":83,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/map":85,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/core-js-stable/set-timeout":101,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/assertThisInitialized":127,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143,"@babel/runtime-corejs3/helpers/typeof":148}],10:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _EventEmitter2 = _interopRequireDefault(_dereq_("./EventEmitter")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _promiseUtils = _dereq_("./promiseUtils"); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } /** * Creates a new LiveQuery Subscription. * Extends events.EventEmitter * cloud functions. * *

Response Object - Contains data from the client that made the request *

    *
  • clientId
  • *
  • installationId - requires Parse Server 4.0.0+
  • *
*

* *

Open Event - When you call query.subscribe(), we send a subscribe request to * the LiveQuery server, when we get the confirmation from the LiveQuery server, * this event will be emitted. When the client loses WebSocket connection to the * LiveQuery server, we will try to auto reconnect the LiveQuery server. If we * reconnect the LiveQuery server and successfully resubscribe the ParseQuery, * you'll also get this event. * *

   * subscription.on('open', (response) => {
   *
   * });

* *

Create Event - When a new ParseObject is created and it fulfills the ParseQuery you subscribe, * you'll get this event. The object is the ParseObject which is created. * *

   * subscription.on('create', (object, response) => {
   *
   * });

* *

Update Event - When an existing ParseObject (original) which fulfills the ParseQuery you subscribe * is updated (The ParseObject fulfills the ParseQuery before and after changes), * you'll get this event. The object is the ParseObject which is updated. * Its content is the latest value of the ParseObject. * * Parse-Server 3.1.3+ Required for original object parameter * *

   * subscription.on('update', (object, original, response) => {
   *
   * });

* *

Enter Event - When an existing ParseObject's (original) old value doesn't fulfill the ParseQuery * but its new value fulfills the ParseQuery, you'll get this event. The object is the * ParseObject which enters the ParseQuery. Its content is the latest value of the ParseObject. * * Parse-Server 3.1.3+ Required for original object parameter * *

   * subscription.on('enter', (object, original, response) => {
   *
   * });

* * *

Update Event - When an existing ParseObject's old value fulfills the ParseQuery but its new value * doesn't fulfill the ParseQuery, you'll get this event. The object is the ParseObject * which leaves the ParseQuery. Its content is the latest value of the ParseObject. * *

   * subscription.on('leave', (object, response) => {
   *
   * });

* * *

Delete Event - When an existing ParseObject which fulfills the ParseQuery is deleted, you'll * get this event. The object is the ParseObject which is deleted. * *

   * subscription.on('delete', (object, response) => {
   *
   * });

* * *

Close Event - When the client loses the WebSocket connection to the LiveQuery * server and we stop receiving events, you'll get this event. * *

   * subscription.on('close', () => {
   *
   * });

* * @alias Parse.LiveQuerySubscription */ var Subscription = /*#__PURE__*/function (_EventEmitter) { (0, _inherits2.default)(Subscription, _EventEmitter); var _super = _createSuper(Subscription); /* * @param {string} id - subscription id * @param {string} query - query to subscribe to * @param {string} sessionToken - optional session token */ function Subscription(id, query, sessionToken) { var _this; (0, _classCallCheck2.default)(this, Subscription); _this = _super.call(this); _this.id = id; _this.query = query; _this.sessionToken = sessionToken; _this.subscribePromise = (0, _promiseUtils.resolvingPromise)(); _this.subscribed = false; // adding listener so process does not crash // best practice is for developer to register their own listener _this.on('error', function () {}); return _this; } /** * Close the subscription * * @returns {Promise} */ (0, _createClass2.default)(Subscription, [{ key: "unsubscribe", value: function () /*: Promise*/ { var _this2 = this; return _CoreManager.default.getLiveQueryController().getDefaultLiveQueryClient().then(function (liveQueryClient) { liveQueryClient.unsubscribe(_this2); _this2.emit('close'); }); } }]); return Subscription; }(_EventEmitter2.default); var _default = Subscription; exports.default = _default; },{"./CoreManager":4,"./EventEmitter":6,"./promiseUtils":62,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143}],11:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Array$isArray2 = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from2 = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); var _find = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/find")); var _from = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/from")); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _keys2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/keys")); var _startsWith = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/starts-with")); var _keys3 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _filter = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _set = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/set")); var _toConsumableArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/toConsumableArray")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _slicedToArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/slicedToArray")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); var _LocalDatastoreUtils = _dereq_("./LocalDatastoreUtils"); function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray2(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context18; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty(_context18 = Object.prototype.toString.call(o)).call(_context18, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from2(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } /** * Provides a local datastore which can be used to store and retrieve Parse.Object.
* To enable this functionality, call Parse.enableLocalDatastore(). * * Pin object to add to local datastore * *
await object.pin();
*
await object.pinWithName('pinName');
* * Query pinned objects * *
query.fromLocalDatastore();
*
query.fromPin();
*
query.fromPinWithName();
* *
const localObjects = await query.find();
* * @class Parse.LocalDatastore * @static */ var LocalDatastore = { isEnabled: false, isSyncing: false, fromPinWithName: function (name /*: string*/ ) /*: Promise>*/ { var controller = _CoreManager.default.getLocalDatastoreController(); return controller.fromPinWithName(name); }, pinWithName: function (name /*: string*/ , value /*: any*/ ) /*: Promise*/ { var controller = _CoreManager.default.getLocalDatastoreController(); return controller.pinWithName(name, value); }, unPinWithName: function (name /*: string*/ ) /*: Promise*/ { var controller = _CoreManager.default.getLocalDatastoreController(); return controller.unPinWithName(name); }, _getAllContents: function () /*: Promise*/ { var controller = _CoreManager.default.getLocalDatastoreController(); return controller.getAllContents(); }, // Use for testing _getRawStorage: function () /*: Promise*/ { var controller = _CoreManager.default.getLocalDatastoreController(); return controller.getRawStorage(); }, _clear: function () /*: Promise*/ { var controller = _CoreManager.default.getLocalDatastoreController(); return controller.clear(); }, // Pin the object and children recursively // Saves the object and children key to Pin Name _handlePinAllWithName: function (name /*: string*/ , objects /*: Array*/ ) /*: Promise*/ { var _this = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var _context; var pinName, toPinPromises, objectKeys, _iterator, _step, parent, children, parentKey, json, objectKey, fromPinPromise, _yield$Promise$all, _yield$Promise$all2, pinned, toPin; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: pinName = _this.getPinName(name); toPinPromises = []; objectKeys = []; _iterator = _createForOfIteratorHelper(objects); try { for (_iterator.s(); !(_step = _iterator.n()).done;) { parent = _step.value; children = _this._getChildren(parent); parentKey = _this.getKeyForObject(parent); json = parent._toFullJSON(undefined, true); if (parent._localId) { json._localId = parent._localId; } children[parentKey] = json; for (objectKey in children) { objectKeys.push(objectKey); toPinPromises.push(_this.pinWithName(objectKey, [children[objectKey]])); } } } catch (err) { _iterator.e(err); } finally { _iterator.f(); } fromPinPromise = _this.fromPinWithName(pinName); _context2.next = 8; return _promise.default.all([fromPinPromise, toPinPromises]); case 8: _yield$Promise$all = _context2.sent; _yield$Promise$all2 = (0, _slicedToArray2.default)(_yield$Promise$all, 1); pinned = _yield$Promise$all2[0]; toPin = (0, _toConsumableArray2.default)(new _set.default((0, _concat.default)(_context = []).call(_context, (0, _toConsumableArray2.default)(pinned || []), objectKeys))); return _context2.abrupt("return", _this.pinWithName(pinName, toPin)); case 13: case "end": return _context2.stop(); } } }, _callee); }))(); }, // Removes object and children keys from pin name // Keeps the object and children pinned _handleUnPinAllWithName: function (name /*: string*/ , objects /*: Array*/ ) { var _this2 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { var localDatastore, pinName, promises, objectKeys, _iterator2, _step2, _objectKeys, _context3, parent, children, parentKey, pinned, _iterator3, _step3, objectKey, hasReference, key, pinnedObjects; return _regenerator.default.wrap(function (_context4) { while (1) { switch (_context4.prev = _context4.next) { case 0: _context4.next = 2; return _this2._getAllContents(); case 2: localDatastore = _context4.sent; pinName = _this2.getPinName(name); promises = []; objectKeys = []; _iterator2 = _createForOfIteratorHelper(objects); try { for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) { parent = _step2.value; children = _this2._getChildren(parent); parentKey = _this2.getKeyForObject(parent); (_objectKeys = objectKeys).push.apply(_objectKeys, (0, _concat.default)(_context3 = [parentKey]).call(_context3, (0, _toConsumableArray2.default)((0, _keys3.default)(children)))); } } catch (err) { _iterator2.e(err); } finally { _iterator2.f(); } objectKeys = (0, _toConsumableArray2.default)(new _set.default(objectKeys)); pinned = localDatastore[pinName] || []; pinned = (0, _filter.default)(pinned).call(pinned, function (item) { return !(0, _includes.default)(objectKeys).call(objectKeys, item); }); if (pinned.length === 0) { promises.push(_this2.unPinWithName(pinName)); delete localDatastore[pinName]; } else { promises.push(_this2.pinWithName(pinName, pinned)); localDatastore[pinName] = pinned; } _iterator3 = _createForOfIteratorHelper(objectKeys); _context4.prev = 13; _iterator3.s(); case 15: if ((_step3 = _iterator3.n()).done) { _context4.next = 31; break; } objectKey = _step3.value; hasReference = false; _context4.t0 = (0, _keys2.default)(_regenerator.default).call(_regenerator.default, localDatastore); case 19: if ((_context4.t1 = _context4.t0()).done) { _context4.next = 28; break; } key = _context4.t1.value; if (!(key === _LocalDatastoreUtils.DEFAULT_PIN || (0, _startsWith.default)(key).call(key, _LocalDatastoreUtils.PIN_PREFIX))) { _context4.next = 26; break; } pinnedObjects = localDatastore[key] || []; if (!(0, _includes.default)(pinnedObjects).call(pinnedObjects, objectKey)) { _context4.next = 26; break; } hasReference = true; return _context4.abrupt("break", 28); case 26: _context4.next = 19; break; case 28: if (!hasReference) { promises.push(_this2.unPinWithName(objectKey)); } case 29: _context4.next = 15; break; case 31: _context4.next = 36; break; case 33: _context4.prev = 33; _context4.t2 = _context4["catch"](13); _iterator3.e(_context4.t2); case 36: _context4.prev = 36; _iterator3.f(); return _context4.finish(36); case 39: return _context4.abrupt("return", _promise.default.all(promises)); case 40: case "end": return _context4.stop(); } } }, _callee2, null, [[13, 33, 36, 39]]); }))(); }, // Retrieve all pointer fields from object recursively _getChildren: function (object /*: ParseObject*/ ) { var encountered = {}; var json = object._toFullJSON(undefined, true); for (var key in json) { if (json[key] && json[key].__type && json[key].__type === 'Object') { this._traverse(json[key], encountered); } } return encountered; }, _traverse: function (object /*: any*/ , encountered /*: any*/ ) { if (!object.objectId) { return; } var objectKey = this.getKeyForObject(object); if (encountered[objectKey]) { return; } encountered[objectKey] = object; for (var key in object) { var json = object[key]; if (!object[key]) { json = object; } if (json.__type && json.__type === 'Object') { this._traverse(json, encountered); } } }, // Transform keys in pin name to objects _serializeObjectsFromPinName: function (name /*: string*/ ) { var _this3 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var _context5, _concatInstanceProper, _context6; var localDatastore, allObjects, key, pinName, pinned, promises, objects; return _regenerator.default.wrap(function (_context7) { while (1) { switch (_context7.prev = _context7.next) { case 0: _context7.next = 2; return _this3._getAllContents(); case 2: localDatastore = _context7.sent; allObjects = []; for (key in localDatastore) { if ((0, _startsWith.default)(key).call(key, _LocalDatastoreUtils.OBJECT_PREFIX)) { allObjects.push(localDatastore[key][0]); } } if (name) { _context7.next = 7; break; } return _context7.abrupt("return", allObjects); case 7: pinName = _this3.getPinName(name); pinned = localDatastore[pinName]; if ((0, _isArray.default)(pinned)) { _context7.next = 11; break; } return _context7.abrupt("return", []); case 11: promises = (0, _map.default)(pinned).call(pinned, function (objectKey) { return _this3.fromPinWithName(objectKey); }); _context7.next = 14; return _promise.default.all(promises); case 14: objects = _context7.sent; objects = (_concatInstanceProper = (0, _concat.default)(_context5 = [])).call.apply(_concatInstanceProper, (0, _concat.default)(_context6 = [_context5]).call(_context6, (0, _toConsumableArray2.default)(objects))); return _context7.abrupt("return", (0, _filter.default)(objects).call(objects, function (object) { return object != null; })); case 17: case "end": return _context7.stop(); } } }, _callee3); }))(); }, // Replaces object pointers with pinned pointers // The object pointers may contain old data // Uses Breadth First Search Algorithm _serializeObject: function (objectKey /*: string*/ , localDatastore /*: any*/ ) { var _this4 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4() { var LDS, root, queue, meta, uniqueId, nodeId, subTreeRoot, field, value, key, pointer; return _regenerator.default.wrap(function (_context8) { while (1) { switch (_context8.prev = _context8.next) { case 0: LDS = localDatastore; if (LDS) { _context8.next = 5; break; } _context8.next = 4; return _this4._getAllContents(); case 4: LDS = _context8.sent; case 5: if (!(!LDS[objectKey] || LDS[objectKey].length === 0)) { _context8.next = 7; break; } return _context8.abrupt("return", null); case 7: root = LDS[objectKey][0]; queue = []; meta = {}; uniqueId = 0; meta[uniqueId] = root; queue.push(uniqueId); while (queue.length !== 0) { nodeId = queue.shift(); subTreeRoot = meta[nodeId]; for (field in subTreeRoot) { value = subTreeRoot[field]; if (value.__type && value.__type === 'Object') { key = _this4.getKeyForObject(value); if (LDS[key] && LDS[key].length > 0) { pointer = LDS[key][0]; uniqueId++; meta[uniqueId] = pointer; subTreeRoot[field] = pointer; queue.push(uniqueId); } } } } return _context8.abrupt("return", root); case 15: case "end": return _context8.stop(); } } }, _callee4); }))(); }, // Called when an object is save / fetched // Update object pin value _updateObjectIfPinned: function (object /*: ParseObject*/ ) /*: Promise*/ { var _this5 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5() { var objectKey, pinned; return _regenerator.default.wrap(function (_context9) { while (1) { switch (_context9.prev = _context9.next) { case 0: if (_this5.isEnabled) { _context9.next = 2; break; } return _context9.abrupt("return"); case 2: objectKey = _this5.getKeyForObject(object); _context9.next = 5; return _this5.fromPinWithName(objectKey); case 5: pinned = _context9.sent; if (!(!pinned || pinned.length === 0)) { _context9.next = 8; break; } return _context9.abrupt("return"); case 8: return _context9.abrupt("return", _this5.pinWithName(objectKey, [object._toFullJSON()])); case 9: case "end": return _context9.stop(); } } }, _callee5); }))(); }, // Called when object is destroyed // Unpin object and remove all references from pin names // TODO: Destroy children? _destroyObjectIfPinned: function (object /*: ParseObject*/ ) { var _this6 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6() { var localDatastore, objectKey, pin, promises, key, pinned; return _regenerator.default.wrap(function (_context10) { while (1) { switch (_context10.prev = _context10.next) { case 0: if (_this6.isEnabled) { _context10.next = 2; break; } return _context10.abrupt("return"); case 2: _context10.next = 4; return _this6._getAllContents(); case 4: localDatastore = _context10.sent; objectKey = _this6.getKeyForObject(object); pin = localDatastore[objectKey]; if (pin) { _context10.next = 9; break; } return _context10.abrupt("return"); case 9: promises = [_this6.unPinWithName(objectKey)]; delete localDatastore[objectKey]; for (key in localDatastore) { if (key === _LocalDatastoreUtils.DEFAULT_PIN || (0, _startsWith.default)(key).call(key, _LocalDatastoreUtils.PIN_PREFIX)) { pinned = localDatastore[key] || []; if ((0, _includes.default)(pinned).call(pinned, objectKey)) { pinned = (0, _filter.default)(pinned).call(pinned, function (item) { return item !== objectKey; }); if (pinned.length === 0) { promises.push(_this6.unPinWithName(key)); delete localDatastore[key]; } else { promises.push(_this6.pinWithName(key, pinned)); localDatastore[key] = pinned; } } } } return _context10.abrupt("return", _promise.default.all(promises)); case 13: case "end": return _context10.stop(); } } }, _callee6); }))(); }, // Update pin and references of the unsaved object _updateLocalIdForObject: function (localId /*: string*/ , object /*: ParseObject*/ ) { var _this7 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee7() { var _context11, _context12; var localKey, objectKey, unsaved, promises, localDatastore, key, pinned; return _regenerator.default.wrap(function (_context13) { while (1) { switch (_context13.prev = _context13.next) { case 0: if (_this7.isEnabled) { _context13.next = 2; break; } return _context13.abrupt("return"); case 2: localKey = (0, _concat.default)(_context11 = (0, _concat.default)(_context12 = "".concat(_LocalDatastoreUtils.OBJECT_PREFIX)).call(_context12, object.className, "_")).call(_context11, localId); objectKey = _this7.getKeyForObject(object); _context13.next = 6; return _this7.fromPinWithName(localKey); case 6: unsaved = _context13.sent; if (!(!unsaved || unsaved.length === 0)) { _context13.next = 9; break; } return _context13.abrupt("return"); case 9: promises = [_this7.unPinWithName(localKey), _this7.pinWithName(objectKey, unsaved)]; _context13.next = 12; return _this7._getAllContents(); case 12: localDatastore = _context13.sent; for (key in localDatastore) { if (key === _LocalDatastoreUtils.DEFAULT_PIN || (0, _startsWith.default)(key).call(key, _LocalDatastoreUtils.PIN_PREFIX)) { pinned = localDatastore[key] || []; if ((0, _includes.default)(pinned).call(pinned, localKey)) { pinned = (0, _filter.default)(pinned).call(pinned, function (item) { return item !== localKey; }); pinned.push(objectKey); promises.push(_this7.pinWithName(key, pinned)); localDatastore[key] = pinned; } } } return _context13.abrupt("return", _promise.default.all(promises)); case 15: case "end": return _context13.stop(); } } }, _callee7); }))(); }, /** * Updates Local Datastore from Server * *
     * await Parse.LocalDatastore.updateFromServer();
     * 
* * @function updateFromServer * @name Parse.LocalDatastore.updateFromServer * @static */ updateFromServer: function () { var _this8 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee8() { var _context14; var localDatastore, keys, key, pointersHash, _i, _keys, _key, _key$split, _key$split2, className, objectId, queryPromises, responses, objects, pinPromises; return _regenerator.default.wrap(function (_context15) { while (1) { switch (_context15.prev = _context15.next) { case 0: if (!(!_this8.checkIfEnabled() || _this8.isSyncing)) { _context15.next = 2; break; } return _context15.abrupt("return"); case 2: _context15.next = 4; return _this8._getAllContents(); case 4: localDatastore = _context15.sent; keys = []; for (key in localDatastore) { if ((0, _startsWith.default)(key).call(key, _LocalDatastoreUtils.OBJECT_PREFIX)) { keys.push(key); } } if (!(keys.length === 0)) { _context15.next = 9; break; } return _context15.abrupt("return"); case 9: _this8.isSyncing = true; pointersHash = {}; _i = 0, _keys = keys; case 12: if (!(_i < _keys.length)) { _context15.next = 23; break; } _key = _keys[_i]; // Ignore the OBJECT_PREFIX _key$split = _key.split('_'), _key$split2 = (0, _slicedToArray2.default)(_key$split, 4), className = _key$split2[2], objectId = _key$split2[3]; // User key is split into [ 'Parse', 'LDS', '', 'User', 'objectId' ] if (_key.split('_').length === 5 && _key.split('_')[3] === 'User') { className = '_User'; objectId = _key.split('_')[4]; } if (!(0, _startsWith.default)(objectId).call(objectId, 'local')) { _context15.next = 18; break; } return _context15.abrupt("continue", 20); case 18: if (!(className in pointersHash)) { pointersHash[className] = new _set.default(); } pointersHash[className].add(objectId); case 20: _i++; _context15.next = 12; break; case 23: queryPromises = (0, _map.default)(_context14 = (0, _keys3.default)(pointersHash)).call(_context14, function (className) { var objectIds = (0, _from.default)(pointersHash[className]); var query = new _ParseQuery.default(className); query.limit(objectIds.length); if (objectIds.length === 1) { query.equalTo('objectId', objectIds[0]); } else { query.containedIn('objectId', objectIds); } return (0, _find.default)(query).call(query); }); _context15.prev = 24; _context15.next = 27; return _promise.default.all(queryPromises); case 27: responses = _context15.sent; objects = (0, _concat.default)([]).apply([], responses); pinPromises = (0, _map.default)(objects).call(objects, function (object) { var objectKey = _this8.getKeyForObject(object); return _this8.pinWithName(objectKey, object._toFullJSON()); }); _context15.next = 32; return _promise.default.all(pinPromises); case 32: _this8.isSyncing = false; _context15.next = 39; break; case 35: _context15.prev = 35; _context15.t0 = _context15["catch"](24); // eslint-disable-next-line no-console console.error('Error syncing LocalDatastore: ', _context15.t0); _this8.isSyncing = false; case 39: case "end": return _context15.stop(); } } }, _callee8, null, [[24, 35]]); }))(); }, getKeyForObject: function (object /*: any*/ ) { var _context16, _context17; var objectId = object.objectId || object._getId(); return (0, _concat.default)(_context16 = (0, _concat.default)(_context17 = "".concat(_LocalDatastoreUtils.OBJECT_PREFIX)).call(_context17, object.className, "_")).call(_context16, objectId); }, getPinName: function (pinName /*: ?string*/ ) { if (!pinName || pinName === _LocalDatastoreUtils.DEFAULT_PIN) { return _LocalDatastoreUtils.DEFAULT_PIN; } return _LocalDatastoreUtils.PIN_PREFIX + pinName; }, checkIfEnabled: function () { if (!this.isEnabled) { // eslint-disable-next-line no-console console.error('Parse.enableLocalDatastore() must be called first'); } return this.isEnabled; } }; module.exports = LocalDatastore; _CoreManager.default.setLocalDatastoreController(_dereq_('./LocalDatastoreController')); _CoreManager.default.setLocalDatastore(LocalDatastore); },{"./CoreManager":4,"./LocalDatastoreController":12,"./LocalDatastoreUtils":13,"./ParseQuery":38,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/find":72,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/instance/keys":76,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/instance/starts-with":82,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/set":102,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/slicedToArray":145,"@babel/runtime-corejs3/helpers/toConsumableArray":147,"@babel/runtime-corejs3/regenerator":152}],12:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Array$isArray = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _reduce = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/reduce")); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _LocalDatastoreUtils = _dereq_("./LocalDatastoreUtils"); var _Storage = _interopRequireDefault(_dereq_("./Storage")); function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context7; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty(_context7 = Object.prototype.toString.call(o)).call(_context7, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } var LocalDatastoreController = { fromPinWithName: function (name /*: string*/ ) /*: Array*/ { return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var values, objects; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: _context.next = 2; return _Storage.default.getItemAsync(name); case 2: values = _context.sent; if (values) { _context.next = 5; break; } return _context.abrupt("return", []); case 5: objects = JSON.parse(values); return _context.abrupt("return", objects); case 7: case "end": return _context.stop(); } } }, _callee); }))(); }, pinWithName: function (name /*: string*/ , value /*: any*/ ) { var values = (0, _stringify.default)(value); return _Storage.default.setItemAsync(name, values); }, unPinWithName: function (name /*: string*/ ) { return _Storage.default.removeItemAsync(name); }, getAllContents: function () /*: Object*/ { return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var keys; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: _context3.next = 2; return _Storage.default.getAllKeysAsync(); case 2: keys = _context3.sent; return _context3.abrupt("return", (0, _reduce.default)(keys).call(keys, /*#__PURE__*/function () { var _ref = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2(previousPromise, key) { var LDS, value; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: _context2.next = 2; return previousPromise; case 2: LDS = _context2.sent; if (!(0, _LocalDatastoreUtils.isLocalDatastoreKey)(key)) { _context2.next = 8; break; } _context2.next = 6; return _Storage.default.getItemAsync(key); case 6: value = _context2.sent; try { LDS[key] = JSON.parse(value); } catch (error) { // eslint-disable-next-line no-console console.error('Error getAllContents: ', error); } case 8: return _context2.abrupt("return", LDS); case 9: case "end": return _context2.stop(); } } }, _callee2); })); return function () { return _ref.apply(this, arguments); }; }(), _promise.default.resolve({}))); case 4: case "end": return _context3.stop(); } } }, _callee3); }))(); }, // Used for testing getRawStorage: function () /*: Object*/ { return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5() { var keys; return _regenerator.default.wrap(function (_context5) { while (1) { switch (_context5.prev = _context5.next) { case 0: _context5.next = 2; return _Storage.default.getAllKeysAsync(); case 2: keys = _context5.sent; return _context5.abrupt("return", (0, _reduce.default)(keys).call(keys, /*#__PURE__*/function () { var _ref2 = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4(previousPromise, key) { var LDS, value; return _regenerator.default.wrap(function (_context4) { while (1) { switch (_context4.prev = _context4.next) { case 0: _context4.next = 2; return previousPromise; case 2: LDS = _context4.sent; _context4.next = 5; return _Storage.default.getItemAsync(key); case 5: value = _context4.sent; LDS[key] = value; return _context4.abrupt("return", LDS); case 8: case "end": return _context4.stop(); } } }, _callee4); })); return function () { return _ref2.apply(this, arguments); }; }(), _promise.default.resolve({}))); case 4: case "end": return _context5.stop(); } } }, _callee5); }))(); }, clear: function () /*: Promise*/ { var _this = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6() { var keys, toRemove, _iterator, _step, key, promises; return _regenerator.default.wrap(function (_context6) { while (1) { switch (_context6.prev = _context6.next) { case 0: _context6.next = 2; return _Storage.default.getAllKeysAsync(); case 2: keys = _context6.sent; toRemove = []; _iterator = _createForOfIteratorHelper(keys); try { for (_iterator.s(); !(_step = _iterator.n()).done;) { key = _step.value; if ((0, _LocalDatastoreUtils.isLocalDatastoreKey)(key)) { toRemove.push(key); } } } catch (err) { _iterator.e(err); } finally { _iterator.f(); } promises = (0, _map.default)(toRemove).call(toRemove, _this.unPinWithName); return _context6.abrupt("return", _promise.default.all(promises)); case 8: case "end": return _context6.stop(); } } }, _callee6); }))(); } }; module.exports = LocalDatastoreController; },{"./LocalDatastoreUtils":13,"./Storage":47,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/reduce":78,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152}],13:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.PIN_PREFIX = exports.OBJECT_PREFIX = exports.DEFAULT_PIN = void 0; exports.isLocalDatastoreKey = isLocalDatastoreKey; var _startsWith = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/starts-with")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow * @private */ var DEFAULT_PIN = '_default'; exports.DEFAULT_PIN = DEFAULT_PIN; var PIN_PREFIX = 'parsePin_'; exports.PIN_PREFIX = PIN_PREFIX; var OBJECT_PREFIX = 'Parse_LDS_'; exports.OBJECT_PREFIX = OBJECT_PREFIX; function isLocalDatastoreKey(key /*: string*/ ) /*: boolean*/ { return !!(key && (key === DEFAULT_PIN || (0, _startsWith.default)(key).call(key, PIN_PREFIX) || (0, _startsWith.default)(key).call(key, OBJECT_PREFIX))); } },{"@babel/runtime-corejs3/core-js-stable/instance/starts-with":82,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],14:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _web = _interopRequireDefault(_dereq_("web3")); /* global window */ var ERROR_CHAINID_MISSING = 'Invalid chainId: Chain not currently supported by Moralis'; var MORALIS_RPCS = function (speedyNodeKey) { return { 1: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/eth/mainnet"), 3: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/eth/ropsten"), 4: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/eth/rinkeby"), 5: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/eth/goerli"), 42: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/eth/kovan"), 137: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/polygon/mainnet"), 80001: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/polygon/mumbai"), 56: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/bsc/mainnet"), 97: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/bsc/testnet"), 43114: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/avalanche/mainnet"), 250: "https://speedy-nodes-nyc.moralis.io/".concat(speedyNodeKey, "/fantom/mainnet") }; }; var MoralisCustomProvider = /*#__PURE__*/function () { function MoralisCustomProvider() { (0, _classCallCheck2.default)(this, MoralisCustomProvider); } (0, _createClass2.default)(MoralisCustomProvider, [{ key: "type", get: function () { return 'CustomProvider'; } }, { key: "activate", value: function () { var _activate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(options) { var speedyNodeApiKey, chainId, MWeb3, web3Provider; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: if (!options.chainId) { options.chainId = 1; } speedyNodeApiKey = options.speedyNodeApiKey, chainId = options.chainId; MWeb3 = typeof _web.default === 'function' ? _web.default : window.Web3; web3Provider = new MWeb3.providers.HttpProvider(this.getUrl(chainId, speedyNodeApiKey), options); this.web3 = new MWeb3(web3Provider); this.isActivated = true; return _context.abrupt("return", this.web3); case 7: case "end": return _context.stop(); } } }, _callee, this); })); return function () { return _activate.apply(this, arguments); }; }() }, { key: "deactivate", value: function () { var _deactivate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: this.isActivated = false; this.web3 = null; case 2: case "end": return _context2.stop(); } } }, _callee2, this); })); return function () { return _deactivate.apply(this, arguments); }; }() }, { key: "getUrl", value: function (chainId, speedyNodeKey) { var url = MORALIS_RPCS(speedyNodeKey)[chainId]; if (!url) { throw new Error(ERROR_CHAINID_MISSING); } return url; } }]); return MoralisCustomProvider; }(); var _default = MoralisCustomProvider; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152,"web3":183}],15:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _slice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice")); var _from = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/from")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _filter = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _createSigningData = _interopRequireDefault(_dereq_("./createSigningData")); /* global window */ var web3EnablePromise = null; var MoralisDot = /*#__PURE__*/function () { function MoralisDot() { (0, _classCallCheck2.default)(this, MoralisDot); } (0, _createClass2.default)(MoralisDot, null, [{ key: "web3IsInjected", value: function () { return (0, _keys.default)(window.injectedWeb3).length !== 0; } }, { key: "enable", value: function () { var _enable = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(opts) { var _window$injectedWeb, _window$injectedWeb$t; var type, _args = arguments; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: type = _args.length > 1 && _args[1] !== undefined ? _args[1] : 'polkadot-js'; if (!web3EnablePromise) { _context.next = 3; break; } return _context.abrupt("return", web3EnablePromise); case 3: web3EnablePromise = (_window$injectedWeb = window.injectedWeb3) === null || _window$injectedWeb === void 0 ? void 0 : (_window$injectedWeb$t = _window$injectedWeb[type]) === null || _window$injectedWeb$t === void 0 ? void 0 : _window$injectedWeb$t.enable(opts); return _context.abrupt("return", web3EnablePromise); case 5: case "end": return _context.stop(); } } }, _callee); })); return function () { return _enable.apply(this, arguments); }; }() }, { key: "authenticate", value: function () { var _authenticate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2(opts) { var _opts$name, _context2, _user$get; var allAccounts, account, address, dotAddress, accounts, message, data, signature, authData, user; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: _context3.next = 2; return MoralisDot.enable((_opts$name = opts === null || opts === void 0 ? void 0 : opts.name) !== null && _opts$name !== void 0 ? _opts$name : 'Moralis'); case 2: MoralisDot.web3 = _context3.sent; _context3.next = 5; return MoralisDot.web3.accounts.get(); case 5: allAccounts = _context3.sent; account = allAccounts[0]; address = account === null || account === void 0 ? void 0 : account.address; if (address) { _context3.next = 10; break; } throw new Error('Address not found'); case 10: dotAddress = address; accounts = [dotAddress]; message = MoralisDot.getSigningData(); _context3.next = 15; return (0, _createSigningData.default)(message); case 15: data = _context3.sent; _context3.next = 18; return MoralisDot.sign(address, data); case 18: signature = _context3.sent; authData = { id: dotAddress, signature: signature, data: data }; _context3.next = 22; return _ParseUser.default.logInWith('moralisDot', { authData: authData }); case 22: user = _context3.sent; _context3.next = 25; return user.setACL(new _ParseACL.default(user)); case 25: if (user) { _context3.next = 27; break; } throw new Error('Could not get user'); case 27: user.set('dotAccounts', uniq((0, _concat.default)(_context2 = []).call(_context2, accounts, (_user$get = user.get('dotAccounts')) !== null && _user$get !== void 0 ? _user$get : []))); user.set('dotAddress', dotAddress); _context3.next = 31; return user.save(); case 31: return _context3.abrupt("return", user); case 32: case "end": return _context3.stop(); } } }, _callee2); })); return function () { return _authenticate.apply(this, arguments); }; }() }, { key: "link", value: function () { var _link = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3(account) { var _context4, _user$get2; var user, dotAddress, DotAddress, query, dotAddressRecord, data, signature, authData; return _regenerator.default.wrap(function (_context5) { while (1) { switch (_context5.prev = _context5.next) { case 0: _context5.next = 2; return _ParseUser.default.current(); case 2: user = _context5.sent; dotAddress = account; DotAddress = _ParseObject.default.extend('_DotAddress'); query = new _ParseQuery.default(DotAddress); _context5.next = 8; return query.get(dotAddress).catch(function () { return null; }); case 8: dotAddressRecord = _context5.sent; if (dotAddressRecord) { _context5.next = 17; break; } data = MoralisDot.getSigningData(); _context5.next = 13; return MoralisDot.sign(dotAddress, data); case 13: signature = _context5.sent; authData = { id: dotAddress, signature: signature, data: data }; _context5.next = 17; return user.linkWith('moralisDot', { authData: authData }); case 17: user.set('dotAccounts', uniq((0, _concat.default)(_context4 = [dotAddress]).call(_context4, (_user$get2 = user.get('dotAccounts')) !== null && _user$get2 !== void 0 ? _user$get2 : []))); user.set('dotAddress', dotAddress); _context5.next = 21; return user.save(); case 21: return _context5.abrupt("return", user); case 22: case "end": return _context5.stop(); } } }, _callee3); })); return function () { return _link.apply(this, arguments); }; }() }, { key: "unlink", value: function () { var _unlink = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4(account) { var _user$get3; var accountsLower, DotAddress, query, dotAddressRecord, user, accounts, nextAccounts; return _regenerator.default.wrap(function (_context6) { while (1) { switch (_context6.prev = _context6.next) { case 0: accountsLower = account; DotAddress = _ParseObject.default.extend('_DotAddress'); query = new _ParseQuery.default(DotAddress); _context6.next = 5; return query.get(accountsLower); case 5: dotAddressRecord = _context6.sent; _context6.next = 8; return dotAddressRecord.destroy(); case 8: _context6.next = 10; return _ParseUser.default.current(); case 10: user = _context6.sent; accounts = (_user$get3 = user.get('dotAccounts')) !== null && _user$get3 !== void 0 ? _user$get3 : []; nextAccounts = (0, _filter.default)(accounts).call(accounts, function (v) { return v !== accountsLower; }); user.set('dotAccounts', nextAccounts); user.set('dotAddress', nextAccounts[0]); _context6.next = 17; return user._unlinkFrom('moralisDot'); case 17: _context6.next = 19; return user.save(); case 19: return _context6.abrupt("return", user); case 20: case "end": return _context6.stop(); } } }, _callee4); })); return function () { return _unlink.apply(this, arguments); }; }() }, { key: "sign", value: function () { var _sign = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5(address, data) { var _web3$signer; var web3, _yield$web3$signer$si, signature; return _regenerator.default.wrap(function (_context7) { while (1) { switch (_context7.prev = _context7.next) { case 0: if (web3EnablePromise) { _context7.next = 2; break; } throw new Error('Must enable MoralisDot'); case 2: _context7.next = 4; return web3EnablePromise; case 4: web3 = _context7.sent; _context7.next = 7; return (_web3$signer = web3.signer) === null || _web3$signer === void 0 ? void 0 : _web3$signer.signRaw({ address: address, data: stringToHex(data), type: 'bytes' }); case 7: _yield$web3$signer$si = _context7.sent; signature = _yield$web3$signer$si.signature; return _context7.abrupt("return", signature); case 10: case "end": return _context7.stop(); } } }, _callee5); })); return function () { return _sign.apply(this, arguments); }; }() }, { key: "getSigningData", value: function () { return 'Moralis Authentication'; } }]); return MoralisDot; }(); function uniq(arr) { return (0, _filter.default)(arr).call(arr, function (v, i) { return (0, _indexOf.default)(arr).call(arr, v) === i; }); } var _default = MoralisDot; exports.default = _default; function stringToHex(value) { return toHexString(stringToU8a(value)); } function stringToU8a(value) { var u8a = new Uint8Array(value.length); for (var i = 0; i < value.length; i++) { u8a[i] = value.charCodeAt(i); } return u8a; } function toHexString(byteArray) { return "0x".concat((0, _from.default)(byteArray, function (byte) { var _context8; // eslint-disable-next-line no-bitwise return (0, _slice.default)(_context8 = "0".concat((byte & 0xff).toString(16))).call(_context8, -2); }).join('')); } },{"./ParseACL":25,"./ParseObject":35,"./ParseQuery":38,"./ParseUser":43,"./createSigningData":55,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152}],16:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _filter = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _createSigningData = _interopRequireDefault(_dereq_("./createSigningData")); /* global window */ var INIT_ERROR = 'Could not initialise ledger app, make sure Elrond app is open'; function getErdJs() { return MoralisErd.getErdJs(); } var MoralisErd = /*#__PURE__*/function () { function MoralisErd() { (0, _classCallCheck2.default)(this, MoralisErd); } (0, _createClass2.default)(MoralisErd, null, [{ key: "getErdJs", value: function () { if (typeof window !== 'undefined' && window.erdjs) return window.erdjs; throw new Error('Please add erdjs scripts'); } }, { key: "gatewayAddress", value: function () { return 'https://gateway.elrond.com'; } }, { key: "hwProxy", value: function () { var _hwProxy = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var _getErdJs, ProxyProvider, proxy; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: if (!MoralisErd._proxy) { _context.next = 2; break; } return _context.abrupt("return", MoralisErd._proxy); case 2: _getErdJs = getErdJs(), ProxyProvider = _getErdJs.ProxyProvider; proxy = new ProxyProvider(MoralisErd.gatewayAddress()); MoralisErd._proxy = proxy; return _context.abrupt("return", MoralisErd._proxy); case 6: case "end": return _context.stop(); } } }, _callee); })); return function () { return _hwProxy.apply(this, arguments); }; }() }, { key: "hwProvider", value: function () { return MoralisErd._hw; } }, { key: "enable", value: function () { var _enable = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { var _getErdJs2, HWProvider, proxy, hw, success; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: _getErdJs2 = getErdJs(), HWProvider = _getErdJs2.HWProvider; _context2.next = 3; return MoralisErd.hwProxy(); case 3: proxy = _context2.sent; hw = new HWProvider(proxy); _context2.next = 7; return hw.init(); case 7: success = _context2.sent; if (success) { _context2.next = 10; break; } throw new Error(INIT_ERROR); case 10: MoralisErd._hw = hw; return _context2.abrupt("return", hw); case 12: case "end": return _context2.stop(); } } }, _callee2); })); return function () { return _enable.apply(this, arguments); }; }() }, { key: "authenticate", value: function () { var _authenticate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var _context3, _user$get; var hw, address, erdAddress, accounts, message, data, signature, authData, user; return _regenerator.default.wrap(function (_context4) { while (1) { switch (_context4.prev = _context4.next) { case 0: _context4.next = 2; return MoralisErd.enable(); case 2: hw = _context4.sent; _context4.next = 5; return hw.login(); case 5: address = _context4.sent; // const account = await proxy.getAccount(address); erdAddress = address.toLowerCase(); accounts = [erdAddress]; message = MoralisErd.getSigningData(); _context4.next = 11; return (0, _createSigningData.default)(message); case 11: data = _context4.sent; _context4.next = 14; return MoralisErd.sign(data); case 14: signature = _context4.sent; authData = { id: erdAddress, signature: signature, data: data }; _context4.next = 18; return _ParseUser.default.logInWith('moralisErd', { authData: authData }); case 18: user = _context4.sent; _context4.next = 21; return user.setACL(new _ParseACL.default(user)); case 21: if (user) { _context4.next = 23; break; } throw new Error('Could not get user'); case 23: user.set('erdAccounts', uniq((0, _concat.default)(_context3 = []).call(_context3, accounts, (_user$get = user.get('erdAccounts')) !== null && _user$get !== void 0 ? _user$get : []))); user.set('erdAddress', erdAddress); _context4.next = 27; return user.save(); case 27: return _context4.abrupt("return", user); case 28: case "end": return _context4.stop(); } } }, _callee3); })); return function () { return _authenticate.apply(this, arguments); }; }() }, { key: "link", value: function () { var _link = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4(account) { var _context5, _user$get2; var user, erdAddress, ErdAddress, query, erdAddressRecord, data, signature, authData; return _regenerator.default.wrap(function (_context6) { while (1) { switch (_context6.prev = _context6.next) { case 0: _context6.next = 2; return _ParseUser.default.current(); case 2: user = _context6.sent; erdAddress = account.toLowerCase(); ErdAddress = _ParseObject.default.extend('_ErdAddress'); query = new _ParseQuery.default(ErdAddress); _context6.next = 8; return query.get(erdAddress).catch(function () { return null; }); case 8: erdAddressRecord = _context6.sent; if (erdAddressRecord) { _context6.next = 17; break; } data = MoralisErd.getSigningData(); _context6.next = 13; return MoralisErd.sign(data); case 13: signature = _context6.sent; authData = { id: erdAddress, signature: signature, data: data }; _context6.next = 17; return user.linkWith('moralisErd', { authData: authData }); case 17: user.set('erdAccounts', uniq((0, _concat.default)(_context5 = [erdAddress]).call(_context5, (_user$get2 = user.get('erdAccounts')) !== null && _user$get2 !== void 0 ? _user$get2 : []))); user.set('erdAddress', erdAddress); _context6.next = 21; return user.save(); case 21: return _context6.abrupt("return", user); case 22: case "end": return _context6.stop(); } } }, _callee4); })); return function () { return _link.apply(this, arguments); }; }() }, { key: "unlink", value: function () { var _unlink = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5(account) { var _user$get3; var accountsLower, ErdAddress, query, erdAddressRecord, user, accounts, nextAccounts; return _regenerator.default.wrap(function (_context7) { while (1) { switch (_context7.prev = _context7.next) { case 0: accountsLower = account.toLowerCase(); ErdAddress = _ParseObject.default.extend('_ErdAddress'); query = new _ParseQuery.default(ErdAddress); _context7.next = 5; return query.get(accountsLower); case 5: erdAddressRecord = _context7.sent; _context7.next = 8; return erdAddressRecord.destroy(); case 8: _context7.next = 10; return _ParseUser.default.current(); case 10: user = _context7.sent; accounts = (_user$get3 = user.get('erdAccounts')) !== null && _user$get3 !== void 0 ? _user$get3 : []; nextAccounts = (0, _filter.default)(accounts).call(accounts, function (v) { return v !== accountsLower; }); user.set('erdAccounts', nextAccounts); user.set('erdAddress', nextAccounts[0]); _context7.next = 17; return user._unlinkFrom('moralisErd'); case 17: _context7.next = 19; return user.save(); case 19: return _context7.abrupt("return", user); case 20: case "end": return _context7.stop(); } } }, _callee5); })); return function () { return _unlink.apply(this, arguments); }; }() }, { key: "sign", value: function () { var _sign = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6(data) { return _regenerator.default.wrap(function (_context8) { while (1) { switch (_context8.prev = _context8.next) { case 0: return _context8.abrupt("return", data); case 1: case "end": return _context8.stop(); } } }, _callee6); })); return function () { return _sign.apply(this, arguments); }; }() }, { key: "getSigningData", value: function () { return 'Moralis Authentication'; } }]); return MoralisErd; }(); function uniq(arr) { return (0, _filter.default)(arr).call(arr, function (v, i) { return (0, _indexOf.default)(arr).call(arr, v) === i; }); } var _default = MoralisErd; exports.default = _default; },{"./ParseACL":25,"./ParseObject":35,"./ParseQuery":38,"./ParseUser":43,"./createSigningData":55,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152}],17:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _web = _interopRequireDefault(_dereq_("web3")); /* global window */ var WARNING = 'Non ethereum enabled browser'; function getWeb3FromBrowser() { return _getWeb3FromBrowser.apply(this, arguments); } function _getWeb3FromBrowser() { _getWeb3FromBrowser = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var MWeb3, _window, ethereum, provider, web3; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: MWeb3 = typeof _web.default === 'function' ? _web.default : window.Web3; _window = window, ethereum = _window.ethereum; provider = ethereum; if (!(provider !== null && provider !== void 0 && provider.isTrust)) { _context3.next = 5; break; } return _context3.abrupt("return", new MWeb3(provider)); case 5: if (!ethereum) { _context3.next = 10; break; } web3 = new MWeb3(ethereum); _context3.next = 9; return ethereum.request({ method: 'eth_requestAccounts' }); case 9: return _context3.abrupt("return", web3); case 10: if (!provider) { _context3.next = 12; break; } return _context3.abrupt("return", new MWeb3(provider)); case 12: throw new Error(WARNING); case 13: case "end": return _context3.stop(); } } }, _callee3); })); return _getWeb3FromBrowser.apply(this, arguments); } var MoralisInjectedProvider = /*#__PURE__*/function () { function MoralisInjectedProvider() { (0, _classCallCheck2.default)(this, MoralisInjectedProvider); } (0, _createClass2.default)(MoralisInjectedProvider, [{ key: "type", get: function () { return 'injected'; } }, { key: "activate", value: function () { var _activate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: _context.next = 2; return getWeb3FromBrowser(); case 2: this.web3 = _context.sent; this.isActivated = true; return _context.abrupt("return", this.web3); case 5: case "end": return _context.stop(); } } }, _callee, this); })); return function () { return _activate.apply(this, arguments); }; }() }, { key: "deactivate", value: function () { var _deactivate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: this.isActivated = false; this.web3 = null; case 2: case "end": return _context2.stop(); } } }, _callee2, this); })); return function () { return _deactivate.apply(this, arguments); }; }() }]); return MoralisInjectedProvider; }(); var _default = MoralisInjectedProvider; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152,"web3":183}],18:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var MoralisUI = { openPrompt: function () { return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: // eslint-disable-next-line no-console console.warn('No prompt supplied'); case 1: case "end": return _context.stop(); } } }, _callee); }))(); } }; var _default = MoralisUI; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152}],19:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _web = _interopRequireDefault(_dereq_("web3")); /* global window */ var MORALIS_RPCS = { 1: "https://speedy-nodes-nyc.moralis.io/WalletConnect/eth/mainnet", 3: "https://speedy-nodes-nyc.moralis.io/WalletConnect/eth/ropsten", 4: "https://speedy-nodes-nyc.moralis.io/WalletConnect/eth/rinkeby", 5: "https://speedy-nodes-nyc.moralis.io/WalletConnect/eth/goerli", 42: "https://speedy-nodes-nyc.moralis.io/WalletConnect/eth/kovan", 137: "https://speedy-nodes-nyc.moralis.io/WalletConnect/polygon/mainnet", 80001: "https://speedy-nodes-nyc.moralis.io/WalletConnect/polygon/mumbai", 56: "https://speedy-nodes-nyc.moralis.io/WalletConnect/bsc/mainnet", 97: "https://speedy-nodes-nyc.moralis.io/WalletConnect/bsc/testnet", 43114: "https://speedy-nodes-nyc.moralis.io/WalletConnect/avalanche/mainnet", 250: "https://speedy-nodes-nyc.moralis.io/WalletConnect/fantom/mainnet" }; var MoralisWalletConnectProvider = /*#__PURE__*/function () { function MoralisWalletConnectProvider() { (0, _classCallCheck2.default)(this, MoralisWalletConnectProvider); } (0, _createClass2.default)(MoralisWalletConnectProvider, [{ key: "type", get: function () { return 'WalletConnect'; } }, { key: "activate", value: function () { var _activate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var options, WalletConnectProvider, MWeb3, _args = arguments; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: options = _args.length > 0 && _args[0] !== undefined ? _args[0] : {}; if (!this.provider) { try { WalletConnectProvider = _dereq_('@walletconnect/web3-provider'); } catch (error) {// Do nothing. User might not need walletconnect } if (typeof WalletConnectProvider.default === 'function') { this.provider = new WalletConnectProvider.default({ rpc: MORALIS_RPCS, chainId: options.chainId, qrcodeModalOptions: { mobileLinks: options.mobileLinks } }); } else { this.provider = new window.WalletConnectProvider.default({ rpc: MORALIS_RPCS, chainId: options.chainId, qrcodeModalOptions: { mobileLinks: options.mobileLinks } }); } } _context.next = 4; return this.provider.enable(); case 4: MWeb3 = typeof _web.default === 'function' ? _web.default : window.Web3; this.web3 = new MWeb3(this.provider); this.isActivated = true; return _context.abrupt("return", this.web3); case 8: case "end": return _context.stop(); } } }, _callee, this); })); return function () { return _activate.apply(this, arguments); }; }() }, { key: "deactivate", value: function () { var _deactivate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: this.isActivated = false; this.web3 = null; if (!this.provider) { _context2.next = 10; break; } _context2.prev = 3; _context2.next = 6; return this.provider.close(); case 6: _context2.next = 10; break; case 8: _context2.prev = 8; _context2.t0 = _context2["catch"](3); case 10: MoralisWalletConnectProvider.cleanupStaleData(); this.provider = null; case 12: case "end": return _context2.stop(); } } }, _callee2, this, [[3, 8]]); })); return function () { return _deactivate.apply(this, arguments); }; }() }], [{ key: "cleanupStaleData", value: function () { if (window) { try { window.localStorage.removeItem('walletconnect'); } catch (error) {// Do nothing, might happen in react-native environment } } } }]); return MoralisWalletConnectProvider; }(); var _default = MoralisWalletConnectProvider; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152,"@walletconnect/web3-provider":183,"web3":183}],20:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Array$isArray = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = exports.EthereumEvents = void 0; var _bind = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/bind")); var _values = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/values")); var _toConsumableArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/toConsumableArray")); var _find = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/find")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _slicedToArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/slicedToArray")); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _construct2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/construct")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _filter = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _web = _interopRequireDefault(_dereq_("web3")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _MoralisErd = _interopRequireDefault(_dereq_("./MoralisErd")); var _MoralisDot = _interopRequireDefault(_dereq_("./MoralisDot")); var _MoralisWalletConnectProvider = _interopRequireDefault(_dereq_("./MoralisWalletConnectProvider")); var _MoralisCustomProvider = _interopRequireDefault(_dereq_("./MoralisCustomProvider")); var _MoralisInjectedProvider = _interopRequireDefault(_dereq_("./MoralisInjectedProvider")); var _TransferUtils = _interopRequireDefault(_dereq_("./TransferUtils")); var _Cloud = _dereq_("./Cloud"); var _detectProvider = _interopRequireDefault(_dereq_("@metamask/detect-provider")); var _createSigningData = _interopRequireDefault(_dereq_("./createSigningData")); var _context28, _context29, _context30, _context31; function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context32; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty(_context32 = Object.prototype.toString.call(o)).call(_context32, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } var EventEmitter = _dereq_('events'); var EthereumEvents = { CONNECT: 'connect', DISCONNECT: 'disconnect', ACCOUNTS_CHANGED: 'accountsChanged', CHAIN_CHANGED: 'chainChanged' }; exports.EthereumEvents = EthereumEvents; var WARNING = 'Non ethereum enabled browser'; var ERROR_WEB3_MISSING = 'Missing web3 instance, make sure to call Moralis.enableWeb3() or Moralis.authenticate()'; function uniq(arr) { return (0, _filter.default)(arr).call(arr, function (v, i) { return (0, _indexOf.default)(arr).call(arr, v) === i; }); } var MoralisWeb3 = /*#__PURE__*/function () { function MoralisWeb3() { (0, _classCallCheck2.default)(this, MoralisWeb3); var MWeb3 = typeof _web.default === 'function' ? _web.default : window.Web3; for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } return (0, _construct2.default)(MWeb3, args); } (0, _createClass2.default)(MoralisWeb3, null, [{ key: "isWeb3Enabled", value: function () { return this.ensureWeb3IsInstalled(); } }, { key: "setEnableWeb3", value: function (fn) { this.customEnableWeb3 = fn; } }, { key: "enableWeb3", value: function () { var _enableWeb = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(options) { var web3, Web3Provider, web3Provider; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: if (!this.customEnableWeb3) { _context.next = 6; break; } _context.next = 3; return this.customEnableWeb3(options); case 3: web3 = _context.sent; _context.next = 13; break; case 6: if (this.speedyNodeApiKey) { options.speedyNodeApiKey = this.speedyNodeApiKey; options.provider = 'custom'; } Web3Provider = MoralisWeb3.getWeb3Provider(options); web3Provider = new Web3Provider(); this.activeWeb3Provider = web3Provider; _context.next = 12; return web3Provider.activate(options); case 12: web3 = _context.sent; case 13: this.web3 = web3; return _context.abrupt("return", web3); case 15: case "end": return _context.stop(); } } }, _callee, this); })); return function () { return _enableWeb.apply(this, arguments); }; }() }, { key: "enable", value: function () { var _enable = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2(options) { return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: // eslint-disable-next-line no-console console.warn('Moralis.enable() is deprecated and will be removed, use Moralis.enableWeb3() instead.'); return _context2.abrupt("return", this.enableWeb3(options)); case 2: case "end": return _context2.stop(); } } }, _callee2, this); })); return function () { return _enable.apply(this, arguments); }; }() }, { key: "isDotAuth", value: function (options) { switch (options === null || options === void 0 ? void 0 : options.type) { case 'dot': case 'polkadot': case 'kusama': return true; default: return false; } } }, { key: "isElrondAuth", value: function (options) { switch (options === null || options === void 0 ? void 0 : options.type) { case 'erd': case 'elrond': return true; default: return false; } } }, { key: "getWeb3Provider", value: function (options) { switch (options === null || options === void 0 ? void 0 : options.provider) { case 'walletconnect': case 'walletConnect': case 'wc': return _MoralisWalletConnectProvider.default; case 'custom': return _MoralisCustomProvider.default; default: return _MoralisInjectedProvider.default; } } }, { key: "cleanup", value: function () { var _cleanup = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: if (!this.activeWeb3Provider) { _context3.next = 3; break; } _context3.next = 3; return this.activeWeb3Provider.deactivate(); case 3: // Prevent a bug when there is stale data active _MoralisWalletConnectProvider.default.cleanupStaleData(); case 4: case "end": return _context3.stop(); } } }, _callee3, this); })); return function () { return _cleanup.apply(this, arguments); }; }() }, { key: "authenticate", value: function () { var _authenticate = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4(options) { var _context4, _user$get; var isLoggedIn, web3, message, data, accounts, accountsLower, _accountsLower, ethAddress, signature, authData, user; return _regenerator.default.wrap(function (_context5) { while (1) { switch (_context5.prev = _context5.next) { case 0: _context5.next = 2; return _ParseUser.default.currentAsync(); case 2: isLoggedIn = _context5.sent; if (!isLoggedIn) { _context5.next = 6; break; } _context5.next = 6; return _ParseUser.default.logOut(); case 6: _context5.next = 8; return MoralisWeb3.cleanup(); case 8: if (!MoralisWeb3.isDotAuth(options)) { _context5.next = 10; break; } return _context5.abrupt("return", _MoralisDot.default.authenticate(options)); case 10: if (!MoralisWeb3.isElrondAuth(options)) { _context5.next = 12; break; } return _context5.abrupt("return", _MoralisErd.default.authenticate(options)); case 12: _context5.next = 14; return this.enableWeb3(options); case 14: web3 = _context5.sent; message = (options === null || options === void 0 ? void 0 : options.signingMessage) || MoralisWeb3.getSigningData(); _context5.next = 18; return (0, _createSigningData.default)(message); case 18: data = _context5.sent; _context5.next = 21; return web3.eth.getAccounts(); case 21: accounts = _context5.sent; accountsLower = (0, _map.default)(accounts).call(accounts, function (v) { return v.toLowerCase(); }); _accountsLower = (0, _slicedToArray2.default)(accountsLower, 1), ethAddress = _accountsLower[0]; if (ethAddress) { _context5.next = 26; break; } throw new Error('Address not found'); case 26: _context5.next = 28; return web3.eth.personal.sign(data, ethAddress, ''); case 28: signature = _context5.sent; if (signature) { _context5.next = 31; break; } throw new Error('Data not signed'); case 31: authData = { id: ethAddress, signature: signature, data: data }; _context5.next = 34; return _ParseUser.default.logInWith('moralisEth', { authData: authData }); case 34: user = _context5.sent; _context5.next = 37; return user.setACL(new _ParseACL.default(user)); case 37: if (user) { _context5.next = 39; break; } throw new Error('Could not get user'); case 39: user.set('accounts', uniq((0, _concat.default)(_context4 = []).call(_context4, accountsLower, (_user$get = user.get('accounts')) !== null && _user$get !== void 0 ? _user$get : []))); user.set('ethAddress', ethAddress); _context5.next = 43; return user.save(null, options); case 43: return _context5.abrupt("return", user); case 44: case "end": return _context5.stop(); } } }, _callee4, this); })); return function () { return _authenticate.apply(this, arguments); }; }() }, { key: "link", value: function () { var _link = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5(account, options) { var _context6, _user$get2; var web3, data, user, ethAddress, EthAddress, query, ethAddressRecord, signature, authData; return _regenerator.default.wrap(function (_context7) { while (1) { switch (_context7.prev = _context7.next) { case 0: _context7.next = 2; return MoralisWeb3.enableWeb3(options); case 2: web3 = _context7.sent; data = (options === null || options === void 0 ? void 0 : options.signingMessage) || MoralisWeb3.getSigningData(); _context7.next = 6; return _ParseUser.default.currentAsync(); case 6: user = _context7.sent; ethAddress = account.toLowerCase(); EthAddress = _ParseObject.default.extend('_EthAddress'); query = new _ParseQuery.default(EthAddress); _context7.next = 12; return query.get(ethAddress).catch(function () { return null; }); case 12: ethAddressRecord = _context7.sent; if (ethAddressRecord) { _context7.next = 20; break; } _context7.next = 16; return web3.eth.personal.sign(data, account, ''); case 16: signature = _context7.sent; authData = { id: ethAddress, signature: signature, data: data }; _context7.next = 20; return user.linkWith('moralisEth', { authData: authData }); case 20: user.set('accounts', uniq((0, _concat.default)(_context6 = [ethAddress]).call(_context6, (_user$get2 = user.get('accounts')) !== null && _user$get2 !== void 0 ? _user$get2 : []))); user.set('ethAddress', ethAddress); _context7.next = 24; return user.save(null, options); case 24: return _context7.abrupt("return", user); case 25: case "end": return _context7.stop(); } } }, _callee5); })); return function () { return _link.apply(this, arguments); }; }() }, { key: "unlink", value: function () { var _unlink = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6(account) { var _user$get3; var accountsLower, EthAddress, query, ethAddressRecord, user, accounts, nextAccounts; return _regenerator.default.wrap(function (_context8) { while (1) { switch (_context8.prev = _context8.next) { case 0: accountsLower = account.toLowerCase(); EthAddress = _ParseObject.default.extend('_EthAddress'); query = new _ParseQuery.default(EthAddress); _context8.next = 5; return query.get(accountsLower); case 5: ethAddressRecord = _context8.sent; _context8.next = 8; return ethAddressRecord.destroy(); case 8: _context8.next = 10; return _ParseUser.default.currentAsync(); case 10: user = _context8.sent; accounts = (_user$get3 = user.get('accounts')) !== null && _user$get3 !== void 0 ? _user$get3 : []; nextAccounts = (0, _filter.default)(accounts).call(accounts, function (v) { return v !== accountsLower; }); user.set('accounts', nextAccounts); user.set('ethAddress', nextAccounts[0]); _context8.next = 17; return user._unlinkFrom('moralisEth'); case 17: _context8.next = 19; return user.save(); case 19: return _context8.abrupt("return", user); case 20: case "end": return _context8.stop(); } } }, _callee6); })); return function () { return _unlink.apply(this, arguments); }; }() }, { key: "initPlugins", value: function () { var _initPlugins = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee8(installedPlugins) { var _this = this; var specs, allPlugins; return _regenerator.default.wrap(function (_context12) { while (1) { switch (_context12.prev = _context12.next) { case 0: _context12.t0 = installedPlugins; if (_context12.t0) { _context12.next = 5; break; } _context12.next = 4; return (0, _Cloud.run)('getPluginSpecs'); case 4: _context12.t0 = _context12.sent; case 5: specs = _context12.t0; if (!this.Plugins) this.Plugins = {}; if (specs) { _context12.next = 9; break; } return _context12.abrupt("return"); case 9: allPlugins = this.Plugins; (0, _forEach.default)(specs).call(specs, function (plugin) { var _context9; allPlugins[plugin.name] = {}; (0, _forEach.default)(_context9 = plugin.functions).call(_context9, function (f) { allPlugins[plugin.name][f] = /*#__PURE__*/function () { var _ref = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee7(params, options) { var _context10; var response, error, triggerReturn; return _regenerator.default.wrap(function (_context11) { while (1) { switch (_context11.prev = _context11.next) { case 0: if (!options) options = {}; _context11.next = 3; return (0, _Cloud.run)((0, _concat.default)(_context10 = "".concat(plugin.name, "_")).call(_context10, f), params); case 3: response = _context11.sent; if (response.data.success) { _context11.next = 7; break; } error = (0, _stringify.default)(response.data.data, null, 2); throw new Error("Something went wrong\n".concat(error)); case 7: if (!(options.disableTriggers !== true)) { _context11.next = 13; break; } _context11.next = 10; return _this.handleTriggers(response.data.result.triggers, response.data.result.data); case 10: triggerReturn = _context11.sent; if (!triggerReturn) { _context11.next = 13; break; } return _context11.abrupt("return", triggerReturn); case 13: return _context11.abrupt("return", response.data.result); case 14: case "end": return _context11.stop(); } } }, _callee7); })); return function () { return _ref.apply(this, arguments); }; }(); }); }); this.Plugins = allPlugins; case 12: case "end": return _context12.stop(); } } }, _callee8, this); })); return function () { return _initPlugins.apply(this, arguments); }; }() }, { key: "handleTriggers", value: function () { var _handleTriggers = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee11(triggersArray, payload) { var _this2 = this; var response, _loop, i, _ret; return _regenerator.default.wrap(function (_context18) { while (1) { switch (_context18.prev = _context18.next) { case 0: if (triggersArray) { _context18.next = 2; break; } return _context18.abrupt("return"); case 2: _loop = /*#__PURE__*/_regenerator.default.mark(function _loop(i) { var _triggersArray$i, _triggersArray$i2, _triggersArray$i2$opt, _triggersArray$i3, _triggersArray$i3$opt, _triggersArray$i4, _triggersArray$i5, _triggersArray$i5$opt, _triggersArray$i6, _triggersArray$i7, _triggersArray$i8, _triggersArray$i9, _triggersArray$i10, _triggersArray$i11, _triggersArray$i12, _triggersArray$i13, _triggersArray$i14, _triggersArray$i15, _triggersArray$i16, _triggersArray$i17, _triggersArray$i18, _triggersArray$i19, _triggersArray$i20, _triggersArray$i21, _triggersArray$i22, _triggersArray$i23, _triggersArray$i24, _triggersArray$i25, _triggersArray$i27, _triggersArray$i29, _triggersArray$i30, _triggersArray$i31; var _context13, _context14; return _regenerator.default.wrap(function (_context17) { while (1) { switch (_context17.prev = _context17.next) { case 0: _context17.t0 = (_triggersArray$i = triggersArray[i]) === null || _triggersArray$i === void 0 ? void 0 : _triggersArray$i.name; _context17.next = _context17.t0 === 'openUrl' ? 3 : _context17.t0 === 'web3Transaction' ? 6 : _context17.t0 === 'web3Sign' ? 19 : _context17.t0 === 'callPluginEndpoint' ? 36 : _context17.t0 === 'web3SignV4' ? 58 : 73; break; case 3: // Open url in a new tab if (((_triggersArray$i2 = triggersArray[i]) === null || _triggersArray$i2 === void 0 ? void 0 : (_triggersArray$i2$opt = _triggersArray$i2.options) === null || _triggersArray$i2$opt === void 0 ? void 0 : _triggersArray$i2$opt.newTab) === true || !((_triggersArray$i3 = triggersArray[i]) !== null && _triggersArray$i3 !== void 0 && (_triggersArray$i3$opt = _triggersArray$i3.options) !== null && _triggersArray$i3$opt !== void 0 && _triggersArray$i3$opt.hasOwnProperty('newTab'))) window.open((_triggersArray$i4 = triggersArray[i]) === null || _triggersArray$i4 === void 0 ? void 0 : _triggersArray$i4.data); // Open url in the same tab if (((_triggersArray$i5 = triggersArray[i]) === null || _triggersArray$i5 === void 0 ? void 0 : (_triggersArray$i5$opt = _triggersArray$i5.options) === null || _triggersArray$i5$opt === void 0 ? void 0 : _triggersArray$i5$opt.newTab) === false) window.open((_triggersArray$i6 = triggersArray[i]) === null || _triggersArray$i6 === void 0 ? void 0 : _triggersArray$i6.data, '_self'); return _context17.abrupt("break", 74); case 6: if (_this2.ensureWeb3IsInstalled()) { _context17.next = 8; break; } throw new Error(ERROR_WEB3_MISSING); case 8: if (!(((_triggersArray$i7 = triggersArray[i]) === null || _triggersArray$i7 === void 0 ? void 0 : _triggersArray$i7.shouldAwait) === true)) { _context17.next = 12; break; } _context17.next = 11; return _this2.web3.eth.sendTransaction((_triggersArray$i8 = triggersArray[i]) === null || _triggersArray$i8 === void 0 ? void 0 : _triggersArray$i8.data); case 11: response = _context17.sent; case 12: // Trigger a web3 transaction (does NOT await) if (((_triggersArray$i9 = triggersArray[i]) === null || _triggersArray$i9 === void 0 ? void 0 : _triggersArray$i9.shouldAwait) === false) response = _this2.web3.eth.sendTransaction((_triggersArray$i10 = triggersArray[i]) === null || _triggersArray$i10 === void 0 ? void 0 : _triggersArray$i10.data); // Save the response returned by the web3 trasanction if (((_triggersArray$i11 = triggersArray[i]) === null || _triggersArray$i11 === void 0 ? void 0 : _triggersArray$i11.saveResponse) === true) _this2.memoryCard.save(response); // Return payload and response if (!(((_triggersArray$i12 = triggersArray[i]) === null || _triggersArray$i12 === void 0 ? void 0 : _triggersArray$i12.shouldReturnPayload) === true)) { _context17.next = 16; break; } return _context17.abrupt("return", { v: { payload: payload, response: response } }); case 16: if (!(((_triggersArray$i13 = triggersArray[i]) === null || _triggersArray$i13 === void 0 ? void 0 : _triggersArray$i13.shouldReturnResponse) === true)) { _context17.next = 18; break; } return _context17.abrupt("return", { v: response }); case 18: return _context17.abrupt("break", 74); case 19: if (_this2.ensureWeb3IsInstalled()) { _context17.next = 21; break; } throw new Error(ERROR_WEB3_MISSING); case 21: if (triggersArray[i].message) { _context17.next = 23; break; } throw new Error('web3Sign trigger does not have a message to sign'); case 23: if (!(!triggersArray[i].signer || !_this2.web3.utils.isAddress(triggersArray[i].signer))) { _context17.next = 25; break; } throw new Error('web3Sign trigger signer address missing or invalid'); case 25: if (!(((_triggersArray$i14 = triggersArray[i]) === null || _triggersArray$i14 === void 0 ? void 0 : _triggersArray$i14.shouldAwait) === true)) { _context17.next = 29; break; } _context17.next = 28; return _this2.web3.eth.personal.sign(triggersArray[i].message, triggersArray[i].signer); case 28: response = _context17.sent; case 29: // Sign a message using web3 (does NOT await) if (((_triggersArray$i15 = triggersArray[i]) === null || _triggersArray$i15 === void 0 ? void 0 : _triggersArray$i15.shouldAwait) === false) response = _this2.web3.eth.personal.sign(triggersArray[i].message, triggersArray[i].signer); // Save response if (((_triggersArray$i16 = triggersArray[i]) === null || _triggersArray$i16 === void 0 ? void 0 : _triggersArray$i16.saveResponse) === true) _this2.memoryCard.save(response); // Return payload and response if (!(((_triggersArray$i17 = triggersArray[i]) === null || _triggersArray$i17 === void 0 ? void 0 : _triggersArray$i17.shouldReturnPayload) === true)) { _context17.next = 33; break; } return _context17.abrupt("return", { v: { payload: payload, response: response } }); case 33: if (!(((_triggersArray$i18 = triggersArray[i]) === null || _triggersArray$i18 === void 0 ? void 0 : _triggersArray$i18.shouldReturnResponse) === true)) { _context17.next = 35; break; } return _context17.abrupt("return", { v: response }); case 35: return _context17.abrupt("break", 74); case 36: if (triggersArray[i].pluginName) { _context17.next = 38; break; } throw new Error('callPluginEndpoint trigger does not have an plugin name to call'); case 38: if (triggersArray[i].endpoint) { _context17.next = 40; break; } throw new Error('callPluginEndpoint trigger does not have an endpoint to call'); case 40: if (!(((_triggersArray$i19 = triggersArray[i]) === null || _triggersArray$i19 === void 0 ? void 0 : _triggersArray$i19.shouldAwait) === true)) { _context17.next = 45; break; } // Check if a saved response has to be used to fill a parameter needed by the plugin if (triggersArray[i].useSavedResponse === true) { triggersArray[i].params[triggersArray[i].savedResponseAs] = _this2.memoryCard.get(triggersArray[i].savedResponseAt); } // Call the endpoint _context17.next = 44; return (0, _Cloud.run)((0, _concat.default)(_context13 = "".concat(triggersArray[i].pluginName, "_")).call(_context13, triggersArray[i].endpoint), triggersArray[i].params); case 44: response = _context17.sent; case 45: // Call a plugin endpoint (does NOT await) if (((_triggersArray$i20 = triggersArray[i]) === null || _triggersArray$i20 === void 0 ? void 0 : _triggersArray$i20.shouldAwait) === false) { // Check if a saved response has to be used to fill a parameter needed by the plugin if (triggersArray[i].useSavedResponse === true) { triggersArray[i].params[triggersArray[i].savedResponseAs] = _this2.memoryCard.get(triggersArray[i].savedResponseAt); } // Call the endpoint response = (0, _Cloud.run)((0, _concat.default)(_context14 = "".concat(triggersArray[i].pluginName, "_")).call(_context14, triggersArray[i].endpoint), triggersArray[i].params); } // If the response contains a trigger, run it if (!(triggersArray[i].runResponseTrigger === true)) { _context17.next = 50; break; } _context17.next = 49; return _this2.handleTriggers(response.data.result.triggers, response.data.result.data); case 49: response = _context17.sent; case 50: // Save response if (((_triggersArray$i21 = triggersArray[i]) === null || _triggersArray$i21 === void 0 ? void 0 : _triggersArray$i21.saveResponse) === true) _this2.memoryCard.save(response); // If should not run the response trigger, continues the loop and does not return (to avoid breaking the loop execution and run other pending triggers) if (!(((_triggersArray$i22 = triggersArray[i]) === null || _triggersArray$i22 === void 0 ? void 0 : _triggersArray$i22.runResponseTrigger) === false)) { _context17.next = 53; break; } return _context17.abrupt("return", "continue"); case 53: if (!(((_triggersArray$i23 = triggersArray[i]) === null || _triggersArray$i23 === void 0 ? void 0 : _triggersArray$i23.shouldReturnPayload) === true)) { _context17.next = 55; break; } return _context17.abrupt("return", { v: { payload: 'payload', response: response } }); case 55: if (!(((_triggersArray$i24 = triggersArray[i]) === null || _triggersArray$i24 === void 0 ? void 0 : _triggersArray$i24.shouldReturnResponse) === true)) { _context17.next = 57; break; } return _context17.abrupt("return", { v: response }); case 57: return _context17.abrupt("break", 74); case 58: if (_this2.ensureWeb3IsInstalled()) { _context17.next = 60; break; } throw new Error(ERROR_WEB3_MISSING); case 60: if (triggersArray[i].parameters) { _context17.next = 62; break; } throw new Error('web3SignV4 trigger does not have `parameters` to sign'); case 62: if (triggersArray[i].from) { _context17.next = 64; break; } throw new Error('web3SignV4 trigger does not have a `from` address'); case 64: if (!(((_triggersArray$i25 = triggersArray[i]) === null || _triggersArray$i25 === void 0 ? void 0 : _triggersArray$i25.shouldAwait) === true)) { _context17.next = 67; break; } _context17.next = 67; return _this2.web3.currentProvider.send({ method: 'eth_signTypedData_v4', params: triggersArray[i].parameters, from: triggersArray[i].from }, /*#__PURE__*/ // eslint-disable-next-line no-loop-func function () { var _ref2 = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee9(error, result) { var _triggersArray$i26; return _regenerator.default.wrap(function (_context15) { while (1) { switch (_context15.prev = _context15.next) { case 0: if (!error) { _context15.next = 2; break; } throw new Error(error.message || error); case 2: // Save response if (((_triggersArray$i26 = triggersArray[i]) === null || _triggersArray$i26 === void 0 ? void 0 : _triggersArray$i26.saveResponse) === true) _this2.memoryCard.save(result); response = result; case 4: case "end": return _context15.stop(); } } }, _callee9); })); return function () { return _ref2.apply(this, arguments); }; }()); case 67: if (((_triggersArray$i27 = triggersArray[i]) === null || _triggersArray$i27 === void 0 ? void 0 : _triggersArray$i27.shouldAwait) === false) { _this2.web3.currentProvider.send({ method: 'eth_signTypedData_v4', params: triggersArray[i].parameters, from: triggersArray[i].from }, /*#__PURE__*/ // eslint-disable-next-line no-loop-func function () { var _ref3 = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee10(error, result) { var _triggersArray$i28; return _regenerator.default.wrap(function (_context16) { while (1) { switch (_context16.prev = _context16.next) { case 0: if (!error) { _context16.next = 2; break; } throw new Error(error.message || error); case 2: // Save response if (((_triggersArray$i28 = triggersArray[i]) === null || _triggersArray$i28 === void 0 ? void 0 : _triggersArray$i28.saveResponse) === true) _this2.memoryCard.save(result); response = result; case 4: case "end": return _context16.stop(); } } }, _callee10); })); return function () { return _ref3.apply(this, arguments); }; }()); } // Return payload and response if (!(((_triggersArray$i29 = triggersArray[i]) === null || _triggersArray$i29 === void 0 ? void 0 : _triggersArray$i29.shouldReturnPayload) === true)) { _context17.next = 70; break; } return _context17.abrupt("return", { v: { payload: payload, response: response } }); case 70: if (!(((_triggersArray$i30 = triggersArray[i]) === null || _triggersArray$i30 === void 0 ? void 0 : _triggersArray$i30.shouldReturnResponse) === true)) { _context17.next = 72; break; } return _context17.abrupt("return", { v: response }); case 72: return _context17.abrupt("break", 74); case 73: throw new Error("Unknown trigger: \"".concat((_triggersArray$i31 = triggersArray[i]) === null || _triggersArray$i31 === void 0 ? void 0 : _triggersArray$i31.name, "\"")); case 74: case "end": return _context17.stop(); } } }, _loop); }); i = 0; case 4: if (!(i < triggersArray.length)) { _context18.next = 14; break; } return _context18.delegateYield(_loop(i), "t0", 6); case 6: _ret = _context18.t0; if (!(_ret === "continue")) { _context18.next = 9; break; } return _context18.abrupt("continue", 11); case 9: if (!((0, _typeof2.default)(_ret) === "object")) { _context18.next = 11; break; } return _context18.abrupt("return", _ret.v); case 11: i++; _context18.next = 4; break; case 14: // Delete all saved data this.memoryCard.deleteSaved(); case 15: case "end": return _context18.stop(); } } }, _callee11, this); })); return function () { return _handleTriggers.apply(this, arguments); }; }() }, { key: "getAllERC20", value: function () { var _getAllERC = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee12() { var _ref4, chain, address, result, _args13 = arguments; return _regenerator.default.wrap(function (_context19) { while (1) { switch (_context19.prev = _context19.next) { case 0: _ref4 = _args13.length > 0 && _args13[0] !== undefined ? _args13[0] : {}, chain = _ref4.chain, address = _ref4.address; _context19.next = 3; return (0, _Cloud.run)('getAllERC20', { chain: chain, address: address }); case 3: result = _context19.sent; return _context19.abrupt("return", result); case 5: case "end": return _context19.stop(); } } }, _callee12); })); return function () { return _getAllERC.apply(this, arguments); }; }() }, { key: "getERC20", value: function () { var _getERC = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee13() { var _ref5, chain, address, symbol, tokenAddress, result, _args14 = arguments; return _regenerator.default.wrap(function (_context20) { while (1) { switch (_context20.prev = _context20.next) { case 0: _ref5 = _args14.length > 0 && _args14[0] !== undefined ? _args14[0] : {}, chain = _ref5.chain, address = _ref5.address, symbol = _ref5.symbol, tokenAddress = _ref5.tokenAddress; result = (0, _Cloud.run)('getERC20', { chain: chain, address: address, symbol: symbol, tokenAddress: tokenAddress }); return _context20.abrupt("return", result); case 3: case "end": return _context20.stop(); } } }, _callee13); })); return function () { return _getERC.apply(this, arguments); }; }() }, { key: "getNFTs", value: function () { var _ref6 = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}, _ref6$chain = _ref6.chain, chain = _ref6$chain === void 0 ? 'Eth' : _ref6$chain, _ref6$address = _ref6.address, address = _ref6$address === void 0 ? '' : _ref6$address; return (0, _Cloud.run)('getNFTs_old', { chain: chain, address: address }); } }, { key: "getNFTsCount", value: function () { var _ref7 = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}, _ref7$chain = _ref7.chain, chain = _ref7$chain === void 0 ? 'Eth' : _ref7$chain, _ref7$address = _ref7.address, address = _ref7$address === void 0 ? '' : _ref7$address; return (0, _Cloud.run)('getNFTsCount_old', { chain: chain, address: address }); } }, { key: "getTransactions", value: function () { var _ref8 = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}, _ref8$chain = _ref8.chain, chain = _ref8$chain === void 0 ? 'Eth' : _ref8$chain, _ref8$address = _ref8.address, address = _ref8$address === void 0 ? '' : _ref8$address, _ref8$order = _ref8.order, order = _ref8$order === void 0 ? 'desc' : _ref8$order; return (0, _Cloud.run)('getTransactions', { chain: chain, address: address, order: order }); } }, { key: "getTransactionsCount", value: function () { var _ref9 = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}, _ref9$chain = _ref9.chain, chain = _ref9$chain === void 0 ? 'Eth' : _ref9$chain, _ref9$address = _ref9.address, address = _ref9$address === void 0 ? '' : _ref9$address; return (0, _Cloud.run)('getTransactionsCount', { chain: chain, address: address }); } }, { key: "transfer", value: function () { var _transfer = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee14() { var _ref10, _ref10$type, type, _ref10$receiver, receiver, _ref10$contractAddres, contractAddress, contract_address, _ref10$amount, amount, _ref10$tokenId, tokenId, token_id, _ref10$system, system, _ref10$awaitReceipt, awaitReceipt, options, web3, sender, transferOperation, customToken, transferEvents, _args15 = arguments; return _regenerator.default.wrap(function (_context21) { while (1) { switch (_context21.prev = _context21.next) { case 0: _ref10 = _args15.length > 0 && _args15[0] !== undefined ? _args15[0] : {}, _ref10$type = _ref10.type, type = _ref10$type === void 0 ? 'native' : _ref10$type, _ref10$receiver = _ref10.receiver, receiver = _ref10$receiver === void 0 ? '' : _ref10$receiver, _ref10$contractAddres = _ref10.contractAddress, contractAddress = _ref10$contractAddres === void 0 ? '' : _ref10$contractAddres, contract_address = _ref10.contract_address, _ref10$amount = _ref10.amount, amount = _ref10$amount === void 0 ? '' : _ref10$amount, _ref10$tokenId = _ref10.tokenId, tokenId = _ref10$tokenId === void 0 ? '' : _ref10$tokenId, token_id = _ref10.token_id, _ref10$system = _ref10.system, system = _ref10$system === void 0 ? 'evm' : _ref10$system, _ref10$awaitReceipt = _ref10.awaitReceipt, awaitReceipt = _ref10$awaitReceipt === void 0 ? true : _ref10$awaitReceipt; // Allow snake-case for backwards compatibility // eslint-disable-next-line camelcase contractAddress = contractAddress || contract_address; // eslint-disable-next-line camelcase tokenId = tokenId || token_id; options = { receiver: receiver, contractAddress: contractAddress, amount: amount, tokenId: tokenId, system: system, awaitReceipt: awaitReceipt }; _TransferUtils.default.isSupportedType(type); _TransferUtils.default.validateInput(type, options); if (this.ensureWeb3IsInstalled()) { _context21.next = 8; break; } throw new Error(ERROR_WEB3_MISSING); case 8: web3 = this.web3; _context21.next = 11; return web3.eth.getAccounts(); case 11: _context21.next = 13; return _context21.sent[0]; case 13: sender = _context21.sent; if (sender) { _context21.next = 16; break; } throw new Error('Sender address not found'); case 16: if (tokenId) _TransferUtils.default.isUint256(tokenId); if (type !== 'native') customToken = new web3.eth.Contract(_TransferUtils.default.abi[type], contractAddress); _context21.t0 = type; _context21.next = _context21.t0 === 'native' ? 21 : _context21.t0 === 'erc20' ? 23 : _context21.t0 === 'erc721' ? 25 : _context21.t0 === 'erc1155' ? 27 : 29; break; case 21: transferOperation = web3.eth.sendTransaction({ from: sender, to: receiver, value: amount }); return _context21.abrupt("break", 30); case 23: transferOperation = customToken.methods.transfer(receiver, amount).send({ from: sender }); return _context21.abrupt("break", 30); case 25: transferOperation = customToken.methods.safeTransferFrom(sender, receiver, "".concat(tokenId)).send({ from: sender }); return _context21.abrupt("break", 30); case 27: transferOperation = customToken.methods.safeTransferFrom(sender, receiver, "".concat(tokenId), amount, '0x').send({ from: sender }); return _context21.abrupt("break", 30); case 29: throw new Error("Unknown transfer type: \"".concat(type, "\"")); case 30: if (!awaitReceipt) { _context21.next = 32; break; } return _context21.abrupt("return", transferOperation); case 32: transferEvents = new EventEmitter(); transferOperation.on('transactionHash', function (hash) { transferEvents.emit('transactionHash', hash); }).on('receipt', function (receipt) { transferEvents.emit('receipt', receipt); }).on('confirmation', function (confirmationNumber, receipt) { transferEvents.emit('confirmation', (confirmationNumber, receipt)); }).on('error', function (error) { transferEvents.emit('error', error); throw error; }); return _context21.abrupt("return", transferEvents); case 35: case "end": return _context21.stop(); } } }, _callee14, this); })); return function () { return _transfer.apply(this, arguments); }; }() }, { key: "executeFunction", value: function () { var _executeFunction = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee15() { var _context22; var _ref11, contractAddress, abi, functionName, msgValue, _ref11$awaitReceipt, awaitReceipt, _ref11$params, params, web3, contractOptions, functionData, stateMutability, isReadFunction, currentAddress, errors, _iterator, _step, input, value, parsedInputs, contract, customFunction, response, contractExecuteEvents, _args16 = arguments; return _regenerator.default.wrap(function (_context23) { while (1) { switch (_context23.prev = _context23.next) { case 0: _ref11 = _args16.length > 0 && _args16[0] !== undefined ? _args16[0] : {}, contractAddress = _ref11.contractAddress, abi = _ref11.abi, functionName = _ref11.functionName, msgValue = _ref11.msgValue, _ref11$awaitReceipt = _ref11.awaitReceipt, awaitReceipt = _ref11$awaitReceipt === void 0 ? true : _ref11$awaitReceipt, _ref11$params = _ref11.params, params = _ref11$params === void 0 ? {} : _ref11$params; if (this.ensureWeb3IsInstalled()) { _context23.next = 3; break; } throw new Error(ERROR_WEB3_MISSING); case 3: web3 = this.web3; contractOptions = {}; functionData = (0, _find.default)(abi).call(abi, function (x) { return x.name === functionName; }); if (functionData) { _context23.next = 8; break; } throw new Error('Function does not exist in abi'); case 8: stateMutability = functionData === null || functionData === void 0 ? void 0 : functionData.stateMutability; isReadFunction = stateMutability === 'view' || stateMutability === 'pure'; if (isReadFunction) { _context23.next = 20; break; } if (params.from) { _context23.next = 20; break; } _context23.next = 14; return web3.eth.getAccounts(); case 14: _context23.next = 16; return _context23.sent[0]; case 16: currentAddress = _context23.sent; if (currentAddress) { _context23.next = 19; break; } throw new Error('From address is required'); case 19: contractOptions.from = currentAddress; case 20: errors = []; _iterator = _createForOfIteratorHelper(functionData.inputs); try { for (_iterator.s(); !(_step = _iterator.n()).done;) { input = _step.value; value = params[input.name]; if (!(typeof value !== 'undefined' && value)) { errors.push("".concat(input.name, " is required")); } } } catch (err) { _iterator.e(err); } finally { _iterator.f(); } if (!(errors.length > 0)) { _context23.next = 25; break; } throw errors; case 25: parsedInputs = (0, _map.default)(_context22 = functionData.inputs).call(_context22, function (x) { return params[x.name]; }); contract = new web3.eth.Contract(abi, contractAddress, contractOptions); customFunction = contract.methods[functionName]; response = isReadFunction ? customFunction.apply(void 0, (0, _toConsumableArray2.default)((0, _values.default)(parsedInputs))).call() : customFunction.apply(void 0, (0, _toConsumableArray2.default)((0, _values.default)(parsedInputs))).send(msgValue ? { value: msgValue } : null); if (!awaitReceipt) { _context23.next = 31; break; } return _context23.abrupt("return", response); case 31: contractExecuteEvents = new EventEmitter(); response.on('transactionHash', function (hash) { contractExecuteEvents.emit('transactionHash', hash); }).on('receipt', function (receipt) { contractExecuteEvents.emit('receipt', receipt); }).on('confirmation', function (confirmationNumber, receipt) { contractExecuteEvents.emit('confirmation', (confirmationNumber, receipt)); }).on('error', function (error) { contractExecuteEvents.emit('error', error); throw error; }); return _context23.abrupt("return", contractExecuteEvents); case 34: case "end": return _context23.stop(); } } }, _callee15, this); })); return function () { return _executeFunction.apply(this, arguments); }; }() }, { key: "getSigningData", value: function () { return "Moralis Authentication"; // const data = `Moralis Authentication`; // return data; } }, { key: "on", value: function (eventName, cb) { var _window = window, ethereum = _window.ethereum; if (!ethereum || !ethereum.on) { // eslint-disable-next-line no-console console.warn(WARNING); return function () { // eslint-disable-next-line no-console console.warn(WARNING); }; } ethereum.on(eventName, cb); return function () { // eslint-disable-next-line no-console console.warn('UNSUB NOT SUPPORTED'); }; } }, { key: "getChainId", value: function () { var _getChainId = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee16() { return _regenerator.default.wrap(function (_context24) { while (1) { switch (_context24.prev = _context24.next) { case 0: if (!this.ensureWeb3IsInstalled()) { _context24.next = 4; break; } _context24.next = 3; return this.web3.eth.net.getId(); case 3: return _context24.abrupt("return", _context24.sent); case 4: throw new Error(ERROR_WEB3_MISSING); case 5: case "end": return _context24.stop(); } } }, _callee16, this); })); return function () { return _getChainId.apply(this, arguments); }; }() }, { key: "ensureWeb3IsInstalled", value: function () { return this.web3 ? true : false; } }, { key: "isMetaMaskInstalled", value: function () { var _isMetaMaskInstalled = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee17() { return _regenerator.default.wrap(function (_context25) { while (1) { switch (_context25.prev = _context25.next) { case 0: _context25.next = 2; return (0, _detectProvider.default)(); case 2: if (!_context25.sent) { _context25.next = 6; break; } _context25.t0 = true; _context25.next = 7; break; case 6: _context25.t0 = false; case 7: return _context25.abrupt("return", _context25.t0); case 8: case "end": return _context25.stop(); } } }, _callee17); })); return function () { return _isMetaMaskInstalled.apply(this, arguments); }; }() }, { key: "switchNetwork", value: function () { var _switchNetwork = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee18(chainId) { var currentNetwork; return _regenerator.default.wrap(function (_context26) { while (1) { switch (_context26.prev = _context26.next) { case 0: chainId = verifyChainId(chainId); // Check if the user wallet is already on `chainId` _context26.t0 = fromDecimalToHex; _context26.next = 4; return this.getChainId(); case 4: _context26.t1 = _context26.sent; currentNetwork = (0, _context26.t0)(_context26.t1); if (!(currentNetwork === chainId)) { _context26.next = 8; break; } return _context26.abrupt("return"); case 8: _context26.next = 10; return window.ethereum.request({ method: 'wallet_switchEthereumChain', params: [{ chainId: chainId }] }); case 10: case "end": return _context26.stop(); } } }, _callee18, this); })); return function () { return _switchNetwork.apply(this, arguments); }; }() }, { key: "addNetwork", value: function () { var _addNetwork = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee19(chainId, chainName, currencyName, currencySymbol, rpcUrl, blockExplorerUrl) { return _regenerator.default.wrap(function (_context27) { while (1) { switch (_context27.prev = _context27.next) { case 0: chainId = verifyChainId(chainId); _context27.next = 3; return window.ethereum.request({ method: 'wallet_addEthereumChain', params: [{ chainId: chainId, chainName: chainName, nativeCurrency: { name: currencyName, symbol: currencySymbol, decimals: 18 }, rpcUrls: [rpcUrl], blockExplorerUrls: [blockExplorerUrl] }] }); case 3: case "end": return _context27.stop(); } } }, _callee19); })); return function () { return _addNetwork.apply(this, arguments); }; }() }]); return MoralisWeb3; }(); (0, _defineProperty2.default)(MoralisWeb3, "speedyNodeApiKey", void 0); (0, _defineProperty2.default)(MoralisWeb3, "memoryCard", { save: function (what) { this.saved = what; }, get: function (where) { if (!this.saved) throw new Error('Nothing saved to memory card'); // In case the saved data is not an object but a simple string or number if (where.length === 0) return this.getSaved(); var tmp; var savedTmp = this.saved; for (var i = 0; i < where.length; i++) { tmp = savedTmp[where[i]]; savedTmp = tmp; } return savedTmp; }, getSaved: function () { return this.saved; }, deleteSaved: function () { this.saved = undefined; } }); function fromDecimalToHex(number) { if (typeof number !== 'number') throw 'The input provided should be a number'; return "0x".concat(number.toString(16)); } function verifyChainId(chainId) { // Check if chainId is a number, in that case convert to hex if (typeof chainId === 'number') chainId = fromDecimalToHex(chainId); return chainId; } MoralisWeb3.onConnect = (0, _bind.default)(_context28 = MoralisWeb3.on).call(_context28, MoralisWeb3, EthereumEvents.CONNECT); MoralisWeb3.onDisconnect = (0, _bind.default)(_context29 = MoralisWeb3.on).call(_context29, MoralisWeb3, EthereumEvents.DISCONNECT); MoralisWeb3.onChainChanged = (0, _bind.default)(_context30 = MoralisWeb3.on).call(_context30, MoralisWeb3, EthereumEvents.CHAIN_CHANGED); MoralisWeb3.onAccountsChanged = (0, _bind.default)(_context31 = MoralisWeb3.on).call(_context31, MoralisWeb3, EthereumEvents.ACCOUNTS_CHANGED); var _default = MoralisWeb3; exports.default = _default; },{"./Cloud":3,"./MoralisCustomProvider":14,"./MoralisDot":15,"./MoralisErd":16,"./MoralisInjectedProvider":17,"./MoralisWalletConnectProvider":19,"./ParseACL":25,"./ParseObject":35,"./ParseQuery":38,"./ParseUser":43,"./TransferUtils":50,"./createSigningData":55,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/bind":67,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/find":72,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/values":97,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/construct":130,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/slicedToArray":145,"@babel/runtime-corejs3/helpers/toConsumableArray":147,"@babel/runtime-corejs3/helpers/typeof":148,"@babel/runtime-corejs3/regenerator":152,"@metamask/detect-provider":153,"events":531,"web3":183}],21:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _filter = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); /** * Automatically generated code, via genWeb3API.js * Do not modify manually */ var axios = _dereq_('axios'); var Web3Api = /*#__PURE__*/function () { function Web3Api() { (0, _classCallCheck2.default)(this, Web3Api); } (0, _createClass2.default)(Web3Api, null, [{ key: "initialize", value: function (_ref) { var apiKey = _ref.apiKey, serverUrl = _ref.serverUrl, _ref$Moralis = _ref.Moralis, Moralis = _ref$Moralis === void 0 ? null : _ref$Moralis; if (!serverUrl && !apiKey) { throw new Error('Web3Api.initialize failed: initialize with apiKey or serverUrl'); } if (apiKey) this.apiKey = apiKey; if (serverUrl) this.serverUrl = serverUrl; this.Moralis = Moralis; } }, { key: "getBody", value: function (params, bodyParams) { var _this = this; if (!params || !bodyParams || !bodyParams.length) { return undefined; } var body = {}; (0, _forEach.default)(bodyParams).call(bodyParams, function (_ref2) { var key = _ref2.key, type = _ref2.type, required = _ref2.required; if (params[key] === undefined) { if (required) throw new Error("param ".concat(key, " is required!")); } else if (type === _this.BodyParamTypes.setBody) { body = params[key]; } else { body[key] = params[key]; } // remove the param so it doesn't also get added as a query param delete params[key]; }); return body; } }, { key: "getParameterizedUrl", value: function (url, params) { var _context; if (!(0, _keys.default)(params).length) return url; // find url params, they start with : var requiredParams = (0, _filter.default)(_context = url.split('/')).call(_context, function (s) { return s && (0, _includes.default)(s).call(s, ':'); }); if (!requiredParams.length) return url; var parameterizedUrl = url; (0, _forEach.default)(requiredParams).call(requiredParams, function (p) { // strip the : and replace with param value var key = p.substr(1); var value = params[key]; if (!value) { throw new Error("required param ".concat(key, " not provided")); } parameterizedUrl = parameterizedUrl.replace(p, value); // remove required param from param list // so it doesn't become part of the query params delete params[key]; }); return parameterizedUrl; } }, { key: "getErrorMessage", value: function (error, url) { var _error$response, _error$response$data; return (error === null || error === void 0 ? void 0 : (_error$response = error.response) === null || _error$response === void 0 ? void 0 : (_error$response$data = _error$response.data) === null || _error$response$data === void 0 ? void 0 : _error$response$data.message) || (error === null || error === void 0 ? void 0 : error.message) || (error === null || error === void 0 ? void 0 : error.toString()) || "Web3 API error while calling ".concat(url); } }, { key: "fetch", value: function () { var _fetch = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(_ref3) { var endpoint, params, _endpoint$method, method, url, bodyParams, web3, parameterizedUrl, body, response, msg; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: endpoint = _ref3.endpoint, params = _ref3.params; _endpoint$method = endpoint.method, method = _endpoint$method === void 0 ? 'GET' : _endpoint$method, url = endpoint.url, bodyParams = endpoint.bodyParams; if (!this.Moralis) { _context2.next = 10; break; } web3 = this.Moralis.web3; if (!(!params.address && web3)) { _context2.next = 10; break; } _context2.next = 7; return web3.eth.getAccounts(); case 7: _context2.next = 9; return _context2.sent[0]; case 9: params.address = _context2.sent; case 10: if (this.apiKey) { _context2.next = 12; break; } return _context2.abrupt("return", this.apiCall(endpoint.name, params)); case 12: _context2.prev = 12; parameterizedUrl = this.getParameterizedUrl(url, params); body = this.getBody(params, bodyParams); _context2.next = 17; return axios(this.baseURL + parameterizedUrl, { params: params, method: method, body: body, headers: { Accept: 'application/json', 'Content-Type': 'application/json', 'x-api-key': this.apiKey } }); case 17: response = _context2.sent; return _context2.abrupt("return", response.data); case 21: _context2.prev = 21; _context2.t0 = _context2["catch"](12); msg = this.getErrorMessage(_context2.t0, url); throw new Error(msg); case 25: case "end": return _context2.stop(); } } }, _callee, this, [[12, 21]]); })); return function () { return _fetch.apply(this, arguments); }; }() }, { key: "apiCall", value: function () { var _apiCall = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2(name, options) { var web3, http, response; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: if (this.serverUrl) { _context3.next = 2; break; } throw new Error('Web3Api not initialized, run Moralis.start() first'); case 2: if (!this.Moralis) { _context3.next = 10; break; } web3 = this.Moralis.web3; if (!(!options.address && web3)) { _context3.next = 10; break; } _context3.next = 7; return web3.eth.getAccounts(); case 7: _context3.next = 9; return _context3.sent[0]; case 9: options.address = _context3.sent; case 10: _context3.prev = 10; http = axios.create({ baseURL: this.serverUrl }); if (!options.chain) options.chain = 'eth'; _context3.next = 15; return http.post("/functions/".concat(name), options, { headers: { Accept: 'application/json', 'Content-Type': 'application/json' } }); case 15: response = _context3.sent; return _context3.abrupt("return", response.data.result); case 19: _context3.prev = 19; _context3.t0 = _context3["catch"](10); if (!_context3.t0.response) { _context3.next = 23; break; } throw _context3.t0.response.data; case 23: throw _context3.t0; case 24: case "end": return _context3.stop(); } } }, _callee2, this, [[10, 19]]); })); return function () { return _apiCall.apply(this, arguments); }; }() }]); return Web3Api; }(); (0, _defineProperty2.default)(Web3Api, "baseURL", 'https://deep-index.moralis.io/api/v2'); (0, _defineProperty2.default)(Web3Api, "BodyParamTypes", { setBody: 'set body', property: 'property' }); (0, _defineProperty2.default)(Web3Api, "native", { getBlock: function () { var _getBlock = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var options, _args3 = arguments; return _regenerator.default.wrap(function (_context4) { while (1) { switch (_context4.prev = _context4.next) { case 0: options = _args3.length > 0 && _args3[0] !== undefined ? _args3[0] : {}; return _context4.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "native", "name": "getBlock", "url": "/block/:block_number_or_hash" }, params: options })); case 2: case "end": return _context4.stop(); } } }, _callee3); })); return function () { return _getBlock.apply(this, arguments); }; }(), getDateToBlock: function () { var _getDateToBlock = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4() { var options, _args4 = arguments; return _regenerator.default.wrap(function (_context5) { while (1) { switch (_context5.prev = _context5.next) { case 0: options = _args4.length > 0 && _args4[0] !== undefined ? _args4[0] : {}; return _context5.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "native", "name": "getDateToBlock", "url": "/dateToBlock" }, params: options })); case 2: case "end": return _context5.stop(); } } }, _callee4); })); return function () { return _getDateToBlock.apply(this, arguments); }; }(), getLogsByAddress: function () { var _getLogsByAddress = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5() { var options, _args5 = arguments; return _regenerator.default.wrap(function (_context6) { while (1) { switch (_context6.prev = _context6.next) { case 0: options = _args5.length > 0 && _args5[0] !== undefined ? _args5[0] : {}; return _context6.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "native", "name": "getLogsByAddress", "url": "/:address/logs" }, params: options })); case 2: case "end": return _context6.stop(); } } }, _callee5); })); return function () { return _getLogsByAddress.apply(this, arguments); }; }(), getNFTTransfersByBlock: function () { var _getNFTTransfersByBlock = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6() { var options, _args6 = arguments; return _regenerator.default.wrap(function (_context7) { while (1) { switch (_context7.prev = _context7.next) { case 0: options = _args6.length > 0 && _args6[0] !== undefined ? _args6[0] : {}; return _context7.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "native", "name": "getNFTTransfersByBlock", "url": "/block/:block_number_or_hash/nft/transfers" }, params: options })); case 2: case "end": return _context7.stop(); } } }, _callee6); })); return function () { return _getNFTTransfersByBlock.apply(this, arguments); }; }(), getTransaction: function () { var _getTransaction = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee7() { var options, _args7 = arguments; return _regenerator.default.wrap(function (_context8) { while (1) { switch (_context8.prev = _context8.next) { case 0: options = _args7.length > 0 && _args7[0] !== undefined ? _args7[0] : {}; return _context8.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "native", "name": "getTransaction", "url": "/transaction/:transaction_hash" }, params: options })); case 2: case "end": return _context8.stop(); } } }, _callee7); })); return function () { return _getTransaction.apply(this, arguments); }; }(), getContractEvents: function () { var _getContractEvents = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee8() { var options, _args8 = arguments; return _regenerator.default.wrap(function (_context9) { while (1) { switch (_context9.prev = _context9.next) { case 0: options = _args8.length > 0 && _args8[0] !== undefined ? _args8[0] : {}; return _context9.abrupt("return", Web3Api.fetch({ endpoint: { "method": "POST", "group": "native", "name": "getContractEvents", "url": "/:address/events", "bodyParams": [{ "key": "abi", "type": "set body", "required": false }] }, params: options })); case 2: case "end": return _context9.stop(); } } }, _callee8); })); return function () { return _getContractEvents.apply(this, arguments); }; }(), runContractFunction: function () { var _runContractFunction = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee9() { var options, _args9 = arguments; return _regenerator.default.wrap(function (_context10) { while (1) { switch (_context10.prev = _context10.next) { case 0: options = _args9.length > 0 && _args9[0] !== undefined ? _args9[0] : {}; return _context10.abrupt("return", Web3Api.fetch({ endpoint: { "method": "POST", "group": "native", "name": "runContractFunction", "url": "/:address/function", "bodyParams": [{ "key": "abi", "type": "property", "required": true }, { "key": "params", "type": "property", "required": false }] }, params: options })); case 2: case "end": return _context10.stop(); } } }, _callee9); })); return function () { return _runContractFunction.apply(this, arguments); }; }() }); (0, _defineProperty2.default)(Web3Api, "account", { getTransactions: function () { var _getTransactions = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee10() { var options, _args10 = arguments; return _regenerator.default.wrap(function (_context11) { while (1) { switch (_context11.prev = _context11.next) { case 0: options = _args10.length > 0 && _args10[0] !== undefined ? _args10[0] : {}; return _context11.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getTransactions", "url": "/:address" }, params: options })); case 2: case "end": return _context11.stop(); } } }, _callee10); })); return function () { return _getTransactions.apply(this, arguments); }; }(), getNativeBalance: function () { var _getNativeBalance = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee11() { var options, _args11 = arguments; return _regenerator.default.wrap(function (_context12) { while (1) { switch (_context12.prev = _context12.next) { case 0: options = _args11.length > 0 && _args11[0] !== undefined ? _args11[0] : {}; return _context12.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getNativeBalance", "url": "/:address/balance" }, params: options })); case 2: case "end": return _context12.stop(); } } }, _callee11); })); return function () { return _getNativeBalance.apply(this, arguments); }; }(), getTokenBalances: function () { var _getTokenBalances = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee12() { var options, _args12 = arguments; return _regenerator.default.wrap(function (_context13) { while (1) { switch (_context13.prev = _context13.next) { case 0: options = _args12.length > 0 && _args12[0] !== undefined ? _args12[0] : {}; return _context13.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getTokenBalances", "url": "/:address/erc20" }, params: options })); case 2: case "end": return _context13.stop(); } } }, _callee12); })); return function () { return _getTokenBalances.apply(this, arguments); }; }(), getTokenTransfers: function () { var _getTokenTransfers = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee13() { var options, _args13 = arguments; return _regenerator.default.wrap(function (_context14) { while (1) { switch (_context14.prev = _context14.next) { case 0: options = _args13.length > 0 && _args13[0] !== undefined ? _args13[0] : {}; return _context14.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getTokenTransfers", "url": "/:address/erc20/transfers" }, params: options })); case 2: case "end": return _context14.stop(); } } }, _callee13); })); return function () { return _getTokenTransfers.apply(this, arguments); }; }(), getNFTs: function () { var _getNFTs = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee14() { var options, _args14 = arguments; return _regenerator.default.wrap(function (_context15) { while (1) { switch (_context15.prev = _context15.next) { case 0: options = _args14.length > 0 && _args14[0] !== undefined ? _args14[0] : {}; return _context15.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getNFTs", "url": "/:address/nft" }, params: options })); case 2: case "end": return _context15.stop(); } } }, _callee14); })); return function () { return _getNFTs.apply(this, arguments); }; }(), getNFTTransfers: function () { var _getNFTTransfers = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee15() { var options, _args15 = arguments; return _regenerator.default.wrap(function (_context16) { while (1) { switch (_context16.prev = _context16.next) { case 0: options = _args15.length > 0 && _args15[0] !== undefined ? _args15[0] : {}; return _context16.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getNFTTransfers", "url": "/:address/nft/transfers" }, params: options })); case 2: case "end": return _context16.stop(); } } }, _callee15); })); return function () { return _getNFTTransfers.apply(this, arguments); }; }(), getNFTsForContract: function () { var _getNFTsForContract = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee16() { var options, _args16 = arguments; return _regenerator.default.wrap(function (_context17) { while (1) { switch (_context17.prev = _context17.next) { case 0: options = _args16.length > 0 && _args16[0] !== undefined ? _args16[0] : {}; return _context17.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "account", "name": "getNFTsForContract", "url": "/:address/nft/:token_address" }, params: options })); case 2: case "end": return _context17.stop(); } } }, _callee16); })); return function () { return _getNFTsForContract.apply(this, arguments); }; }() }); (0, _defineProperty2.default)(Web3Api, "token", { getTokenMetadata: function () { var _getTokenMetadata = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee17() { var options, _args17 = arguments; return _regenerator.default.wrap(function (_context18) { while (1) { switch (_context18.prev = _context18.next) { case 0: options = _args17.length > 0 && _args17[0] !== undefined ? _args17[0] : {}; return _context18.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenMetadata", "url": "/erc20/metadata" }, params: options })); case 2: case "end": return _context18.stop(); } } }, _callee17); })); return function () { return _getTokenMetadata.apply(this, arguments); }; }(), getNFTTrades: function () { var _getNFTTrades = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee18() { var options, _args18 = arguments; return _regenerator.default.wrap(function (_context19) { while (1) { switch (_context19.prev = _context19.next) { case 0: options = _args18.length > 0 && _args18[0] !== undefined ? _args18[0] : {}; return _context19.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getNFTTrades", "url": "/nft/:address/trades" }, params: options })); case 2: case "end": return _context19.stop(); } } }, _callee18); })); return function () { return _getNFTTrades.apply(this, arguments); }; }(), getNFTLowestPrice: function () { var _getNFTLowestPrice = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee19() { var options, _args19 = arguments; return _regenerator.default.wrap(function (_context20) { while (1) { switch (_context20.prev = _context20.next) { case 0: options = _args19.length > 0 && _args19[0] !== undefined ? _args19[0] : {}; return _context20.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getNFTLowestPrice", "url": "/nft/:address/lowestprice" }, params: options })); case 2: case "end": return _context20.stop(); } } }, _callee19); })); return function () { return _getNFTLowestPrice.apply(this, arguments); }; }(), getTokenMetadataBySymbol: function () { var _getTokenMetadataBySymbol = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee20() { var options, _args20 = arguments; return _regenerator.default.wrap(function (_context21) { while (1) { switch (_context21.prev = _context21.next) { case 0: options = _args20.length > 0 && _args20[0] !== undefined ? _args20[0] : {}; return _context21.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenMetadataBySymbol", "url": "/erc20/metadata/symbols" }, params: options })); case 2: case "end": return _context21.stop(); } } }, _callee20); })); return function () { return _getTokenMetadataBySymbol.apply(this, arguments); }; }(), getTokenPrice: function () { var _getTokenPrice = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee21() { var options, _args21 = arguments; return _regenerator.default.wrap(function (_context22) { while (1) { switch (_context22.prev = _context22.next) { case 0: options = _args21.length > 0 && _args21[0] !== undefined ? _args21[0] : {}; return _context22.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenPrice", "url": "/erc20/:address/price" }, params: options })); case 2: case "end": return _context22.stop(); } } }, _callee21); })); return function () { return _getTokenPrice.apply(this, arguments); }; }(), getTokenAdressTransfers: function () { var _getTokenAdressTransfers = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee22() { var options, _args22 = arguments; return _regenerator.default.wrap(function (_context23) { while (1) { switch (_context23.prev = _context23.next) { case 0: options = _args22.length > 0 && _args22[0] !== undefined ? _args22[0] : {}; return _context23.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenAdressTransfers", "url": "/erc20/:address/transfers" }, params: options })); case 2: case "end": return _context23.stop(); } } }, _callee22); })); return function () { return _getTokenAdressTransfers.apply(this, arguments); }; }(), getTokenAllowance: function () { var _getTokenAllowance = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee23() { var options, _args23 = arguments; return _regenerator.default.wrap(function (_context24) { while (1) { switch (_context24.prev = _context24.next) { case 0: options = _args23.length > 0 && _args23[0] !== undefined ? _args23[0] : {}; return _context24.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenAllowance", "url": "/erc20/:address/allowance" }, params: options })); case 2: case "end": return _context24.stop(); } } }, _callee23); })); return function () { return _getTokenAllowance.apply(this, arguments); }; }(), searchNFTs: function () { var _searchNFTs = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee24() { var options, _args24 = arguments; return _regenerator.default.wrap(function (_context25) { while (1) { switch (_context25.prev = _context25.next) { case 0: options = _args24.length > 0 && _args24[0] !== undefined ? _args24[0] : {}; return _context25.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "searchNFTs", "url": "/nft/search" }, params: options })); case 2: case "end": return _context25.stop(); } } }, _callee24); })); return function () { return _searchNFTs.apply(this, arguments); }; }(), getAllTokenIds: function () { var _getAllTokenIds = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee25() { var options, _args25 = arguments; return _regenerator.default.wrap(function (_context26) { while (1) { switch (_context26.prev = _context26.next) { case 0: options = _args25.length > 0 && _args25[0] !== undefined ? _args25[0] : {}; return _context26.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getAllTokenIds", "url": "/nft/:address" }, params: options })); case 2: case "end": return _context26.stop(); } } }, _callee25); })); return function () { return _getAllTokenIds.apply(this, arguments); }; }(), getContractNFTTransfers: function () { var _getContractNFTTransfers = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee26() { var options, _args26 = arguments; return _regenerator.default.wrap(function (_context27) { while (1) { switch (_context27.prev = _context27.next) { case 0: options = _args26.length > 0 && _args26[0] !== undefined ? _args26[0] : {}; return _context27.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getContractNFTTransfers", "url": "/nft/:address/transfers" }, params: options })); case 2: case "end": return _context27.stop(); } } }, _callee26); })); return function () { return _getContractNFTTransfers.apply(this, arguments); }; }(), getNftTransfersFromToBlock: function () { var _getNftTransfersFromToBlock = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee27() { var options, _args27 = arguments; return _regenerator.default.wrap(function (_context28) { while (1) { switch (_context28.prev = _context28.next) { case 0: options = _args27.length > 0 && _args27[0] !== undefined ? _args27[0] : {}; return _context28.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getNftTransfersFromToBlock", "url": "/nft/transfers" }, params: options })); case 2: case "end": return _context28.stop(); } } }, _callee27); })); return function () { return _getNftTransfersFromToBlock.apply(this, arguments); }; }(), getNFTOwners: function () { var _getNFTOwners = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee28() { var options, _args28 = arguments; return _regenerator.default.wrap(function (_context29) { while (1) { switch (_context29.prev = _context29.next) { case 0: options = _args28.length > 0 && _args28[0] !== undefined ? _args28[0] : {}; return _context29.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getNFTOwners", "url": "/nft/:address/owners" }, params: options })); case 2: case "end": return _context29.stop(); } } }, _callee28); })); return function () { return _getNFTOwners.apply(this, arguments); }; }(), getNFTMetadata: function () { var _getNFTMetadata = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee29() { var options, _args29 = arguments; return _regenerator.default.wrap(function (_context30) { while (1) { switch (_context30.prev = _context30.next) { case 0: options = _args29.length > 0 && _args29[0] !== undefined ? _args29[0] : {}; return _context30.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getNFTMetadata", "url": "/nft/:address/metadata" }, params: options })); case 2: case "end": return _context30.stop(); } } }, _callee29); })); return function () { return _getNFTMetadata.apply(this, arguments); }; }(), getTokenIdMetadata: function () { var _getTokenIdMetadata = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee30() { var options, _args30 = arguments; return _regenerator.default.wrap(function (_context31) { while (1) { switch (_context31.prev = _context31.next) { case 0: options = _args30.length > 0 && _args30[0] !== undefined ? _args30[0] : {}; return _context31.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenIdMetadata", "url": "/nft/:address/:token_id" }, params: options })); case 2: case "end": return _context31.stop(); } } }, _callee30); })); return function () { return _getTokenIdMetadata.apply(this, arguments); }; }(), getTokenIdOwners: function () { var _getTokenIdOwners = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee31() { var options, _args31 = arguments; return _regenerator.default.wrap(function (_context32) { while (1) { switch (_context32.prev = _context32.next) { case 0: options = _args31.length > 0 && _args31[0] !== undefined ? _args31[0] : {}; return _context32.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getTokenIdOwners", "url": "/nft/:address/:token_id/owners" }, params: options })); case 2: case "end": return _context32.stop(); } } }, _callee31); })); return function () { return _getTokenIdOwners.apply(this, arguments); }; }(), getWalletTokenIdTransfers: function () { var _getWalletTokenIdTransfers = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee32() { var options, _args32 = arguments; return _regenerator.default.wrap(function (_context33) { while (1) { switch (_context33.prev = _context33.next) { case 0: options = _args32.length > 0 && _args32[0] !== undefined ? _args32[0] : {}; return _context33.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "token", "name": "getWalletTokenIdTransfers", "url": "/nft/:address/:token_id/transfers" }, params: options })); case 2: case "end": return _context33.stop(); } } }, _callee32); })); return function () { return _getWalletTokenIdTransfers.apply(this, arguments); }; }() }); (0, _defineProperty2.default)(Web3Api, "resolve", { resolveDomain: function () { var _resolveDomain = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee33() { var options, _args33 = arguments; return _regenerator.default.wrap(function (_context34) { while (1) { switch (_context34.prev = _context34.next) { case 0: options = _args33.length > 0 && _args33[0] !== undefined ? _args33[0] : {}; return _context34.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "resolve", "name": "resolveDomain", "url": "/resolve/:domain" }, params: options })); case 2: case "end": return _context34.stop(); } } }, _callee33); })); return function () { return _resolveDomain.apply(this, arguments); }; }() }); (0, _defineProperty2.default)(Web3Api, "defi", { getPairReserves: function () { var _getPairReserves = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee34() { var options, _args34 = arguments; return _regenerator.default.wrap(function (_context35) { while (1) { switch (_context35.prev = _context35.next) { case 0: options = _args34.length > 0 && _args34[0] !== undefined ? _args34[0] : {}; return _context35.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "defi", "name": "getPairReserves", "url": "/:pair_address/reserves" }, params: options })); case 2: case "end": return _context35.stop(); } } }, _callee34); })); return function () { return _getPairReserves.apply(this, arguments); }; }(), getPairAddress: function () { var _getPairAddress = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee35() { var options, _args35 = arguments; return _regenerator.default.wrap(function (_context36) { while (1) { switch (_context36.prev = _context36.next) { case 0: options = _args35.length > 0 && _args35[0] !== undefined ? _args35[0] : {}; return _context36.abrupt("return", Web3Api.fetch({ endpoint: { "method": "GET", "group": "defi", "name": "getPairAddress", "url": "/:token0_address/:token1_address/pairAddress" }, params: options })); case 2: case "end": return _context36.stop(); } } }, _callee35); })); return function () { return _getPairAddress.apply(this, arguments); }; }() }); (0, _defineProperty2.default)(Web3Api, "storage", { uploadFolder: function () { var _uploadFolder = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee36() { var options, _args36 = arguments; return _regenerator.default.wrap(function (_context37) { while (1) { switch (_context37.prev = _context37.next) { case 0: options = _args36.length > 0 && _args36[0] !== undefined ? _args36[0] : {}; return _context37.abrupt("return", Web3Api.fetch({ endpoint: { "method": "POST", "group": "storage", "name": "uploadFolder", "url": "/ipfs/uploadFolder", "bodyParams": [{ "key": "abi", "type": "set body", "required": false }] }, params: options })); case 2: case "end": return _context37.stop(); } } }, _callee36); })); return function () { return _uploadFolder.apply(this, arguments); }; }() }); var _default = Web3Api; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152,"axios":154}],22:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Object$defineProperties = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-properties"); var _Object$getOwnPropertyDescriptors = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors"); var _forEachInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _filterInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter"); var _Object$getOwnPropertySymbols = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols"); var _Object$keys = _dereq_("@babel/runtime-corejs3/core-js-stable/object/keys"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.commitServerChanges = commitServerChanges; exports.defaultState = defaultState; exports.estimateAttribute = estimateAttribute; exports.estimateAttributes = estimateAttributes; exports.mergeFirstPendingState = mergeFirstPendingState; exports.popPendingState = popPendingState; exports.pushPendingState = pushPendingState; exports.setPendingOp = setPendingOp; exports.setServerData = setServerData; var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); var _TaskQueue = _interopRequireDefault(_dereq_("./TaskQueue")); var _ParseOp = _dereq_("./ParseOp"); function ownKeys(object, enumerableOnly) { var keys = _Object$keys(object); if (_Object$getOwnPropertySymbols) { var symbols = _Object$getOwnPropertySymbols(object); if (enumerableOnly) { symbols = _filterInstanceProperty(symbols).call(symbols, function (sym) { return _Object$getOwnPropertyDescriptor(object, sym).enumerable; }); } keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { var _context; _forEachInstanceProperty(_context = ownKeys(Object(source), true)).call(_context, function (key) { (0, _defineProperty2.default)(target, key, source[key]); }); } else if (_Object$getOwnPropertyDescriptors) { _Object$defineProperties(target, _Object$getOwnPropertyDescriptors(source)); } else { var _context2; _forEachInstanceProperty(_context2 = ownKeys(Object(source))).call(_context2, function (key) { _Object$defineProperty(target, key, _Object$getOwnPropertyDescriptor(source, key)); }); } } return target; } function defaultState() /*: State*/ { return { serverData: {}, pendingOps: [{}], objectCache: {}, tasks: new _TaskQueue.default(), existed: false }; } function setServerData(serverData /*: AttributeMap*/ , attributes /*: AttributeMap*/ ) { for (var _attr in attributes) { if (typeof attributes[_attr] !== 'undefined') { serverData[_attr] = attributes[_attr]; } else { delete serverData[_attr]; } } } function setPendingOp(pendingOps /*: Array*/ , attr /*: string*/ , op /*: ?Op*/ ) { var last = pendingOps.length - 1; if (op) { pendingOps[last][attr] = op; } else { delete pendingOps[last][attr]; } } function pushPendingState(pendingOps /*: Array*/ ) { pendingOps.push({}); } function popPendingState(pendingOps /*: Array*/ ) /*: OpsMap*/ { var first = pendingOps.shift(); if (!pendingOps.length) { pendingOps[0] = {}; } return first; } function mergeFirstPendingState(pendingOps /*: Array*/ ) { var first = popPendingState(pendingOps); var next = pendingOps[0]; for (var _attr2 in first) { if (next[_attr2] && first[_attr2]) { var merged = next[_attr2].mergeWith(first[_attr2]); if (merged) { next[_attr2] = merged; } } else { next[_attr2] = first[_attr2]; } } } function estimateAttribute(serverData /*: AttributeMap*/ , pendingOps /*: Array*/ , className /*: string*/ , id /*: ?string*/ , attr /*: string*/ ) /*: mixed*/ { var value = serverData[attr]; for (var i = 0; i < pendingOps.length; i++) { if (pendingOps[i][attr]) { if (pendingOps[i][attr] instanceof _ParseOp.RelationOp) { if (id) { value = pendingOps[i][attr].applyTo(value, { className: className, id: id }, attr); } } else { value = pendingOps[i][attr].applyTo(value); } } } return value; } function estimateAttributes(serverData /*: AttributeMap*/ , pendingOps /*: Array*/ , className /*: string*/ , id /*: ?string*/ ) /*: AttributeMap*/ { var data = {}; for (var attr in serverData) { data[attr] = serverData[attr]; } for (var i = 0; i < pendingOps.length; i++) { for (attr in pendingOps[i]) { if (pendingOps[i][attr] instanceof _ParseOp.RelationOp) { if (id) { data[attr] = pendingOps[i][attr].applyTo(data[attr], { className: className, id: id }, attr); } } else { if ((0, _includes.default)(attr).call(attr, '.')) { // convert a.b.c into { a: { b: { c: value } } } var fields = attr.split('.'); var first = fields[0]; var last = fields[fields.length - 1]; data[first] = _objectSpread({}, serverData[first]); var object = _objectSpread({}, data); for (var _i = 0; _i < fields.length - 1; _i++) { object = object[fields[_i]]; } object[last] = pendingOps[i][attr].applyTo(object[last]); } else { data[attr] = pendingOps[i][attr].applyTo(data[attr]); } } } } return data; } function commitServerChanges(serverData /*: AttributeMap*/ , objectCache /*: ObjectCache*/ , changes /*: AttributeMap*/ ) { for (var _attr3 in changes) { var val = changes[_attr3]; serverData[_attr3] = val; if (val && (0, _typeof2.default)(val) === 'object' && !(val instanceof _ParseObject.default) && !(val instanceof _ParseFile.default) && !(val instanceof _ParseRelation.default)) { var json = (0, _encode.default)(val, false, true); objectCache[_attr3] = (0, _stringify.default)(json); } } } },{"./ParseFile":29,"./ParseObject":35,"./ParseOp":36,"./ParseRelation":39,"./TaskQueue":49,"./encode":57,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/object/define-properties":88,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors":93,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols":94,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],23:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Array$isArray2 = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _filter = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _slice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray2(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context5; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty2(_context5 = Object.prototype.toString.call(o)).call(_context5, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } /* eslint-disable no-loop-func */ var equalObjects = _dereq_('./equals').default; var decode = _dereq_('./decode').default; var ParseError = _dereq_('./ParseError').default; var ParsePolygon = _dereq_('./ParsePolygon').default; var ParseGeoPoint = _dereq_('./ParseGeoPoint').default; /** * contains -- Determines if an object is contained in a list with special handling for Parse pointers. * * @param haystack * @param needle * @private * @returns {boolean} */ function contains(haystack, needle) { if (needle && needle.__type && (needle.__type === 'Pointer' || needle.__type === 'Object')) { for (var i in haystack) { var ptr = haystack[i]; if (typeof ptr === 'string' && ptr === needle.objectId) { return true; } if (ptr.className === needle.className && ptr.objectId === needle.objectId) { return true; } } return false; } return (0, _indexOf.default)(haystack).call(haystack, needle) > -1; } function transformObject(object) { if (object._toFullJSON) { return object._toFullJSON(); } return object; } /** * matchesQuery -- Determines if an object would be returned by a Parse Query * It's a lightweight, where-clause only implementation of a full query engine. * Since we find queries that match objects, rather than objects that match * queries, we can avoid building a full-blown query tool. * * @param className * @param object * @param objects * @param query * @private * @returns {boolean} */ function matchesQuery(className, object, objects, query) { if (object.className !== className) { return false; } var obj = object; var q = query; if (object.toJSON) { obj = object.toJSON(); } if (query.toJSON) { q = query.toJSON().where; } obj.className = className; for (var field in q) { if (!matchesKeyConstraints(className, obj, objects, field, q[field])) { return false; } } return true; } function equalObjectsGeneric(obj, compareTo, eqlFn) { if ((0, _isArray.default)(obj)) { for (var i = 0; i < obj.length; i++) { if (eqlFn(obj[i], compareTo)) { return true; } } return false; } return eqlFn(obj, compareTo); } /** * Determines whether an object matches a single key's constraints * * @param className * @param object * @param objects * @param key * @param constraints * @private * @returns {boolean} */ function matchesKeyConstraints(className, object, objects, key, constraints) { if (constraints === null) { return false; } if ((0, _indexOf.default)(key).call(key, '.') >= 0) { // Key references a subobject var keyComponents = key.split('.'); var subObjectKey = keyComponents[0]; var keyRemainder = (0, _slice.default)(keyComponents).call(keyComponents, 1).join('.'); return matchesKeyConstraints(className, object[subObjectKey] || {}, objects, keyRemainder, constraints); } var i; if (key === '$or') { for (i = 0; i < constraints.length; i++) { if (matchesQuery(className, object, objects, constraints[i])) { return true; } } return false; } if (key === '$and') { for (i = 0; i < constraints.length; i++) { if (!matchesQuery(className, object, objects, constraints[i])) { return false; } } return true; } if (key === '$nor') { for (i = 0; i < constraints.length; i++) { if (matchesQuery(className, object, objects, constraints[i])) { return false; } } return true; } if (key === '$relatedTo') { // Bail! We can't handle relational queries locally return false; } if (!/^[A-Za-z][0-9A-Za-z_]*$/.test(key)) { throw new ParseError(ParseError.INVALID_KEY_NAME, "Invalid Key: ".concat(key)); } // Equality (or Array contains) cases if ((0, _typeof2.default)(constraints) !== 'object') { if ((0, _isArray.default)(object[key])) { var _context; return (0, _indexOf.default)(_context = object[key]).call(_context, constraints) > -1; } return object[key] === constraints; } var compareTo; if (constraints.__type) { if (constraints.__type === 'Pointer') { return equalObjectsGeneric(object[key], constraints, function (obj, ptr) { return typeof obj !== 'undefined' && ptr.className === obj.className && ptr.objectId === obj.objectId; }); } return equalObjectsGeneric(decode(object[key]), decode(constraints), equalObjects); } // More complex cases for (var condition in constraints) { compareTo = constraints[condition]; if (compareTo.__type) { compareTo = decode(compareTo); } // Compare Date Object or Date String if (toString.call(compareTo) === '[object Date]' || typeof compareTo === 'string' && new Date(compareTo) !== 'Invalid Date' && !isNaN(new Date(compareTo))) { object[key] = new Date(object[key].iso ? object[key].iso : object[key]); } switch (condition) { case '$lt': if (object[key] >= compareTo) { return false; } break; case '$lte': if (object[key] > compareTo) { return false; } break; case '$gt': if (object[key] <= compareTo) { return false; } break; case '$gte': if (object[key] < compareTo) { return false; } break; case '$ne': if (equalObjects(object[key], compareTo)) { return false; } break; case '$in': if (!contains(compareTo, object[key])) { return false; } break; case '$nin': if (contains(compareTo, object[key])) { return false; } break; case '$all': for (i = 0; i < compareTo.length; i++) { var _context2; if ((0, _indexOf.default)(_context2 = object[key]).call(_context2, compareTo[i]) < 0) { return false; } } break; case '$exists': { var propertyExists = typeof object[key] !== 'undefined'; var existenceIsRequired = constraints.$exists; if (typeof constraints.$exists !== 'boolean') { // The SDK will never submit a non-boolean for $exists, but if someone // tries to submit a non-boolean for $exits outside the SDKs, just ignore it. break; } if (!propertyExists && existenceIsRequired || propertyExists && !existenceIsRequired) { return false; } break; } case '$regex': { if ((0, _typeof2.default)(compareTo) === 'object') { return compareTo.test(object[key]); } // JS doesn't support perl-style escaping var expString = ''; var escapeEnd = -2; var escapeStart = (0, _indexOf.default)(compareTo).call(compareTo, '\\Q'); while (escapeStart > -1) { // Add the unescaped portion expString += compareTo.substring(escapeEnd + 2, escapeStart); escapeEnd = (0, _indexOf.default)(compareTo).call(compareTo, '\\E', escapeStart); if (escapeEnd > -1) { expString += compareTo.substring(escapeStart + 2, escapeEnd).replace(/\\\\\\\\E/g, '\\E').replace(/\W/g, '\\$&'); } escapeStart = (0, _indexOf.default)(compareTo).call(compareTo, '\\Q', escapeEnd); } expString += compareTo.substring(Math.max(escapeStart, escapeEnd + 2)); var modifiers = constraints.$options || ''; modifiers = modifiers.replace('x', '').replace('s', ''); // Parse Server / Mongo support x and s modifiers but JS RegExp doesn't var exp = new RegExp(expString, modifiers); if (!exp.test(object[key])) { return false; } break; } case '$nearSphere': { if (!compareTo || !object[key]) { return false; } var distance = compareTo.radiansTo(object[key]); var max = constraints.$maxDistance || Infinity; return distance <= max; } case '$within': { if (!compareTo || !object[key]) { return false; } var southWest = compareTo.$box[0]; var northEast = compareTo.$box[1]; if (southWest.latitude > northEast.latitude || southWest.longitude > northEast.longitude) { // Invalid box, crosses the date line return false; } return object[key].latitude > southWest.latitude && object[key].latitude < northEast.latitude && object[key].longitude > southWest.longitude && object[key].longitude < northEast.longitude; } case '$options': // Not a query type, but a way to add options to $regex. Ignore and // avoid the default break; case '$maxDistance': // Not a query type, but a way to add a cap to $nearSphere. Ignore and // avoid the default break; case '$select': { var subQueryObjects = (0, _filter.default)(objects).call(objects, function (obj, index, arr) { return matchesQuery(compareTo.query.className, obj, arr, compareTo.query.where); }); for (var _i = 0; _i < subQueryObjects.length; _i += 1) { var subObject = transformObject(subQueryObjects[_i]); return equalObjects(object[key], subObject[compareTo.key]); } return false; } case '$dontSelect': { var _subQueryObjects = (0, _filter.default)(objects).call(objects, function (obj, index, arr) { return matchesQuery(compareTo.query.className, obj, arr, compareTo.query.where); }); for (var _i2 = 0; _i2 < _subQueryObjects.length; _i2 += 1) { var _subObject = transformObject(_subQueryObjects[_i2]); return !equalObjects(object[key], _subObject[compareTo.key]); } return false; } case '$inQuery': { var _subQueryObjects2 = (0, _filter.default)(objects).call(objects, function (obj, index, arr) { return matchesQuery(compareTo.className, obj, arr, compareTo.where); }); for (var _i3 = 0; _i3 < _subQueryObjects2.length; _i3 += 1) { var _subObject2 = transformObject(_subQueryObjects2[_i3]); if (object[key].className === _subObject2.className && object[key].objectId === _subObject2.objectId) { return true; } } return false; } case '$notInQuery': { var _subQueryObjects3 = (0, _filter.default)(objects).call(objects, function (obj, index, arr) { return matchesQuery(compareTo.className, obj, arr, compareTo.where); }); for (var _i4 = 0; _i4 < _subQueryObjects3.length; _i4 += 1) { var _subObject3 = transformObject(_subQueryObjects3[_i4]); if (object[key].className === _subObject3.className && object[key].objectId === _subObject3.objectId) { return false; } } return true; } case '$containedBy': { var _iterator = _createForOfIteratorHelper(object[key]), _step; try { for (_iterator.s(); !(_step = _iterator.n()).done;) { var value = _step.value; if (!contains(compareTo, value)) { return false; } } } catch (err) { _iterator.e(err); } finally { _iterator.f(); } return true; } case '$geoWithin': { var _context3; var points = (0, _map.default)(_context3 = compareTo.$polygon).call(_context3, function (geoPoint) { return [geoPoint.latitude, geoPoint.longitude]; }); var polygon = new ParsePolygon(points); return polygon.containsPoint(object[key]); } case '$geoIntersects': { var _polygon = new ParsePolygon(object[key].coordinates); var point = new ParseGeoPoint(compareTo.$point); return _polygon.containsPoint(point); } default: return false; } } return true; } function validateQuery(query /*: any*/ ) { var _context4; var q = query; if (query.toJSON) { q = query.toJSON().where; } var specialQuerykeys = ['$and', '$or', '$nor', '_rperm', '_wperm', '_perishable_token', '_email_verify_token', '_email_verify_token_expires_at', '_account_lockout_expires_at', '_failed_login_count']; (0, _forEach.default)(_context4 = (0, _keys.default)(q)).call(_context4, function (key) { if (q && q[key] && q[key].$regex) { if (typeof q[key].$options === 'string') { if (!q[key].$options.match(/^[imxs]+$/)) { throw new ParseError(ParseError.INVALID_QUERY, "Bad $options value for query: ".concat(q[key].$options)); } } } if ((0, _indexOf.default)(specialQuerykeys).call(specialQuerykeys, key) < 0 && !key.match(/^[a-zA-Z][a-zA-Z0-9_.]*$/)) { throw new ParseError(ParseError.INVALID_KEY_NAME, "Invalid key name: ".concat(key)); } }); } var OfflineQuery = { matchesQuery: matchesQuery, validateQuery: validateQuery }; module.exports = OfflineQuery; },{"./ParseError":28,"./ParseGeoPoint":32,"./ParsePolygon":37,"./decode":56,"./equals":58,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],24:[function(_dereq_,module,exports){ (function (process){(function (){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _typeof = _dereq_("@babel/runtime-corejs3/helpers/typeof"); var _WeakMap = _dereq_("@babel/runtime-corejs3/core-js-stable/weak-map"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _decode = _interopRequireDefault(_dereq_("./decode")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _CryptoController = _interopRequireDefault(_dereq_("./CryptoController")); var _InstallationController = _interopRequireDefault(_dereq_("./InstallationController")); var ParseOp = _interopRequireWildcard(_dereq_("./ParseOp")); var _RESTController2 = _interopRequireDefault(_dereq_("./RESTController")); var _MoralisWeb2 = _interopRequireDefault(_dereq_("./MoralisWeb3")); function _getRequireWildcardCache(nodeInterop) { if (typeof _WeakMap !== "function") return null; var cacheBabelInterop = new _WeakMap(); var cacheNodeInterop = new _WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); } function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = _Object$defineProperty && _Object$getOwnPropertyDescriptor ? _Object$getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { _Object$defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } /** * Contains all Moralis API classes and functions. * * @static * @global * @class * @hideconstructor */ var Moralis = /*#__PURE__*/function (_MoralisWeb) { (0, _inherits2.default)(Moralis, _MoralisWeb); var _super = _createSuper(Moralis); function Moralis() { (0, _classCallCheck2.default)(this, Moralis); return _super.apply(this, arguments); } (0, _createClass2.default)(Moralis, null, [{ key: "start", value: /** * Call this method to initialize all moralis instances (Moralis, Web3Api, plugins). * * @param {object} options Your Moralis Application ID and Server URL. Moralis.start({serverUrl,appId}) * @static */ function () { var _start = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(options) { var appId, serverUrl, plugins, javascriptKey, masterKey, moralisSecret, apiKey, _yield$this$getApiKey, web3ApiKey, speedyNodeApiKey; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: appId = options.appId, serverUrl = options.serverUrl, plugins = options.plugins, javascriptKey = options.javascriptKey, masterKey = options.masterKey, moralisSecret = options.moralisSecret; if (serverUrl) { _context.next = 4; break; } throw new Error("Moralis.start failed: serverUrl is required"); case 4: if (appId) { _context.next = 6; break; } throw new Error("Moralis.start failed: appId is required"); case 6: if (moralisSecret) { console.warn('Moralis.start warning: Using moralisSecret on the browser enviroment reveals critical information.'); } _context.next = 21; break; case 9: if (moralisSecret) { _context.next = 13; break; } console.warn('Moralis.start warning: to use web3 access, moralisSecret is required'); _context.next = 21; break; case 13: this.moralisSecret = moralisSecret; _context.next = 16; return this.getApiKeys(moralisSecret); case 16: _yield$this$getApiKey = _context.sent; web3ApiKey = _yield$this$getApiKey.web3ApiKey; speedyNodeApiKey = _yield$this$getApiKey.speedyNodeApiKey; apiKey = web3ApiKey; this.speedyNodeApiKey = speedyNodeApiKey; case 21: this.initialize(appId, javascriptKey, masterKey); this.serverURL = serverUrl; this.Web3API.initialize({ serverUrl: serverUrl, apiKey: apiKey, Moralis: Moralis }); if (!(appId && serverUrl)) { _context.next = 27; break; } _context.next = 27; return this.initPlugins(plugins); case 27: case "end": return _context.stop(); } } }, _callee, this); })); return function () { return _start.apply(this, arguments); }; }() /** * Call this method to get apiKeys using moralis secret. * * @param {string} moralisSecret Your MoralisSecret * @static */ }, { key: "getApiKeys", value: function () { var _getApiKeys = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2(moralisSecret) { var _RESTController, response; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: _context2.prev = 0; _RESTController = _CoreManager.default.getRESTController(); _context2.next = 4; return _RESTController.ajax('GET', 'https://admin.moralis.io/api/publics/apiKeys', null, { 'moralis-secret': moralisSecret, Accept: 'application/json', 'Content-Type': 'application/json' }); case 4: response = _context2.sent; return _context2.abrupt("return", response.response.result); case 8: _context2.prev = 8; _context2.t0 = _context2["catch"](0); throw new Error("Could not fetch keys with moralisSecret"); case 11: case "end": return _context2.stop(); } } }, _callee2, null, [[0, 8]]); })); return function () { return _getApiKeys.apply(this, arguments); }; }() /** * Call this method first to set up your authentication tokens for Moralis. * * @param {string} applicationId Your Moralis Application ID. * @param {string} [javaScriptKey] Your Moralis JavaScript Key (Not needed for moralis-server) * @param {string} [masterKey] Your Moralis Master Key. (Node.js only!) * @static */ }, { key: "initialize", value: function (applicationId /*: string*/ , javaScriptKey /*: string*/ ) { if ("browser" === 'browser' && _CoreManager.default.get('IS_NODE') && !process.env.SERVER_RENDERING) { /* eslint-disable no-console */ console.log("It looks like you're using the browser version of the SDK in a " + "node.js environment. You should require('parse/node') instead."); /* eslint-enable no-console */ } Moralis._initialize(applicationId, javaScriptKey); } }, { key: "_initialize", value: function (applicationId /*: string*/ , javaScriptKey /*: string*/ , masterKey /*: string*/ ) { _CoreManager.default.set('APPLICATION_ID', applicationId); _CoreManager.default.set('JAVASCRIPT_KEY', javaScriptKey); _CoreManager.default.set('MASTER_KEY', masterKey); _CoreManager.default.set('USE_MASTER_KEY', false); } /** * Call this method to set your AsyncStorage engine * Starting Parse@1.11, the ParseSDK do not provide a React AsyncStorage as the ReactNative module * is not provided at a stable path and changes over versions. * * @param {AsyncStorage} storage a react native async storage. * @static */ }, { key: "setAsyncStorage", value: function (storage /*: any*/ ) { _CoreManager.default.setAsyncStorage(storage); } /** * Call this method to set your LocalDatastoreStorage engine * If using React-Native use {@link Moralis.setAsyncStorage Moralis.setAsyncStorage()} * * @param {LocalDatastoreController} controller a data storage. * @static */ }, { key: "setLocalDatastoreController", value: function (controller /*: any*/ ) { _CoreManager.default.setLocalDatastoreController(controller); } /** * @member {string} Moralis.applicationId * @static */ }, { key: "applicationId", get: function () { return _CoreManager.default.get('APPLICATION_ID'); } /** * @member {string} Moralis.javaScriptKey * @static */ , set: function (value) { _CoreManager.default.set('APPLICATION_ID', value); } }, { key: "javaScriptKey", get: function () { return _CoreManager.default.get('JAVASCRIPT_KEY'); } /** * @member {string} Moralis.masterKey * @static */ , set: function (value) { _CoreManager.default.set('JAVASCRIPT_KEY', value); } }, { key: "masterKey", get: function () { return _CoreManager.default.get('MASTER_KEY'); } /** * @member {string} Moralis.serverURL * @static */ , set: function (value) { _CoreManager.default.set('MASTER_KEY', value); } }, { key: "serverURL", get: function () { return _CoreManager.default.get('SERVER_URL'); } /** * @member {string} Moralis.serverAuthToken * @static */ , set: function (value) { _CoreManager.default.set('SERVER_URL', value); } }, { key: "serverAuthToken", get: function () { return _CoreManager.default.get('SERVER_AUTH_TOKEN'); } /** * @member {string} Moralis.serverAuthType * @static */ , set: function (value) { _CoreManager.default.set('SERVER_AUTH_TOKEN', value); } }, { key: "serverAuthType", get: function () { return _CoreManager.default.get('SERVER_AUTH_TYPE'); } /** * @member {string} Moralis.liveQueryServerURL * @static */ , set: function (value) { _CoreManager.default.set('SERVER_AUTH_TYPE', value); } }, { key: "liveQueryServerURL", get: function () { return _CoreManager.default.get('LIVEQUERY_SERVER_URL'); } /** * @member {string} Moralis.encryptedUser * @static */ , set: function (value) { _CoreManager.default.set('LIVEQUERY_SERVER_URL', value); } }, { key: "encryptedUser", get: function () { return _CoreManager.default.get('ENCRYPTED_USER'); } /** * @member {string} Moralis.secret * @static */ , set: function (value) { _CoreManager.default.set('ENCRYPTED_USER', value); } }, { key: "secret", get: function () { return _CoreManager.default.get('ENCRYPTED_KEY'); } /** * @member {boolean} Moralis.idempotency * @static */ , set: function (value) { _CoreManager.default.set('ENCRYPTED_KEY', value); } }, { key: "idempotency", get: function () { return _CoreManager.default.get('IDEMPOTENCY'); }, set: function (value) { _CoreManager.default.set('IDEMPOTENCY', value); } }]); return Moralis; }(_MoralisWeb2.default); Moralis.ACL = _dereq_('./ParseACL').default; Moralis.Analytics = _dereq_('./Analytics'); Moralis.AnonymousUtils = _dereq_('./AnonymousUtils').default; Moralis.Cloud = _dereq_('./Cloud'); Moralis.CLP = _dereq_('./ParseCLP').default; Moralis.CoreManager = _dereq_('./CoreManager'); Moralis.Config = _dereq_('./ParseConfig').default; Moralis.Error = _dereq_('./ParseError').default; Moralis.FacebookUtils = _dereq_('./FacebookUtils').default; Moralis.File = _dereq_('./ParseFile').default; Moralis.GeoPoint = _dereq_('./ParseGeoPoint').default; Moralis.Polygon = _dereq_('./ParsePolygon').default; Moralis.Installation = _dereq_('./ParseInstallation').default; Moralis.LocalDatastore = _dereq_('./LocalDatastore'); Moralis.Object = _dereq_('./ParseObject').default; Moralis.Op = { Set: ParseOp.SetOp, Unset: ParseOp.UnsetOp, Increment: ParseOp.IncrementOp, Add: ParseOp.AddOp, Remove: ParseOp.RemoveOp, AddUnique: ParseOp.AddUniqueOp, Relation: ParseOp.RelationOp }; Moralis.Web3API = _dereq_('./MoralisWeb3Api').default; Moralis.Push = _dereq_('./Push'); Moralis.Query = _dereq_('./ParseQuery').default; Moralis.Relation = _dereq_('./ParseRelation').default; Moralis.Role = _dereq_('./ParseRole').default; Moralis.Schema = _dereq_('./ParseSchema').default; Moralis.Session = _dereq_('./ParseSession').default; Moralis.Storage = _dereq_('./Storage'); Moralis.User = _dereq_('./ParseUser').default; Moralis.LiveQuery = _dereq_('./ParseLiveQuery').default; Moralis.LiveQueryClient = _dereq_('./LiveQueryClient').default; Moralis.Web3 = Moralis; Moralis.Units = _dereq_('./UnitConvert'); // Moralis.Web3 = require('./MoralisWeb3').default; Moralis.Elrond = _dereq_('./MoralisErd').default; Moralis.Erd = Moralis.Elrond; Moralis.Dot = _dereq_('./MoralisDot').default; Moralis.UI = _dereq_('./MoralisUI').default; Moralis._request = function () { for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } return _CoreManager.default.getRESTController().request.apply(null, args); }; Moralis._ajax = function () { for (var _len2 = arguments.length, args = new Array(_len2), _key2 = 0; _key2 < _len2; _key2++) { args[_key2] = arguments[_key2]; } return _CoreManager.default.getRESTController().ajax.apply(null, args); }; // We attempt to match the signatures of the legacy versions of these methods Moralis._decode = function (_, value) { return (0, _decode.default)(value); }; Moralis._encode = function (value, _, disallowObjects) { return (0, _encode.default)(value, disallowObjects); }; Moralis._getInstallationId = function () { return _CoreManager.default.getInstallationController().currentInstallationId(); }; /** * Enable pinning in your application. * This must be called before your application can use pinning. * * @static */ Moralis.enableLocalDatastore = function () { Moralis.LocalDatastore.isEnabled = true; }; /** * Flag that indicates whether Local Datastore is enabled. * * @static * @returns {boolean} */ Moralis.isLocalDatastoreEnabled = function () { return Moralis.LocalDatastore.isEnabled; }; /** * Gets all contents from Local Datastore * *
   * await Moralis.dumpLocalDatastore();
   * 
* * @static * @returns {object} */ Moralis.dumpLocalDatastore = function () { if (!Moralis.LocalDatastore.isEnabled) { console.log('Moralis.enableLocalDatastore() must be called first'); // eslint-disable-line no-console return _promise.default.resolve({}); } return Moralis.LocalDatastore._getAllContents(); }; /** * Enable the current user encryption. * This must be called before login any user. * * @static */ Moralis.enableEncryptedUser = function () { Moralis.encryptedUser = true; }; /** * Flag that indicates whether Encrypted User is enabled. * * @static * @returns {boolean} */ Moralis.isEncryptedUserEnabled = function () { return Moralis.encryptedUser; }; _CoreManager.default.setCryptoController(_CryptoController.default); _CoreManager.default.setInstallationController(_InstallationController.default); _CoreManager.default.setRESTController(_RESTController2.default); // For legacy requires, of the form `var Moralis = require('moralis').Moralis` Moralis.Moralis = Moralis; module.exports = Moralis; }).call(this)}).call(this,_dereq_('_process')) },{"./Analytics":1,"./AnonymousUtils":2,"./Cloud":3,"./CoreManager":4,"./CryptoController":5,"./FacebookUtils":7,"./InstallationController":8,"./LiveQueryClient":9,"./LocalDatastore":11,"./MoralisDot":15,"./MoralisErd":16,"./MoralisUI":18,"./MoralisWeb3":20,"./MoralisWeb3Api":21,"./ParseACL":25,"./ParseCLP":26,"./ParseConfig":27,"./ParseError":28,"./ParseFile":29,"./ParseGeoPoint":32,"./ParseInstallation":33,"./ParseLiveQuery":34,"./ParseObject":35,"./ParseOp":36,"./ParsePolygon":37,"./ParseQuery":38,"./ParseRelation":39,"./ParseRole":40,"./ParseSchema":41,"./ParseSession":42,"./ParseUser":43,"./Push":44,"./RESTController":45,"./Storage":47,"./UnitConvert":52,"./decode":56,"./encode":57,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/core-js-stable/weak-map":104,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143,"@babel/runtime-corejs3/helpers/typeof":148,"@babel/runtime-corejs3/regenerator":152,"_process":183}],25:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _ParseRole = _interopRequireDefault(_dereq_("./ParseRole")); var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var PUBLIC_KEY = '*'; /** * Creates a new ACL. * If no argument is given, the ACL has no permissions for anyone. * If the argument is a Parse.User, the ACL will have read and write * permission for only that user. * If the argument is any other JSON object, that object will be interpretted * as a serialized ACL created with toJSON(). * *

An ACL, or Access Control List can be added to any * Parse.Object to restrict access to only a subset of users * of your application.

* * @alias Parse.ACL */ var ParseACL = /*#__PURE__*/function () { /** * @param {(Parse.User | object)} arg1 The user to initialize the ACL for */ function ParseACL(arg1 /*: ParseUser | ByIdMap*/ ) { (0, _classCallCheck2.default)(this, ParseACL); (0, _defineProperty2.default)(this, "permissionsById", void 0); this.permissionsById = {}; if (arg1 && (0, _typeof2.default)(arg1) === 'object') { if (arg1 instanceof _ParseUser.default) { this.setReadAccess(arg1, true); this.setWriteAccess(arg1, true); } else { for (var _userId in arg1) { var accessList = arg1[_userId]; this.permissionsById[_userId] = {}; for (var _permission in accessList) { var allowed = accessList[_permission]; if (_permission !== 'read' && _permission !== 'write') { throw new TypeError('Tried to create an ACL with an invalid permission type.'); } if (typeof allowed !== 'boolean') { throw new TypeError('Tried to create an ACL with an invalid permission value.'); } this.permissionsById[_userId][_permission] = allowed; } } } } else if (typeof arg1 === 'function') { throw new TypeError('ParseACL constructed with a function. Did you forget ()?'); } } /** * Returns a JSON-encoded version of the ACL. * * @returns {object} */ (0, _createClass2.default)(ParseACL, [{ key: "toJSON", value: function () /*: ByIdMap*/ { var permissions = {}; for (var p in this.permissionsById) { permissions[p] = this.permissionsById[p]; } return permissions; } /** * Returns whether this ACL is equal to another object * * @param {ParseACL} other The other object's ACL to compare to * @returns {boolean} */ }, { key: "equals", value: function (other /*: ParseACL*/ ) /*: boolean*/ { if (!(other instanceof ParseACL)) { return false; } var users = (0, _keys.default)(this.permissionsById); var otherUsers = (0, _keys.default)(other.permissionsById); if (users.length !== otherUsers.length) { return false; } for (var u in this.permissionsById) { if (!other.permissionsById[u]) { return false; } if (this.permissionsById[u].read !== other.permissionsById[u].read) { return false; } if (this.permissionsById[u].write !== other.permissionsById[u].write) { return false; } } return true; } }, { key: "_setAccess", value: function (accessType /*: string*/ , userId /*: ParseUser | ParseRole | string*/ , allowed /*: boolean*/ ) { if (userId instanceof _ParseUser.default) { userId = userId.id; } else if (userId instanceof _ParseRole.default) { var name = userId.getName(); if (!name) { throw new TypeError('Role must have a name'); } userId = "role:".concat(name); } if (typeof userId !== 'string') { throw new TypeError('userId must be a string.'); } if (typeof allowed !== 'boolean') { throw new TypeError('allowed must be either true or false.'); } var permissions = this.permissionsById[userId]; if (!permissions) { if (!allowed) { // The user already doesn't have this permission, so no action is needed return; } permissions = {}; this.permissionsById[userId] = permissions; } if (allowed) { this.permissionsById[userId][accessType] = true; } else { delete permissions[accessType]; if ((0, _keys.default)(permissions).length === 0) { delete this.permissionsById[userId]; } } } }, { key: "_getAccess", value: function (accessType /*: string*/ , userId /*: ParseUser | ParseRole | string*/ ) /*: boolean*/ { if (userId instanceof _ParseUser.default) { userId = userId.id; if (!userId) { throw new Error('Cannot get access for a ParseUser without an ID'); } } else if (userId instanceof _ParseRole.default) { var name = userId.getName(); if (!name) { throw new TypeError('Role must have a name'); } userId = "role:".concat(name); } var permissions = this.permissionsById[userId]; if (!permissions) { return false; } return !!permissions[accessType]; } /** * Sets whether the given user is allowed to read this object. * * @param userId An instance of Parse.User or its objectId. * @param {boolean} allowed Whether that user should have read access. */ }, { key: "setReadAccess", value: function (userId /*: ParseUser | ParseRole | string*/ , allowed /*: boolean*/ ) { this._setAccess('read', userId, allowed); } /** * Get whether the given user id is *explicitly* allowed to read this object. * Even if this returns false, the user may still be able to access it if * getPublicReadAccess returns true or a role that the user belongs to has * write access. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role. * @returns {boolean} */ }, { key: "getReadAccess", value: function (userId /*: ParseUser | ParseRole | string*/ ) /*: boolean*/ { return this._getAccess('read', userId); } /** * Sets whether the given user id is allowed to write this object. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role.. * @param {boolean} allowed Whether that user should have write access. */ }, { key: "setWriteAccess", value: function (userId /*: ParseUser | ParseRole | string*/ , allowed /*: boolean*/ ) { this._setAccess('write', userId, allowed); } /** * Gets whether the given user id is *explicitly* allowed to write this object. * Even if this returns false, the user may still be able to write it if * getPublicWriteAccess returns true or a role that the user belongs to has * write access. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role. * @returns {boolean} */ }, { key: "getWriteAccess", value: function (userId /*: ParseUser | ParseRole | string*/ ) /*: boolean*/ { return this._getAccess('write', userId); } /** * Sets whether the public is allowed to read this object. * * @param {boolean} allowed */ }, { key: "setPublicReadAccess", value: function (allowed /*: boolean*/ ) { this.setReadAccess(PUBLIC_KEY, allowed); } /** * Gets whether the public is allowed to read this object. * * @returns {boolean} */ }, { key: "getPublicReadAccess", value: function () /*: boolean*/ { return this.getReadAccess(PUBLIC_KEY); } /** * Sets whether the public is allowed to write this object. * * @param {boolean} allowed */ }, { key: "setPublicWriteAccess", value: function (allowed /*: boolean*/ ) { this.setWriteAccess(PUBLIC_KEY, allowed); } /** * Gets whether the public is allowed to write this object. * * @returns {boolean} */ }, { key: "getPublicWriteAccess", value: function () /*: boolean*/ { return this.getWriteAccess(PUBLIC_KEY); } /** * Gets whether users belonging to the given role are allowed * to read this object. Even if this returns false, the role may * still be able to write it if a parent role has read access. * * @param role The name of the role, or a Parse.Role object. * @returns {boolean} true if the role has read access. false otherwise. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "getRoleReadAccess", value: function (role /*: ParseRole | string*/ ) /*: boolean*/ { if (role instanceof _ParseRole.default) { // Normalize to the String name role = role.getName(); } if (typeof role !== 'string') { throw new TypeError('role must be a ParseRole or a String'); } return this.getReadAccess("role:".concat(role)); } /** * Gets whether users belonging to the given role are allowed * to write this object. Even if this returns false, the role may * still be able to write it if a parent role has write access. * * @param role The name of the role, or a Parse.Role object. * @returns {boolean} true if the role has write access. false otherwise. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "getRoleWriteAccess", value: function (role /*: ParseRole | string*/ ) /*: boolean*/ { if (role instanceof _ParseRole.default) { // Normalize to the String name role = role.getName(); } if (typeof role !== 'string') { throw new TypeError('role must be a ParseRole or a String'); } return this.getWriteAccess("role:".concat(role)); } /** * Sets whether users belonging to the given role are allowed * to read this object. * * @param role The name of the role, or a Parse.Role object. * @param {boolean} allowed Whether the given role can read this object. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "setRoleReadAccess", value: function (role /*: ParseRole | string*/ , allowed /*: boolean*/ ) { if (role instanceof _ParseRole.default) { // Normalize to the String name role = role.getName(); } if (typeof role !== 'string') { throw new TypeError('role must be a ParseRole or a String'); } this.setReadAccess("role:".concat(role), allowed); } /** * Sets whether users belonging to the given role are allowed * to write this object. * * @param role The name of the role, or a Parse.Role object. * @param {boolean} allowed Whether the given role can write this object. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "setRoleWriteAccess", value: function (role /*: ParseRole | string*/ , allowed /*: boolean*/ ) { if (role instanceof _ParseRole.default) { // Normalize to the String name role = role.getName(); } if (typeof role !== 'string') { throw new TypeError('role must be a ParseRole or a String'); } this.setWriteAccess("role:".concat(role), allowed); } }]); return ParseACL; }(); var _default = ParseACL; exports.default = _default; },{"./ParseRole":40,"./ParseUser":43,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],26:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Object$defineProperties = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-properties"); var _Object$getOwnPropertyDescriptors = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors"); var _forEachInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _filterInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter"); var _Object$getOwnPropertySymbols = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols"); var _Object$keys2 = _dereq_("@babel/runtime-corejs3/core-js-stable/object/keys"); var _Array$isArray2 = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _slice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice")); var _slicedToArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/slicedToArray")); var _entries = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/entries")); var _every = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/every")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/map")); var _ParseRole = _interopRequireDefault(_dereq_("./ParseRole")); var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); function ownKeys(object, enumerableOnly) { var keys = _Object$keys2(object); if (_Object$getOwnPropertySymbols) { var symbols = _Object$getOwnPropertySymbols(object); if (enumerableOnly) { symbols = _filterInstanceProperty(symbols).call(symbols, function (sym) { return _Object$getOwnPropertyDescriptor(object, sym).enumerable; }); } keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { var _context3; _forEachInstanceProperty(_context3 = ownKeys(Object(source), true)).call(_context3, function (key) { (0, _defineProperty2.default)(target, key, source[key]); }); } else if (_Object$getOwnPropertyDescriptors) { _Object$defineProperties(target, _Object$getOwnPropertyDescriptors(source)); } else { var _context4; _forEachInstanceProperty(_context4 = ownKeys(Object(source))).call(_context4, function (key) { _Object$defineProperty(target, key, _Object$getOwnPropertyDescriptor(source, key)); }); } } return target; } function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray2(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context2; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty2(_context2 = Object.prototype.toString.call(o)).call(_context2, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } var PUBLIC_KEY = '*'; var VALID_PERMISSIONS /*: Map*/ = new _map.default(); VALID_PERMISSIONS.set('get', {}); VALID_PERMISSIONS.set('find', {}); VALID_PERMISSIONS.set('count', {}); VALID_PERMISSIONS.set('create', {}); VALID_PERMISSIONS.set('update', {}); VALID_PERMISSIONS.set('delete', {}); VALID_PERMISSIONS.set('addField', {}); var VALID_PERMISSIONS_EXTENDED /*: Map*/ = new _map.default(); VALID_PERMISSIONS_EXTENDED.set('protectedFields', {}); /** * Creates a new CLP. * If no argument is given, the CLP has no permissions for anyone. * If the argument is a Parse.User or Parse.Role, the CLP will have read and write * permission for only that user or role. * If the argument is any other JSON object, that object will be interpretted * as a serialized CLP created with toJSON(). * *

A CLP, or Class Level Permissions can be added to any * Parse.Schema to restrict access to only a subset of users * of your application.

* *

* For get/count/find/create/update/delete/addField using the following functions: * * Entity is type Parse.User or Parse.Role or string * Role is type Parse.Role or Name of Parse.Role * * getGetRequiresAuthentication() * setGetRequiresAuthentication(allowed: boolean) * getGetPointerFields() * setGetPointerFields(pointerFields: string[]) * getGetAccess(entity: Entity) * setGetAccess(entity: Entity, allowed: boolean) * getPublicGetAccess() * setPublicGetAccess(allowed: boolean) * getRoleGetAccess(role: Role) * setRoleGetAccess(role: Role, allowed: boolean) * getFindRequiresAuthentication() * setFindRequiresAuthentication(allowed: boolean) * getFindPointerFields() * setFindPointerFields(pointerFields: string[]) * getFindAccess(entity: Entity) * setFindAccess(entity: Entity, allowed: boolean) * getPublicFindAccess() * setPublicFindAccess(allowed: boolean) * getRoleFindAccess(role: Role) * setRoleFindAccess(role: Role, allowed: boolean) * getCountRequiresAuthentication() * setCountRequiresAuthentication(allowed: boolean) * getCountPointerFields() * setCountPointerFields(pointerFields: string[]) * getCountAccess(entity: Entity) * setCountAccess(entity: Entity, allowed: boolean) * getPublicCountAccess() * setPublicCountAccess(allowed: boolean) * getRoleCountAccess(role: Role) * setRoleCountAccess(role: Role, allowed: boolean) * getCreateRequiresAuthentication() * setCreateRequiresAuthentication(allowed: boolean) * getCreatePointerFields() * setCreatePointerFields(pointerFields: string[]) * getCreateAccess(entity: Entity) * setCreateAccess(entity: Entity, allowed: boolean) * getPublicCreateAccess() * setPublicCreateAccess(allowed: Boolean) * getRoleCreateAccess(role: Role) * setRoleCreateAccess(role: Role, allowed: boolean) * getUpdateRequiresAuthentication() * setUpdateRequiresAuthentication(allowed: boolean) * getUpdatePointerFields() * setUpdatePointerFields(pointerFields: string[]) * getUpdateAccess(entity: Entity) * setUpdateAccess(entity: Entity, allowed: boolean) * getPublicUpdateAccess() * setPublicUpdateAccess(allowed: boolean) * getRoleUpdateAccess(role: Role) * setRoleUpdateAccess(role: Role, allowed: boolean) * getDeleteRequiresAuthentication() * setDeleteRequiresAuthentication(allowed: boolean) * getDeletePointerFields() * setDeletePointerFields(pointerFields: string[]) * getDeleteAccess(entity: Entity) * setDeleteAccess(entity: Entity, allowed: boolean) * getPublicDeleteAccess() * setPublicDeleteAccess(allowed: boolean) * getRoleDeleteAccess(role: Role) * setRoleDeleteAccess(role: Role, allowed: boolean) * getAddFieldRequiresAuthentication() * setAddFieldRequiresAuthentication(allowed: boolean) * getAddFieldPointerFields() * setAddFieldPointerFields(pointerFields: string[]) * getAddFieldAccess(entity: Entity) * setAddFieldAccess(entity: Entity, allowed: boolean) * getPublicAddFieldAccess() * setPublicAddFieldAccess(allowed: boolean) * getRoleAddFieldAccess(role: Role) * setRoleAddFieldAccess(role: Role, allowed: boolean) *

* * @alias Parse.CLP */ var ParseCLP = /*#__PURE__*/function () { /** * @param {(Parse.User | Parse.Role | object)} userId The user to initialize the CLP for */ function ParseCLP(userId /*: ParseUser | ParseRole | PermissionsMap*/ ) { var _this = this; (0, _classCallCheck2.default)(this, ParseCLP); (0, _defineProperty2.default)(this, "permissionsMap", void 0); this.permissionsMap = {}; // Initialize permissions Map with default permissions var _iterator = _createForOfIteratorHelper((0, _entries.default)(VALID_PERMISSIONS).call(VALID_PERMISSIONS)), _step; try { var _loop = function () { var _step$value = (0, _slicedToArray2.default)(_step.value, 2), operation = _step$value[0], group = _step$value[1]; _this.permissionsMap[operation] = _objectSpread({}, group); var action = operation.charAt(0).toUpperCase() + (0, _slice.default)(operation).call(operation, 1); _this["get".concat(action, "RequiresAuthentication")] = function () { return this._getAccess(operation, 'requiresAuthentication'); }; _this["set".concat(action, "RequiresAuthentication")] = function (allowed) { this._setAccess(operation, 'requiresAuthentication', allowed); }; _this["get".concat(action, "PointerFields")] = function () { return this._getAccess(operation, 'pointerFields', false); }; _this["set".concat(action, "PointerFields")] = function (pointerFields) { this._setArrayAccess(operation, 'pointerFields', pointerFields); }; _this["get".concat(action, "Access")] = function (entity) { return this._getAccess(operation, entity); }; _this["set".concat(action, "Access")] = function (entity, allowed) { this._setAccess(operation, entity, allowed); }; _this["getPublic".concat(action, "Access")] = function () { return this["get".concat(action, "Access")](PUBLIC_KEY); }; _this["setPublic".concat(action, "Access")] = function (allowed) { this["set".concat(action, "Access")](PUBLIC_KEY, allowed); }; _this["getRole".concat(action, "Access")] = function (role) { return this["get".concat(action, "Access")](this._getRoleName(role)); }; _this["setRole".concat(action, "Access")] = function (role, allowed) { this["set".concat(action, "Access")](this._getRoleName(role), allowed); }; }; for (_iterator.s(); !(_step = _iterator.n()).done;) { _loop(); } // Initialize permissions Map with default extended permissions } catch (err) { _iterator.e(err); } finally { _iterator.f(); } var _iterator2 = _createForOfIteratorHelper((0, _entries.default)(VALID_PERMISSIONS_EXTENDED).call(VALID_PERMISSIONS_EXTENDED)), _step2; try { for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) { var _step2$value = (0, _slicedToArray2.default)(_step2.value, 2), operation = _step2$value[0], group = _step2$value[1]; this.permissionsMap[operation] = _objectSpread({}, group); } } catch (err) { _iterator2.e(err); } finally { _iterator2.f(); } if (userId && (0, _typeof2.default)(userId) === 'object') { if (userId instanceof _ParseUser.default) { this.setReadAccess(userId, true); this.setWriteAccess(userId, true); } else if (userId instanceof _ParseRole.default) { this.setRoleReadAccess(userId, true); this.setRoleWriteAccess(userId, true); } else { for (var _permission in userId) { var _context; var users = userId[_permission]; var isValidPermission = !!VALID_PERMISSIONS.get(_permission); var isValidPermissionExtended = !!VALID_PERMISSIONS_EXTENDED.get(_permission); var isValidGroupPermission = (0, _includes.default)(_context = ['readUserFields', 'writeUserFields']).call(_context, _permission); if (typeof _permission !== 'string' || !(isValidPermission || isValidPermissionExtended || isValidGroupPermission)) { throw new TypeError('Tried to create an CLP with an invalid permission type.'); } if (isValidGroupPermission) { if ((0, _every.default)(users).call(users, function (pointer) { return typeof pointer === 'string'; })) { this.permissionsMap[_permission] = users; continue; } else { throw new TypeError('Tried to create an CLP with an invalid permission value.'); } } for (var user in users) { var allowed = users[user]; if (typeof allowed !== 'boolean' && !isValidPermissionExtended && user !== 'pointerFields') { throw new TypeError('Tried to create an CLP with an invalid permission value.'); } this.permissionsMap[_permission][user] = allowed; } } } } else if (typeof userId === 'function') { throw new TypeError('ParseCLP constructed with a function. Did you forget ()?'); } } /** * Returns a JSON-encoded version of the CLP. * * @returns {object} */ (0, _createClass2.default)(ParseCLP, [{ key: "toJSON", value: function () /*: PermissionsMap*/ { return _objectSpread({}, this.permissionsMap); } /** * Returns whether this CLP is equal to another object * * @param other The other object to compare to * @returns {boolean} */ }, { key: "equals", value: function (other /*: ParseCLP*/ ) /*: boolean*/ { if (!(other instanceof ParseCLP)) { return false; } var permissions = (0, _keys.default)(this.permissionsMap); var otherPermissions = (0, _keys.default)(other.permissionsMap); if (permissions.length !== otherPermissions.length) { return false; } for (var _permission2 in this.permissionsMap) { if (!other.permissionsMap[_permission2]) { return false; } var users = (0, _keys.default)(this.permissionsMap[_permission2]); var otherUsers = (0, _keys.default)(other.permissionsMap[_permission2]); if (users.length !== otherUsers.length) { return false; } for (var user in this.permissionsMap[_permission2]) { if (!other.permissionsMap[_permission2][user]) { return false; } if (this.permissionsMap[_permission2][user] !== other.permissionsMap[_permission2][user]) { return false; } } } return true; } }, { key: "_getRoleName", value: function (role /*: ParseRole | string*/ ) /*: string*/ { var name = role; if (role instanceof _ParseRole.default) { // Normalize to the String name name = role.getName(); } if (typeof name !== 'string') { throw new TypeError('role must be a Parse.Role or a String'); } return "role:".concat(name); } }, { key: "_parseEntity", value: function (entity /*: Entity*/ ) { var userId = entity; if (userId instanceof _ParseUser.default) { userId = userId.id; if (!userId) { throw new Error('Cannot get access for a Parse.User without an id.'); } } else if (userId instanceof _ParseRole.default) { userId = this._getRoleName(userId); } if (typeof userId !== 'string') { throw new TypeError('userId must be a string.'); } return userId; } }, { key: "_setAccess", value: function (permission /*: string*/ , userId /*: Entity*/ , allowed /*: boolean*/ ) { userId = this._parseEntity(userId); if (typeof allowed !== 'boolean') { throw new TypeError('allowed must be either true or false.'); } var permissions = this.permissionsMap[permission][userId]; if (!permissions) { if (!allowed) { // The user already doesn't have this permission, so no action is needed return; } this.permissionsMap[permission][userId] = {}; } if (allowed) { this.permissionsMap[permission][userId] = true; } else { delete this.permissionsMap[permission][userId]; } } }, { key: "_getAccess", value: function (permission /*: string*/ , userId /*: Entity*/ ) /*: boolean | string[]*/ { var returnBoolean = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : true; userId = this._parseEntity(userId); var permissions = this.permissionsMap[permission][userId]; if (returnBoolean) { if (!permissions) { return false; } return !!this.permissionsMap[permission][userId]; } return permissions; } }, { key: "_setArrayAccess", value: function (permission /*: string*/ , userId /*: Entity*/ , fields /*: string*/ ) { userId = this._parseEntity(userId); var permissions = this.permissionsMap[permission][userId]; if (!permissions) { this.permissionsMap[permission][userId] = []; } if (!fields || (0, _isArray.default)(fields) && fields.length === 0) { delete this.permissionsMap[permission][userId]; } else if ((0, _isArray.default)(fields) && (0, _every.default)(fields).call(fields, function (field) { return typeof field === 'string'; })) { this.permissionsMap[permission][userId] = fields; } else { throw new TypeError('fields must be an array of strings or undefined.'); } } }, { key: "_setGroupPointerPermission", value: function (operation /*: string*/ , pointerFields /*: string[]*/ ) { var fields = this.permissionsMap[operation]; if (!fields) { this.permissionsMap[operation] = []; } if (!pointerFields || (0, _isArray.default)(pointerFields) && pointerFields.length === 0) { delete this.permissionsMap[operation]; } else if ((0, _isArray.default)(pointerFields) && (0, _every.default)(pointerFields).call(pointerFields, function (field) { return typeof field === 'string'; })) { this.permissionsMap[operation] = pointerFields; } else { throw new TypeError("".concat(operation, ".pointerFields must be an array of strings or undefined.")); } } }, { key: "_getGroupPointerPermissions", value: function (operation /*: string*/ ) /*: string[]*/ { return this.permissionsMap[operation]; } /** * Sets user pointer fields to allow permission for get/count/find operations. * * @param {string[]} pointerFields User pointer fields */ }, { key: "setReadUserFields", value: function (pointerFields /*: string[]*/ ) { this._setGroupPointerPermission('readUserFields', pointerFields); } /** * @returns {string[]} User pointer fields */ }, { key: "getReadUserFields", value: function () /*: string[]*/ { return this._getGroupPointerPermissions('readUserFields'); } /** * Sets user pointer fields to allow permission for create/delete/update/addField operations * * @param {string[]} pointerFields User pointer fields */ }, { key: "setWriteUserFields", value: function (pointerFields /*: string[]*/ ) { this._setGroupPointerPermission('writeUserFields', pointerFields); } /** * @returns {string[]} User pointer fields */ }, { key: "getWriteUserFields", value: function () /*: string[]*/ { return this._getGroupPointerPermissions('writeUserFields'); } /** * Sets whether the given user is allowed to retrieve fields from this class. * * @param userId An instance of Parse.User or its objectId. * @param {string[]} fields fields to be protected */ }, { key: "setProtectedFields", value: function (userId /*: Entity*/ , fields /*: string[]*/ ) { this._setArrayAccess('protectedFields', userId, fields); } /** * Returns array of fields are accessable to this user. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role. * @returns {string[]} */ }, { key: "getProtectedFields", value: function (userId /*: Entity*/ ) /*: string[]*/ { return this._getAccess('protectedFields', userId, false); } /** * Sets whether the given user is allowed to read from this class. * * @param userId An instance of Parse.User or its objectId. * @param {boolean} allowed whether that user should have read access. */ }, { key: "setReadAccess", value: function (userId /*: Entity*/ , allowed /*: boolean*/ ) { this._setAccess('find', userId, allowed); this._setAccess('get', userId, allowed); this._setAccess('count', userId, allowed); } /** * Get whether the given user id is *explicitly* allowed to read from this class. * Even if this returns false, the user may still be able to access it if * getPublicReadAccess returns true or a role that the user belongs to has * write access. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role. * @returns {boolean} */ }, { key: "getReadAccess", value: function (userId /*: Entity*/ ) /*: boolean*/ { return this._getAccess('find', userId) && this._getAccess('get', userId) && this._getAccess('count', userId); } /** * Sets whether the given user id is allowed to write to this class. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role.. * @param {boolean} allowed Whether that user should have write access. */ }, { key: "setWriteAccess", value: function (userId /*: Entity*/ , allowed /*: boolean*/ ) { this._setAccess('create', userId, allowed); this._setAccess('update', userId, allowed); this._setAccess('delete', userId, allowed); this._setAccess('addField', userId, allowed); } /** * Gets whether the given user id is *explicitly* allowed to write to this class. * Even if this returns false, the user may still be able to write it if * getPublicWriteAccess returns true or a role that the user belongs to has * write access. * * @param userId An instance of Parse.User or its objectId, or a Parse.Role. * @returns {boolean} */ }, { key: "getWriteAccess", value: function (userId /*: Entity*/ ) /*: boolean*/ { return this._getAccess('create', userId) && this._getAccess('update', userId) && this._getAccess('delete', userId) && this._getAccess('addField', userId); } /** * Sets whether the public is allowed to read from this class. * * @param {boolean} allowed */ }, { key: "setPublicReadAccess", value: function (allowed /*: boolean*/ ) { this.setReadAccess(PUBLIC_KEY, allowed); } /** * Gets whether the public is allowed to read from this class. * * @returns {boolean} */ }, { key: "getPublicReadAccess", value: function () /*: boolean*/ { return this.getReadAccess(PUBLIC_KEY); } /** * Sets whether the public is allowed to write to this class. * * @param {boolean} allowed */ }, { key: "setPublicWriteAccess", value: function (allowed /*: boolean*/ ) { this.setWriteAccess(PUBLIC_KEY, allowed); } /** * Gets whether the public is allowed to write to this class. * * @returns {boolean} */ }, { key: "getPublicWriteAccess", value: function () /*: boolean*/ { return this.getWriteAccess(PUBLIC_KEY); } /** * Sets whether the public is allowed to protect fields in this class. * * @param {string[]} fields */ }, { key: "setPublicProtectedFields", value: function (fields /*: string[]*/ ) { this.setProtectedFields(PUBLIC_KEY, fields); } /** * Gets whether the public is allowed to read fields from this class. * * @returns {string[]} */ }, { key: "getPublicProtectedFields", value: function () /*: string[]*/ { return this.getProtectedFields(PUBLIC_KEY); } /** * Gets whether users belonging to the given role are allowed * to read from this class. Even if this returns false, the role may * still be able to write it if a parent role has read access. * * @param role The name of the role, or a Parse.Role object. * @returns {boolean} true if the role has read access. false otherwise. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "getRoleReadAccess", value: function (role /*: ParseRole | string*/ ) /*: boolean*/ { return this.getReadAccess(this._getRoleName(role)); } /** * Gets whether users belonging to the given role are allowed * to write to this user. Even if this returns false, the role may * still be able to write it if a parent role has write access. * * @param role The name of the role, or a Parse.Role object. * @returns {boolean} true if the role has write access. false otherwise. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "getRoleWriteAccess", value: function (role /*: ParseRole | string*/ ) /*: boolean*/ { return this.getWriteAccess(this._getRoleName(role)); } /** * Sets whether users belonging to the given role are allowed * to read from this class. * * @param role The name of the role, or a Parse.Role object. * @param {boolean} allowed Whether the given role can read this object. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "setRoleReadAccess", value: function (role /*: ParseRole | string*/ , allowed /*: boolean*/ ) { this.setReadAccess(this._getRoleName(role), allowed); } /** * Sets whether users belonging to the given role are allowed * to write to this class. * * @param role The name of the role, or a Parse.Role object. * @param {boolean} allowed Whether the given role can write this object. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "setRoleWriteAccess", value: function (role /*: ParseRole | string*/ , allowed /*: boolean*/ ) { this.setWriteAccess(this._getRoleName(role), allowed); } /** * Gets whether users belonging to the given role are allowed * to count to this user. Even if this returns false, the role may * still be able to count it if a parent role has count access. * * @param role The name of the role, or a Parse.Role object. * @returns {string[]} * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "getRoleProtectedFields", value: function (role /*: ParseRole | string*/ ) /*: string[]*/ { return this.getProtectedFields(this._getRoleName(role)); } /** * Sets whether users belonging to the given role are allowed * to set access field in this class. * * @param role The name of the role, or a Parse.Role object. * @param {string[]} fields Fields to be protected by Role. * @throws {TypeError} If role is neither a Parse.Role nor a String. */ }, { key: "setRoleProtectedFields", value: function (role /*: ParseRole | string*/ , fields /*: string[]*/ ) { this.setProtectedFields(this._getRoleName(role), fields); } }]); return ParseCLP; }(); var _default = ParseCLP; exports.default = _default; },{"./ParseRole":40,"./ParseUser":43,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/entries":69,"@babel/runtime-corejs3/core-js-stable/instance/every":70,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/map":85,"@babel/runtime-corejs3/core-js-stable/object/define-properties":88,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors":93,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols":94,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/slicedToArray":145,"@babel/runtime-corejs3/helpers/typeof":148}],27:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _decode = _interopRequireDefault(_dereq_("./decode")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _escape2 = _interopRequireDefault(_dereq_("./escape")); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _Storage = _interopRequireDefault(_dereq_("./Storage")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Parse.Config is a local representation of configuration data that * can be set from the Parse dashboard. * * @alias Parse.Config */ var ParseConfig = /*#__PURE__*/function () { function ParseConfig() { (0, _classCallCheck2.default)(this, ParseConfig); (0, _defineProperty2.default)(this, "attributes", void 0); (0, _defineProperty2.default)(this, "_escapedAttributes", void 0); this.attributes = {}; this._escapedAttributes = {}; } /** * Gets the value of an attribute. * * @param {string} attr The name of an attribute. * @returns {*} */ (0, _createClass2.default)(ParseConfig, [{ key: "get", value: function (attr /*: string*/ ) /*: any*/ { return this.attributes[attr]; } /** * Gets the HTML-escaped value of an attribute. * * @param {string} attr The name of an attribute. * @returns {string} */ }, { key: "escape", value: function (attr /*: string*/ ) /*: string*/ { var html = this._escapedAttributes[attr]; if (html) { return html; } var val = this.attributes[attr]; var escaped = ''; if (val != null) { escaped = (0, _escape2.default)(val.toString()); } this._escapedAttributes[attr] = escaped; return escaped; } /** * Retrieves the most recently-fetched configuration object, either from * memory or from local storage if necessary. * * @static * @returns {Parse.Config} The most recently-fetched Parse.Config if it * exists, else an empty Parse.Config. */ }], [{ key: "current", value: function () { var controller = _CoreManager.default.getConfigController(); return controller.current(); } /** * Gets a new configuration object from the server. * * @static * @param {object} options * Valid options are:
    *
  • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
* @returns {Promise} A promise that is resolved with a newly-created * configuration object when the get completes. */ }, { key: "get", value: function () { var options /*: RequestOptions*/ = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var controller = _CoreManager.default.getConfigController(); return controller.get(options); } /** * Save value keys to the server. * * @static * @param {object} attrs The config parameters and values. * @param {object} masterKeyOnlyFlags The flags that define whether config parameters listed * in `attrs` should be retrievable only by using the master key. * For example: `param1: true` makes `param1` only retrievable by using the master key. * If a parameter is not provided or set to `false`, it can be retrieved without * using the master key. * @returns {Promise} A promise that is resolved with a newly-created * configuration object or with the current with the update. */ }, { key: "save", value: function (attrs /*: { [key: string]: any }*/ , masterKeyOnlyFlags /*: { [key: string]: any }*/ ) { var controller = _CoreManager.default.getConfigController(); // To avoid a mismatch with the local and the cloud config we get a new version return controller.save(attrs, masterKeyOnlyFlags).then(function () { return controller.get({ useMasterKey: true }); }, function (error) { return _promise.default.reject(error); }); } /** * Used for testing * * @private */ }, { key: "_clearCache", value: function () { currentConfig = null; } }]); return ParseConfig; }(); var currentConfig = null; var CURRENT_CONFIG_KEY = 'currentConfig'; function decodePayload(data) { try { var json = JSON.parse(data); if (json && (0, _typeof2.default)(json) === 'object') { return (0, _decode.default)(json); } } catch (e) { return null; } } var DefaultController = { current: function () { if (currentConfig) { return currentConfig; } var config = new ParseConfig(); var storagePath = _Storage.default.generatePath(CURRENT_CONFIG_KEY); if (!_Storage.default.async()) { var configData = _Storage.default.getItem(storagePath); if (configData) { var attributes = decodePayload(configData); if (attributes) { config.attributes = attributes; currentConfig = config; } } return config; } // Return a promise for async storage controllers return _Storage.default.getItemAsync(storagePath).then(function (configData) { if (configData) { var _attributes = decodePayload(configData); if (_attributes) { config.attributes = _attributes; currentConfig = config; } } return config; }); }, get: function () { var options /*: RequestOptions*/ = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', 'config', {}, options).then(function (response) { if (!response || !response.params) { var error = new _ParseError.default(_ParseError.default.INVALID_JSON, 'Config JSON response invalid.'); return _promise.default.reject(error); } var config = new ParseConfig(); config.attributes = {}; for (var attr in response.params) { config.attributes[attr] = (0, _decode.default)(response.params[attr]); } currentConfig = config; return _Storage.default.setItemAsync(_Storage.default.generatePath(CURRENT_CONFIG_KEY), (0, _stringify.default)(response.params)).then(function () { return config; }); }); }, save: function (attrs /*: { [key: string]: any }*/ , masterKeyOnlyFlags /*: { [key: string]: any }*/ ) { var RESTController = _CoreManager.default.getRESTController(); var encodedAttrs = {}; for (var _key in attrs) { encodedAttrs[_key] = (0, _encode.default)(attrs[_key]); } return RESTController.request('PUT', 'config', { params: encodedAttrs, masterKeyOnly: masterKeyOnlyFlags }, { useMasterKey: true }).then(function (response) { if (response && response.result) { return _promise.default.resolve(); } var error = new _ParseError.default(_ParseError.default.INTERNAL_SERVER_ERROR, 'Error occured updating Config.'); return _promise.default.reject(error); }); } }; _CoreManager.default.setConfigController(DefaultController); var _default = ParseConfig; exports.default = _default; },{"./CoreManager":4,"./ParseError":28,"./Storage":47,"./decode":56,"./encode":57,"./escape":59,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],28:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty2(exports, "__esModule", { value: true }); exports.default = void 0; var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _defineProperty = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _assertThisInitialized2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/assertThisInitialized")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _wrapNativeSuper2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/wrapNativeSuper")); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ /** * Constructs a new Parse.Error object with the given code and message. * * @alias Parse.Error */ var ParseError = /*#__PURE__*/function (_Error) { (0, _inherits2.default)(ParseError, _Error); var _super = _createSuper(ParseError); /** * @param {number} code An error code constant from Parse.Error. * @param {string} message A detailed description of the error. */ function ParseError(code, message) { var _this; (0, _classCallCheck2.default)(this, ParseError); _this = _super.call(this, message); _this.code = code; (0, _defineProperty.default)((0, _assertThisInitialized2.default)(_this), 'message', { enumerable: true, value: message }); return _this; } (0, _createClass2.default)(ParseError, [{ key: "toString", value: function () { var _context; return (0, _concat.default)(_context = "ParseError: ".concat(this.code, " ")).call(_context, this.message); } }]); return ParseError; }( /*#__PURE__*/(0, _wrapNativeSuper2.default)(Error)); /** * Error code indicating some error other than those enumerated here. * * @property {number} OTHER_CAUSE * @static */ ParseError.OTHER_CAUSE = -1; /** * Error code indicating that something has gone wrong with the server. * * @property {number} INTERNAL_SERVER_ERROR * @static */ ParseError.INTERNAL_SERVER_ERROR = 1; /** * Error code indicating the connection to the Parse servers failed. * * @property {number} CONNECTION_FAILED * @static */ ParseError.CONNECTION_FAILED = 100; /** * Error code indicating the specified object doesn't exist. * * @property {number} OBJECT_NOT_FOUND * @static */ ParseError.OBJECT_NOT_FOUND = 101; /** * Error code indicating you tried to query with a datatype that doesn't * support it, like exact matching an array or object. * * @property {number} INVALID_QUERY * @static */ ParseError.INVALID_QUERY = 102; /** * Error code indicating a missing or invalid classname. Classnames are * case-sensitive. They must start with a letter, and a-zA-Z0-9_ are the * only valid characters. * * @property {number} INVALID_CLASS_NAME * @static */ ParseError.INVALID_CLASS_NAME = 103; /** * Error code indicating an unspecified object id. * * @property {number} MISSING_OBJECT_ID * @static */ ParseError.MISSING_OBJECT_ID = 104; /** * Error code indicating an invalid key name. Keys are case-sensitive. They * must start with a letter, and a-zA-Z0-9_ are the only valid characters. * * @property {number} INVALID_KEY_NAME * @static */ ParseError.INVALID_KEY_NAME = 105; /** * Error code indicating a malformed pointer. You should not see this unless * you have been mucking about changing internal Parse code. * * @property {number} INVALID_POINTER * @static */ ParseError.INVALID_POINTER = 106; /** * Error code indicating that badly formed JSON was received upstream. This * either indicates you have done something unusual with modifying how * things encode to JSON, or the network is failing badly. * * @property {number} INVALID_JSON * @static */ ParseError.INVALID_JSON = 107; /** * Error code indicating that the feature you tried to access is only * available internally for testing purposes. * * @property {number} COMMAND_UNAVAILABLE * @static */ ParseError.COMMAND_UNAVAILABLE = 108; /** * You must call Parse.initialize before using the Parse library. * * @property {number} NOT_INITIALIZED * @static */ ParseError.NOT_INITIALIZED = 109; /** * Error code indicating that a field was set to an inconsistent type. * * @property {number} INCORRECT_TYPE * @static */ ParseError.INCORRECT_TYPE = 111; /** * Error code indicating an invalid channel name. A channel name is either * an empty string (the broadcast channel) or contains only a-zA-Z0-9_ * characters and starts with a letter. * * @property {number} INVALID_CHANNEL_NAME * @static */ ParseError.INVALID_CHANNEL_NAME = 112; /** * Error code indicating that push is misconfigured. * * @property {number} PUSH_MISCONFIGURED * @static */ ParseError.PUSH_MISCONFIGURED = 115; /** * Error code indicating that the object is too large. * * @property {number} OBJECT_TOO_LARGE * @static */ ParseError.OBJECT_TOO_LARGE = 116; /** * Error code indicating that the operation isn't allowed for clients. * * @property {number} OPERATION_FORBIDDEN * @static */ ParseError.OPERATION_FORBIDDEN = 119; /** * Error code indicating the result was not found in the cache. * * @property {number} CACHE_MISS * @static */ ParseError.CACHE_MISS = 120; /** * Error code indicating that an invalid key was used in a nested * JSONObject. * * @property {number} INVALID_NESTED_KEY * @static */ ParseError.INVALID_NESTED_KEY = 121; /** * Error code indicating that an invalid filename was used for ParseFile. * A valid file name contains only a-zA-Z0-9_. characters and is between 1 * and 128 characters. * * @property {number} INVALID_FILE_NAME * @static */ ParseError.INVALID_FILE_NAME = 122; /** * Error code indicating an invalid ACL was provided. * * @property {number} INVALID_ACL * @static */ ParseError.INVALID_ACL = 123; /** * Error code indicating that the request timed out on the server. Typically * this indicates that the request is too expensive to run. * * @property {number} TIMEOUT * @static */ ParseError.TIMEOUT = 124; /** * Error code indicating that the email address was invalid. * * @property {number} INVALID_EMAIL_ADDRESS * @static */ ParseError.INVALID_EMAIL_ADDRESS = 125; /** * Error code indicating a missing content type. * * @property {number} MISSING_CONTENT_TYPE * @static */ ParseError.MISSING_CONTENT_TYPE = 126; /** * Error code indicating a missing content length. * * @property {number} MISSING_CONTENT_LENGTH * @static */ ParseError.MISSING_CONTENT_LENGTH = 127; /** * Error code indicating an invalid content length. * * @property {number} INVALID_CONTENT_LENGTH * @static */ ParseError.INVALID_CONTENT_LENGTH = 128; /** * Error code indicating a file that was too large. * * @property {number} FILE_TOO_LARGE * @static */ ParseError.FILE_TOO_LARGE = 129; /** * Error code indicating an error saving a file. * * @property {number} FILE_SAVE_ERROR * @static */ ParseError.FILE_SAVE_ERROR = 130; /** * Error code indicating that a unique field was given a value that is * already taken. * * @property {number} DUPLICATE_VALUE * @static */ ParseError.DUPLICATE_VALUE = 137; /** * Error code indicating that a role's name is invalid. * * @property {number} INVALID_ROLE_NAME * @static */ ParseError.INVALID_ROLE_NAME = 139; /** * Error code indicating that an application quota was exceeded. Upgrade to * resolve. * * @property {number} EXCEEDED_QUOTA * @static */ ParseError.EXCEEDED_QUOTA = 140; /** * Error code indicating that a Cloud Code script failed. * * @property {number} SCRIPT_FAILED * @static */ ParseError.SCRIPT_FAILED = 141; /** * Error code indicating that a Cloud Code validation failed. * * @property {number} VALIDATION_ERROR * @static */ ParseError.VALIDATION_ERROR = 142; /** * Error code indicating that invalid image data was provided. * * @property {number} INVALID_IMAGE_DATA * @static */ ParseError.INVALID_IMAGE_DATA = 143; /** * Error code indicating an unsaved file. * * @property {number} UNSAVED_FILE_ERROR * @static */ ParseError.UNSAVED_FILE_ERROR = 151; /** * Error code indicating an invalid push time. * * @property {number} INVALID_PUSH_TIME_ERROR * @static */ ParseError.INVALID_PUSH_TIME_ERROR = 152; /** * Error code indicating an error deleting a file. * * @property {number} FILE_DELETE_ERROR * @static */ ParseError.FILE_DELETE_ERROR = 153; /** * Error code indicating an error deleting an unnamed file. * * @property {number} FILE_DELETE_UNNAMED_ERROR * @static */ ParseError.FILE_DELETE_UNNAMED_ERROR = 161; /** * Error code indicating that the application has exceeded its request * limit. * * @property {number} REQUEST_LIMIT_EXCEEDED * @static */ ParseError.REQUEST_LIMIT_EXCEEDED = 155; /** * Error code indicating that the request was a duplicate and has been discarded due to * idempotency rules. * * @property {number} DUPLICATE_REQUEST * @static */ ParseError.DUPLICATE_REQUEST = 159; /** * Error code indicating an invalid event name. * * @property {number} INVALID_EVENT_NAME * @static */ ParseError.INVALID_EVENT_NAME = 160; /** * Error code indicating that the username is missing or empty. * * @property {number} USERNAME_MISSING * @static */ ParseError.USERNAME_MISSING = 200; /** * Error code indicating that the password is missing or empty. * * @property {number} PASSWORD_MISSING * @static */ ParseError.PASSWORD_MISSING = 201; /** * Error code indicating that the username has already been taken. * * @property {number} USERNAME_TAKEN * @static */ ParseError.USERNAME_TAKEN = 202; /** * Error code indicating that the email has already been taken. * * @property {number} EMAIL_TAKEN * @static */ ParseError.EMAIL_TAKEN = 203; /** * Error code indicating that the email is missing, but must be specified. * * @property {number} EMAIL_MISSING * @static */ ParseError.EMAIL_MISSING = 204; /** * Error code indicating that a user with the specified email was not found. * * @property {number} EMAIL_NOT_FOUND * @static */ ParseError.EMAIL_NOT_FOUND = 205; /** * Error code indicating that a user object without a valid session could * not be altered. * * @property {number} SESSION_MISSING * @static */ ParseError.SESSION_MISSING = 206; /** * Error code indicating that a user can only be created through signup. * * @property {number} MUST_CREATE_USER_THROUGH_SIGNUP * @static */ ParseError.MUST_CREATE_USER_THROUGH_SIGNUP = 207; /** * Error code indicating that an an account being linked is already linked * to another user. * * @property {number} ACCOUNT_ALREADY_LINKED * @static */ ParseError.ACCOUNT_ALREADY_LINKED = 208; /** * Error code indicating that the current session token is invalid. * * @property {number} INVALID_SESSION_TOKEN * @static */ ParseError.INVALID_SESSION_TOKEN = 209; /** * Error code indicating an error enabling or verifying MFA * * @property {number} MFA_ERROR * @static */ ParseError.MFA_ERROR = 210; /** * Error code indicating that a valid MFA token must be provided * * @property {number} MFA_TOKEN_REQUIRED * @static */ ParseError.MFA_TOKEN_REQUIRED = 211; /** * Error code indicating that a user cannot be linked to an account because * that account's id could not be found. * * @property {number} LINKED_ID_MISSING * @static */ ParseError.LINKED_ID_MISSING = 250; /** * Error code indicating that a user with a linked (e.g. Facebook) account * has an invalid session. * * @property {number} INVALID_LINKED_SESSION * @static */ ParseError.INVALID_LINKED_SESSION = 251; /** * Error code indicating that a service being linked (e.g. Facebook or * Twitter) is unsupported. * * @property {number} UNSUPPORTED_SERVICE * @static */ ParseError.UNSUPPORTED_SERVICE = 252; /** * Error code indicating an invalid operation occured on schema * * @property {number} INVALID_SCHEMA_OPERATION * @static */ ParseError.INVALID_SCHEMA_OPERATION = 255; /** * Error code indicating that there were multiple errors. Aggregate errors * have an "errors" property, which is an array of error objects with more * detail about each error that occurred. * * @property {number} AGGREGATE_ERROR * @static */ ParseError.AGGREGATE_ERROR = 600; /** * Error code indicating the client was unable to read an input file. * * @property {number} FILE_READ_ERROR * @static */ ParseError.FILE_READ_ERROR = 601; /** * Error code indicating a real error code is unavailable because * we had to use an XDomainRequest object to allow CORS requests in * Internet Explorer, which strips the body from HTTP responses that have * a non-2XX status code. * * @property {number} X_DOMAIN_REQUEST * @static */ ParseError.X_DOMAIN_REQUEST = 602; var _default = ParseError; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/assertThisInitialized":127,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143,"@babel/runtime-corejs3/helpers/wrapNativeSuper":150}],29:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Object$defineProperties = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-properties"); var _Object$getOwnPropertyDescriptors = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors"); var _forEachInstanceProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _filterInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter"); var _Object$getOwnPropertySymbols = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols"); var _Object$keys2 = _dereq_("@babel/runtime-corejs3/core-js-stable/object/keys"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _slice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _ParseFileEncode = _dereq_("./ParseFileEncode"); function ownKeys(object, enumerableOnly) { var keys = _Object$keys2(object); if (_Object$getOwnPropertySymbols) { var symbols = _Object$getOwnPropertySymbols(object); if (enumerableOnly) { symbols = _filterInstanceProperty(symbols).call(symbols, function (sym) { return _Object$getOwnPropertyDescriptor(object, sym).enumerable; }); } keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { var _context4; _forEachInstanceProperty2(_context4 = ownKeys(Object(source), true)).call(_context4, function (key) { (0, _defineProperty2.default)(target, key, source[key]); }); } else if (_Object$getOwnPropertyDescriptors) { _Object$defineProperties(target, _Object$getOwnPropertyDescriptors(source)); } else { var _context5; _forEachInstanceProperty2(_context5 = ownKeys(Object(source))).call(_context5, function (key) { _Object$defineProperty(target, key, _Object$getOwnPropertyDescriptor(source, key)); }); } } return target; } var ParseError = _dereq_('./ParseError').default; /*:: type Base64 = { base64: string };*/ /*:: type Uri = { uri: string };*/ /*:: type FileData = Array | Base64 | Blob | Uri;*/ /*:: export type FileSource = | { format: 'file', file: Blob, type: string, } | { format: 'base64', base64: string, type: string, } | { format: 'uri', uri: string, type: string, };*/ var dataUriRegexp = /^data:([a-zA-Z]+\/[-a-zA-Z0-9+.]+)(;charset=[a-zA-Z0-9\-/]*)?;base64,/; /** * A Parse.File is a local representation of a file that is saved to the Parse * cloud. * * @alias Parse.File */ var ParseFile = /*#__PURE__*/function () { /** * @param name {String} The file's name. This will be prefixed by a unique * value once the file has finished saving. The file name must begin with * an alphanumeric character, and consist of alphanumeric characters, * periods, spaces, underscores, or dashes. * @param data {Array} The data for the file, as either: * 1. an Array of byte value Numbers, or * 2. an Object like { base64: "..." } with a base64-encoded String. * 3. an Object like { uri: "..." } with a uri String. * 4. a File object selected with a file upload control. (3) only works * in Firefox 3.6+, Safari 6.0.2+, Chrome 7+, and IE 10+. * For example: *
     * var fileUploadControl = $("#profilePhotoFileUpload")[0];
     * if (fileUploadControl.files.length > 0) {
     *   var file = fileUploadControl.files[0];
     *   var name = "photo.jpg";
     *   var parseFile = new Parse.File(name, file);
     *   parseFile.save().then(function() {
     *     // The file has been saved to Parse.
     *   }, function(error) {
     *     // The file either could not be read, or could not be saved to Parse.
     *   });
     * }
* @param type {String} Optional Content-Type header to use for the file. If * this is omitted, the content type will be inferred from the name's * extension. * @param metadata {Object} Optional key value pairs to be stored with file object * @param tags {Object} Optional key value pairs to be stored with file object */ function ParseFile(name /*: string*/ , data /*:: ?: FileData*/ , type /*:: ?: string*/ , metadata /*:: ?: Object*/ , tags /*:: ?: Object*/ ) { (0, _classCallCheck2.default)(this, ParseFile); (0, _defineProperty2.default)(this, "_name", void 0); (0, _defineProperty2.default)(this, "_url", void 0); (0, _defineProperty2.default)(this, "_hash", void 0); (0, _defineProperty2.default)(this, "_ipfs", void 0); (0, _defineProperty2.default)(this, "_source", void 0); (0, _defineProperty2.default)(this, "_previousSave", void 0); (0, _defineProperty2.default)(this, "_data", void 0); (0, _defineProperty2.default)(this, "_requestTask", void 0); (0, _defineProperty2.default)(this, "_metadata", void 0); (0, _defineProperty2.default)(this, "_tags", void 0); var specifiedType = type || ''; this._name = name; this._metadata = metadata || {}; this._tags = tags || {}; if (data !== undefined) { if ((0, _isArray.default)(data)) { this._data = ParseFile.encodeBase64(data); this._source = { format: 'base64', base64: this._data, type: specifiedType }; } else if (typeof Blob !== 'undefined' && data instanceof Blob) { this._source = { format: 'file', file: data, type: specifiedType }; } else if (data && typeof data.uri === 'string' && data.uri !== undefined) { this._source = { format: 'uri', uri: data.uri, type: specifiedType }; } else if (data && typeof data.base64 === 'string') { var base64 = data.base64; var commaIndex = (0, _indexOf.default)(base64).call(base64, ','); if (commaIndex !== -1) { var matches = dataUriRegexp.exec((0, _slice.default)(base64).call(base64, 0, commaIndex + 1)); // if data URI with type and charset, there will be 4 matches. this._data = (0, _slice.default)(base64).call(base64, commaIndex + 1); this._source = { format: 'base64', base64: this._data, type: matches[1] }; } else { this._data = base64; this._source = { format: 'base64', base64: base64, type: specifiedType }; } } else { throw new TypeError('Cannot create a Parse.File with that data.'); } } } /** * Return the data for the file, downloading it if not already present. * Data is present if initialized with Byte Array, Base64 or Saved with Uri. * Data is cleared if saved with File object selected with a file upload control * * @returns {Promise} Promise that is resolve with base64 data */ (0, _createClass2.default)(ParseFile, [{ key: "getData", value: function () { var _getData = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var _this = this; var options, controller, result; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: if (!this._data) { _context.next = 2; break; } return _context.abrupt("return", this._data); case 2: if (this._url) { _context.next = 4; break; } throw new Error('Cannot retrieve data for unsaved ParseFile.'); case 4: options = { requestTask: function (task) { return _this._requestTask = task; } }; controller = _CoreManager.default.getFileController(); _context.next = 8; return controller.download(this._url, options); case 8: result = _context.sent; this._data = result.base64; return _context.abrupt("return", this._data); case 11: case "end": return _context.stop(); } } }, _callee, this); })); return function () { return _getData.apply(this, arguments); }; }() /** * Gets the name of the file. Before save is called, this is the filename * given by the user. After save is called, that name gets prefixed with a * unique identifier. * * @returns {string} */ }, { key: "name", value: function () /*: string*/ { return this._name; } /** * Gets the url of the file. It is only available after you save the file or * after you get the file from a Parse.Object. * * @param {object} options An object to specify url options * @returns {string} */ }, { key: "url", value: function (options /*:: ?: { forceSecure?: boolean }*/ ) /*: ?string*/ { options = options || {}; if (!this._url) { return; } if (options.forceSecure) { return this._url.replace(/^http:\/\//i, 'https://'); } return this._url; } }, { key: "ipfs", value: function () { return this._ipfs; } }, { key: "hash", value: function () { return this._hash; } /** * Gets the metadata of the file. * * @returns {object} */ }, { key: "metadata", value: function () /*: Object*/ { return this._metadata; } /** * Gets the tags of the file. * * @returns {object} */ }, { key: "tags", value: function () /*: Object*/ { return this._tags; } /** * Saves the file to the Parse cloud. * * @param {object} options * * Valid options are:
    *
  • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
  • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
  • progress: In Browser only, callback for upload progress. For example: *
           * let parseFile = new Parse.File(name, file);
           * parseFile.save({
           *   progress: (progressValue, loaded, total, { type }) => {
           *     if (type === "upload" && progressValue !== null) {
           *       // Update the UI using progressValue
           *     }
           *   }
           * });
           * 
    *
* @returns {Promise} Promise that is resolved when the save finishes. */ }, { key: "save", value: function (options /*:: ?: FullOptions*/ ) { var _this2 = this; options = options || {}; options.requestTask = function (task) { return _this2._requestTask = task; }; options.metadata = this._metadata; options.tags = this._tags; var controller = _CoreManager.default.getFileController(); if (!this._previousSave) { if (this._source.format === 'file') { this._previousSave = controller.saveFile(this._name, this._source, options).then(function (res) { _this2._name = res.name; _this2._url = res.url; _this2._hash = res.hash; _this2._ipfs = res.ipfs; _this2._data = null; _this2._requestTask = null; return _this2; }); } else if (this._source.format === 'uri') { this._previousSave = controller.download(this._source.uri, options).then(function (result) { if (!(result && result.base64)) { return {}; } var newSource = { format: 'base64', base64: result.base64, type: result.contentType }; _this2._data = result.base64; _this2._requestTask = null; return controller.saveBase64(_this2._name, newSource, options); }).then(function (res) { _this2._name = res.name; _this2._url = res.url; _this2._hash = res.hash; _this2._ipfs = res.ipfs; _this2._requestTask = null; return _this2; }); } else { this._previousSave = controller.saveBase64(this._name, this._source, options).then(function (res) { _this2._name = res.name; _this2._url = res.url; _this2._hash = res.hash; _this2._ipfs = res.ipfs; _this2._requestTask = null; return _this2; }); } } if (this._previousSave) { return this._previousSave; } } }, { key: "saveIPFS", value: function (options /*:: ?: FullOptions*/ ) { return this.save(_objectSpread(_objectSpread({}, options), {}, { ipfs: true })); } /** * Aborts the request if it has already been sent. */ }, { key: "cancel", value: function () { if (this._requestTask && typeof this._requestTask.abort === 'function') { this._requestTask.abort(); } this._requestTask = null; } /** * Deletes the file from the Parse cloud. * In Cloud Code and Node only with Master Key. * * @param {object} options * * Valid options are:
    *
  • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
           * @returns {Promise} Promise that is resolved when the delete finishes.
           */
      
        }, {
          key: "destroy",
          value: function () {
            var _this3 = this;
      
            var options
            /*:: ?: FullOptions*/
            = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};
      
            if (!this._name) {
              throw new ParseError(ParseError.FILE_DELETE_UNNAMED_ERROR, 'Cannot delete an unnamed file.');
            }
      
            var destroyOptions = {
              useMasterKey: true
            };
      
            if (options.hasOwnProperty('useMasterKey')) {
              destroyOptions.useMasterKey = options.useMasterKey;
            }
      
            var controller = _CoreManager.default.getFileController();
      
            return controller.deleteFile(this._name, destroyOptions).then(function () {
              _this3._data = null;
              _this3._requestTask = null;
              return _this3;
            });
          }
        }, {
          key: "toJSON",
          value: function ()
          /*: { name: ?string, url: ?string }*/
          {
            return {
              __type: 'File',
              name: this._name,
              url: this._url,
              ipfs: this._ipfs,
              hash: this._hash
            };
          }
        }, {
          key: "equals",
          value: function (other
          /*: mixed*/
          )
          /*: boolean*/
          {
            if (this === other) {
              return true;
            } // Unsaved Files are never equal, since they will be saved to different URLs
      
      
            return other instanceof ParseFile && this.name() === other.name() && this.url() === other.url() && typeof this.url() !== 'undefined';
          }
          /**
           * Sets metadata to be saved with file object. Overwrites existing metadata
           *
           * @param {object} metadata Key value pairs to be stored with file object
           */
      
        }, {
          key: "setMetadata",
          value: function (metadata
          /*: any*/
          ) {
            var _this4 = this;
      
            if (metadata && (0, _typeof2.default)(metadata) === 'object') {
              var _context2;
      
              (0, _forEach.default)(_context2 = (0, _keys.default)(metadata)).call(_context2, function (key) {
                _this4.addMetadata(key, metadata[key]);
              });
            }
          }
          /**
           * Sets metadata to be saved with file object. Adds to existing metadata.
           *
           * @param {string} key key to store the metadata
           * @param {*} value metadata
           */
      
        }, {
          key: "addMetadata",
          value: function (key
          /*: string*/
          , value
          /*: any*/
          ) {
            if (typeof key === 'string') {
              this._metadata[key] = value;
            }
          }
          /**
           * Sets tags to be saved with file object. Overwrites existing tags
           *
           * @param {object} tags Key value pairs to be stored with file object
           */
      
        }, {
          key: "setTags",
          value: function (tags
          /*: any*/
          ) {
            var _this5 = this;
      
            if (tags && (0, _typeof2.default)(tags) === 'object') {
              var _context3;
      
              (0, _forEach.default)(_context3 = (0, _keys.default)(tags)).call(_context3, function (key) {
                _this5.addTag(key, tags[key]);
              });
            }
          }
          /**
           * Sets tags to be saved with file object. Adds to existing tags.
           *
           * @param {string} key key to store tags
           * @param {*} value tag
           */
      
        }, {
          key: "addTag",
          value: function (key
          /*: string*/
          , value
          /*: string*/
          ) {
            if (typeof key === 'string') {
              this._tags[key] = value;
            }
          }
        }], [{
          key: "fromJSON",
          value: function (obj)
          /*: ParseFile*/
          {
            if (obj.__type !== 'File') {
              throw new TypeError('JSON object does not represent a ParseFile');
            }
      
            var file = new ParseFile(obj.name);
            file._url = obj.url;
            file._hash = obj.hash;
            file._ipfs = obj.ipfs;
            return file;
          }
        }, {
          key: "encodeBase64",
          value: function (bytes
          /*: Array*/
          )
          /*: string*/
          {
            return (0, _ParseFileEncode.encodeBase64)(bytes);
          }
        }]);
        return ParseFile;
      }();
      
      _CoreManager.default.setFileController(_dereq_('./ParseFileController.default'));
      
      var _default = ParseFile;
      exports.default = _default;
      exports.b64Digit = _ParseFileEncode.b64Digit;
      },{"./CoreManager":4,"./ParseError":28,"./ParseFileController.default":30,"./ParseFileEncode":31,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/object/define-properties":88,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors":93,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols":94,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148,"@babel/runtime-corejs3/regenerator":152}],30:[function(_dereq_,module,exports){
      "use strict";
      
      var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault");
      
      var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property");
      
      var _Object$defineProperties = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-properties");
      
      var _Object$getOwnPropertyDescriptors = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors");
      
      var _forEachInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each");
      
      var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor");
      
      var _filterInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter");
      
      var _Object$getOwnPropertySymbols = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols");
      
      var _Object$keys = _dereq_("@babel/runtime-corejs3/core-js-stable/object/keys");
      
      var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of"));
      
      var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty"));
      
      var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator"));
      
      var _slicedToArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/slicedToArray"));
      
      var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise"));
      
      var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator"));
      
      var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager"));
      
      var _ParseFileEncode = _dereq_("./ParseFileEncode");
      
      function ownKeys(object, enumerableOnly) {
        var keys = _Object$keys(object);
      
        if (_Object$getOwnPropertySymbols) {
          var symbols = _Object$getOwnPropertySymbols(object);
      
          if (enumerableOnly) {
            symbols = _filterInstanceProperty(symbols).call(symbols, function (sym) {
              return _Object$getOwnPropertyDescriptor(object, sym).enumerable;
            });
          }
      
          keys.push.apply(keys, symbols);
        }
      
        return keys;
      }
      
      function _objectSpread(target) {
        for (var i = 1; i < arguments.length; i++) {
          var source = arguments[i] != null ? arguments[i] : {};
      
          if (i % 2) {
            var _context2;
      
            _forEachInstanceProperty(_context2 = ownKeys(Object(source), true)).call(_context2, function (key) {
              (0, _defineProperty2.default)(target, key, source[key]);
            });
          } else if (_Object$getOwnPropertyDescriptors) {
            _Object$defineProperties(target, _Object$getOwnPropertyDescriptors(source));
          } else {
            var _context3;
      
            _forEachInstanceProperty(_context3 = ownKeys(Object(source))).call(_context3, function (key) {
              _Object$defineProperty(target, key, _Object$getOwnPropertyDescriptor(source, key));
            });
          }
        }
      
        return target;
      }
      
      var XHR = null;
      
      if (typeof XMLHttpRequest !== 'undefined') {
        XHR = XMLHttpRequest;
      }
      
      var DefaultController = {
        saveFile: function () {
          var _saveFile = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(name
          /*: string*/
          , source
          /*: FileSource*/
          , options
          /*:: ?: FullOptions*/
          ) {
            var base64Data, _base64Data$split, _base64Data$split2, first, second, data, newSource;
      
            return _regenerator.default.wrap(function (_context) {
              while (1) {
                switch (_context.prev = _context.next) {
                  case 0:
                    if (!(source.format !== 'file')) {
                      _context.next = 2;
                      break;
                    }
      
                    throw new Error('saveFile can only be used with File-type sources.');
      
                  case 2:
                    _context.next = 4;
                    return new _promise.default(function (res, rej) {
                      // eslint-disable-next-line no-undef
                      var reader = new FileReader();
      
                      reader.onload = function () {
                        return res(reader.result);
                      };
      
                      reader.onerror = function (error) {
                        return rej(error);
                      };
      
                      reader.readAsDataURL(source.file);
                    });
      
                  case 4:
                    base64Data = _context.sent; // we only want the data after the comma
                    // For example: "data:application/pdf;base64,JVBERi0xLjQKJ..." we would only want "JVBERi0xLjQKJ..."
      
                    _base64Data$split = base64Data.split(','), _base64Data$split2 = (0, _slicedToArray2.default)(_base64Data$split, 2), first = _base64Data$split2[0], second = _base64Data$split2[1]; // in the event there is no 'data:application/pdf;base64,' at the beginning of the base64 string
                    // use the entire string instead
      
                    data = second ? second : first;
                    newSource = {
                      format: 'base64',
                      base64: data,
                      type: source.type || (source.file ? source.file.type : null)
                    };
                    _context.next = 10;
                    return DefaultController.saveBase64(name, newSource, options);
      
                  case 10:
                    return _context.abrupt("return", _context.sent);
      
                  case 11:
                  case "end":
                    return _context.stop();
                }
              }
            }, _callee);
          }));
      
          return function () {
            return _saveFile.apply(this, arguments);
          };
        }(),
        saveBase64: function (name
        /*: string*/
        , source
        /*: FileSource*/
        , options
        /*:: ?: FullOptions*/
        ) {
          if (source.format !== 'base64') {
            throw new Error('saveBase64 can only be used with Base64-type sources.');
          }
      
          var data
          /*: { base64: any, _ContentType?: any, fileData: Object }*/
          = {
            base64: source.base64,
            fileData: {
              ipfs: options.ipfs,
              metadata: _objectSpread({}, options.metadata),
              tags: _objectSpread({}, options.tags)
            }
          };
          delete options.metadata;
          delete options.tags;
      
          if (source.type) {
            data._ContentType = source.type;
          }
      
          var path = "files/".concat(name);
          return _CoreManager.default.getRESTController().request('POST', path, data, options);
        },
        download: function (uri, options) {
          if (XHR) {
            return this.downloadAjax(uri, options);
          }
      
          return _promise.default.reject('Cannot make a request: No definition of XMLHttpRequest was found.');
        },
        downloadAjax: function (uri, options) {
          return new _promise.default(function (resolve, reject) {
            var xhr = new XHR();
            xhr.open('GET', uri, true);
            xhr.responseType = 'arraybuffer';
      
            xhr.onerror = function (e) {
              reject(e);
            };
      
            xhr.onreadystatechange = function () {
              if (xhr.readyState !== xhr.DONE) {
                return;
              }
      
              if (!this.response) {
                return resolve({});
              }
      
              var bytes = new Uint8Array(this.response);
              resolve({
                base64: (0, _ParseFileEncode.encodeBase64)(bytes),
                contentType: xhr.getResponseHeader('content-type')
              });
            };
      
            options.requestTask(xhr);
            xhr.send();
          });
        },
        deleteFile: function (name
        /*: string*/
        , options
        /*:: ?: FullOptions*/
        ) {
          var headers = {
            'X-Parse-Application-ID': _CoreManager.default.get('APPLICATION_ID')
          };
      
          if (options.useMasterKey) {
            headers['X-Parse-Master-Key'] = _CoreManager.default.get('MASTER_KEY');
          }
      
          var url = _CoreManager.default.get('SERVER_URL');
      
          if (url[url.length - 1] !== '/') {
            url += '/';
          }
      
          url += "files/".concat(name);
          return _CoreManager.default.getRESTController().ajax('DELETE', url, '', headers).catch(function (response) {
            // TODO: return JSON object in server
            if (!response || response === 'SyntaxError: Unexpected end of JSON input') {
              return _promise.default.resolve();
            }
      
            return _CoreManager.default.getRESTController().handleError(response);
          });
        },
        _setXHR: function (xhr
        /*: any*/
        ) {
          XHR = xhr;
        },
        _getXHR: function () {
          return XHR;
        }
      };
      module.exports = DefaultController;
      },{"./CoreManager":4,"./ParseFileEncode":31,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-properties":88,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors":93,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols":94,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/slicedToArray":145,"@babel/runtime-corejs3/regenerator":152}],31:[function(_dereq_,module,exports){
      "use strict";
      /* eslint-disable no-bitwise */
      
      function b64Digit(number
      /*: number*/
      )
      /*: string*/
      {
        if (number < 26) {
          return String.fromCharCode(65 + number);
        }
      
        if (number < 52) {
          return String.fromCharCode(97 + (number - 26));
        }
      
        if (number < 62) {
          return String.fromCharCode(48 + (number - 52));
        }
      
        if (number === 62) {
          return '+';
        }
      
        if (number === 63) {
          return '/';
        }
      
        throw new TypeError("Tried to encode large digit ".concat(number, " in base64."));
      }
      
      function encodeBase64(bytes
      /*: Array*/
      )
      /*: string*/
      {
        var chunks = [];
        chunks.length = Math.ceil(bytes.length / 3);
      
        for (var i = 0; i < chunks.length; i++) {
          var b1 = bytes[i * 3];
          var b2 = bytes[i * 3 + 1] || 0;
          var b3 = bytes[i * 3 + 2] || 0;
          var has2 = i * 3 + 1 < bytes.length;
          var has3 = i * 3 + 2 < bytes.length;
          chunks[i] = [b64Digit(b1 >> 2 & 0x3f), b64Digit(b1 << 4 & 0x30 | b2 >> 4 & 0x0f), has2 ? b64Digit(b2 << 2 & 0x3c | b3 >> 6 & 0x03) : '=', has3 ? b64Digit(b3 & 0x3f) : '='].join('');
        }
      
        return chunks.join('');
      }
      
      module.exports = {
        encodeBase64: encodeBase64,
        b64Digit: b64Digit
      };
      },{}],32:[function(_dereq_,module,exports){
      "use strict";
      
      var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault");
      
      var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property");
      
      _Object$defineProperty(exports, "__esModule", {
        value: true
      });
      
      exports.default = void 0;
      
      var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof"));
      
      var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"));
      
      var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck"));
      
      var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass"));
      
      var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty"));
      /**
       * Copyright (c) 2015-present, Parse, LLC.
       * All rights reserved.
       *
       * This source code is licensed under the BSD-style license found in the
       * LICENSE file in the root directory of this source tree. An additional grant
       * of patent rights can be found in the PATENTS file in the same directory.
       *
       * @flow
       */
      
      /**
       * Creates a new GeoPoint with any of the following forms:
    *
       *   new GeoPoint(otherGeoPoint)
       *   new GeoPoint(30, 30)
       *   new GeoPoint([30, 30])
       *   new GeoPoint({latitude: 30, longitude: 30})
       *   new GeoPoint()  // defaults to (0, 0)
       *   
    *

    Represents a latitude / longitude point that may be associated * with a key in a ParseObject or used as a reference point for geo queries. * This allows proximity-based queries on the key.

    * *

    Only one key in a class may contain a GeoPoint.

    * *

    Example:

       *   var point = new Parse.GeoPoint(30.0, -20.0);
       *   var object = new Parse.Object("PlaceObject");
       *   object.set("location", point);
       *   object.save();

    * * @alias Parse.GeoPoint */ /* global navigator */ var ParseGeoPoint = /*#__PURE__*/function () { /** * @param {(number[] | object | number)} arg1 Either a list of coordinate pairs, an object with `latitude`, `longitude`, or the latitude or the point. * @param {number} arg2 The longitude of the GeoPoint */ function ParseGeoPoint(arg1 /*: Array | { latitude: number, longitude: number } | number*/ , arg2 /*:: ?: number*/ ) { (0, _classCallCheck2.default)(this, ParseGeoPoint); (0, _defineProperty2.default)(this, "_latitude", void 0); (0, _defineProperty2.default)(this, "_longitude", void 0); if ((0, _isArray.default)(arg1)) { ParseGeoPoint._validate(arg1[0], arg1[1]); this._latitude = arg1[0]; this._longitude = arg1[1]; } else if ((0, _typeof2.default)(arg1) === 'object') { ParseGeoPoint._validate(arg1.latitude, arg1.longitude); this._latitude = arg1.latitude; this._longitude = arg1.longitude; } else if (arg1 !== undefined && arg2 !== undefined) { ParseGeoPoint._validate(arg1, arg2); this._latitude = arg1; this._longitude = arg2; } else { this._latitude = 0; this._longitude = 0; } } /** * North-south portion of the coordinate, in range [-90, 90]. * Throws an exception if set out of range in a modern browser. * * @property {number} latitude * @returns {number} */ (0, _createClass2.default)(ParseGeoPoint, [{ key: "latitude", get: function () /*: number*/ { return this._latitude; }, set: function (val /*: number*/ ) { ParseGeoPoint._validate(val, this.longitude); this._latitude = val; } /** * East-west portion of the coordinate, in range [-180, 180]. * Throws if set out of range in a modern browser. * * @property {number} longitude * @returns {number} */ }, { key: "longitude", get: function () /*: number*/ { return this._longitude; }, set: function (val /*: number*/ ) { ParseGeoPoint._validate(this.latitude, val); this._longitude = val; } /** * Returns a JSON representation of the GeoPoint, suitable for Parse. * * @returns {object} */ }, { key: "toJSON", value: function () /*: { __type: string, latitude: number, longitude: number }*/ { ParseGeoPoint._validate(this._latitude, this._longitude); return { __type: 'GeoPoint', latitude: this._latitude, longitude: this._longitude }; } }, { key: "equals", value: function (other /*: mixed*/ ) /*: boolean*/ { return other instanceof ParseGeoPoint && this.latitude === other.latitude && this.longitude === other.longitude; } /** * Returns the distance from this GeoPoint to another in radians. * * @param {Parse.GeoPoint} point the other Parse.GeoPoint. * @returns {number} */ }, { key: "radiansTo", value: function (point /*: ParseGeoPoint*/ ) /*: number*/ { var d2r = Math.PI / 180.0; var lat1rad = this.latitude * d2r; var long1rad = this.longitude * d2r; var lat2rad = point.latitude * d2r; var long2rad = point.longitude * d2r; var sinDeltaLatDiv2 = Math.sin((lat1rad - lat2rad) / 2); var sinDeltaLongDiv2 = Math.sin((long1rad - long2rad) / 2); // Square of half the straight line chord distance between both points. var a = sinDeltaLatDiv2 * sinDeltaLatDiv2 + Math.cos(lat1rad) * Math.cos(lat2rad) * sinDeltaLongDiv2 * sinDeltaLongDiv2; a = Math.min(1.0, a); return 2 * Math.asin(Math.sqrt(a)); } /** * Returns the distance from this GeoPoint to another in kilometers. * * @param {Parse.GeoPoint} point the other Parse.GeoPoint. * @returns {number} */ }, { key: "kilometersTo", value: function (point /*: ParseGeoPoint*/ ) /*: number*/ { return this.radiansTo(point) * 6371.0; } /** * Returns the distance from this GeoPoint to another in miles. * * @param {Parse.GeoPoint} point the other Parse.GeoPoint. * @returns {number} */ }, { key: "milesTo", value: function (point /*: ParseGeoPoint*/ ) /*: number*/ { return this.radiansTo(point) * 3958.8; } /* * Throws an exception if the given lat-long is out of bounds. */ }], [{ key: "_validate", value: function (latitude /*: number*/ , longitude /*: number*/ ) { if (isNaN(latitude) || isNaN(longitude) || typeof latitude !== 'number' || typeof longitude !== 'number') { throw new TypeError('GeoPoint latitude and longitude must be valid numbers'); } if (latitude < -90.0) { throw new TypeError("GeoPoint latitude out of bounds: ".concat(latitude, " < -90.0.")); } if (latitude > 90.0) { throw new TypeError("GeoPoint latitude out of bounds: ".concat(latitude, " > 90.0.")); } if (longitude < -180.0) { throw new TypeError("GeoPoint longitude out of bounds: ".concat(longitude, " < -180.0.")); } if (longitude > 180.0) { throw new TypeError("GeoPoint longitude out of bounds: ".concat(longitude, " > 180.0.")); } } /** * Creates a GeoPoint with the user's current location, if available. * * @static * @returns {Parse.GeoPoint} User's current location */ }, { key: "current", value: function () { return navigator.geolocation.getCurrentPosition(function (location) { return new ParseGeoPoint(location.coords.latitude, location.coords.longitude); }); } }]); return ParseGeoPoint; }(); var _default = ParseGeoPoint; exports.default = _default; },{"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],33:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _ParseObject2 = _interopRequireDefault(_dereq_("./ParseObject")); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } var Installation = /*#__PURE__*/function (_ParseObject) { (0, _inherits2.default)(Installation, _ParseObject); var _super = _createSuper(Installation); function Installation(attributes /*: ?AttributeMap*/ ) { var _this; (0, _classCallCheck2.default)(this, Installation); _this = _super.call(this, '_Installation'); if (attributes && (0, _typeof2.default)(attributes) === 'object') { if (!_this.set(attributes || {})) { throw new Error("Can't create an invalid Installation"); } } return _this; } return Installation; }(_ParseObject2.default); exports.default = Installation; _ParseObject2.default.registerSubclass('_Installation', Installation); },{"./ParseObject":35,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143,"@babel/runtime-corejs3/helpers/typeof":148}],34:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _slicedToArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/slicedToArray")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _EventEmitter = _interopRequireDefault(_dereq_("./EventEmitter")); var _LiveQueryClient = _interopRequireDefault(_dereq_("./LiveQueryClient")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function getLiveQueryClient() /*: LiveQueryClient*/ { return _CoreManager.default.getLiveQueryController().getDefaultLiveQueryClient(); } /** * We expose three events to help you monitor the status of the WebSocket connection: * *

    Open - When we establish the WebSocket connection to the LiveQuery server, you'll get this event. * *

       * Parse.LiveQuery.on('open', () => {
       *
       * });

    * *

    Close - When we lose the WebSocket connection to the LiveQuery server, you'll get this event. * *

       * Parse.LiveQuery.on('close', () => {
       *
       * });

    * *

    Error - When some network error or LiveQuery server error happens, you'll get this event. * *

       * Parse.LiveQuery.on('error', (error) => {
       *
       * });

    * * @class Parse.LiveQuery * @static */ var LiveQuery = new _EventEmitter.default(); /** * After open is called, the LiveQuery will try to send a connect request * to the LiveQuery server. */ LiveQuery.open = /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var liveQueryClient; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: _context.next = 2; return getLiveQueryClient(); case 2: liveQueryClient = _context.sent; liveQueryClient.open(); case 4: case "end": return _context.stop(); } } }, _callee); })); /** * When you're done using LiveQuery, you can call Parse.LiveQuery.close(). * This function will close the WebSocket connection to the LiveQuery server, * cancel the auto reconnect, and unsubscribe all subscriptions based on it. * If you call query.subscribe() after this, we'll create a new WebSocket * connection to the LiveQuery server. */ LiveQuery.close = /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { var liveQueryClient; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: _context2.next = 2; return getLiveQueryClient(); case 2: liveQueryClient = _context2.sent; liveQueryClient.close(); case 4: case "end": return _context2.stop(); } } }, _callee2); })); // Register a default onError callback to make sure we do not crash on error LiveQuery.on('error', function () {}); var _default = LiveQuery; exports.default = _default; var defaultLiveQueryClient; var DefaultLiveQueryController = { setDefaultLiveQueryClient: function (liveQueryClient /*: LiveQueryClient*/ ) { defaultLiveQueryClient = liveQueryClient; }, getDefaultLiveQueryClient: function () /*: Promise*/ { return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var _yield$Promise$all, _yield$Promise$all2, currentUser, installationId, sessionToken, liveQueryServerURL, serverURL, protocol, host, applicationId, javascriptKey, masterKey; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: if (!defaultLiveQueryClient) { _context3.next = 2; break; } return _context3.abrupt("return", defaultLiveQueryClient); case 2: _context3.next = 4; return _promise.default.all([_CoreManager.default.getUserController().currentUserAsync(), _CoreManager.default.getInstallationController().currentInstallationId()]); case 4: _yield$Promise$all = _context3.sent; _yield$Promise$all2 = (0, _slicedToArray2.default)(_yield$Promise$all, 2); currentUser = _yield$Promise$all2[0]; installationId = _yield$Promise$all2[1]; sessionToken = currentUser ? currentUser.getSessionToken() : undefined; liveQueryServerURL = _CoreManager.default.get('LIVEQUERY_SERVER_URL'); if (!(liveQueryServerURL && (0, _indexOf.default)(liveQueryServerURL).call(liveQueryServerURL, 'ws') !== 0)) { _context3.next = 12; break; } throw new Error('You need to set a proper Parse LiveQuery server url before using LiveQueryClient'); case 12: // If we can not find Parse.liveQueryServerURL, we try to extract it from Parse.serverURL if (!liveQueryServerURL) { serverURL = _CoreManager.default.get('SERVER_URL'); protocol = (0, _indexOf.default)(serverURL).call(serverURL, 'https') === 0 ? 'wss://' : 'ws://'; host = serverURL.replace(/^https?:\/\//, ''); liveQueryServerURL = protocol + host; _CoreManager.default.set('LIVEQUERY_SERVER_URL', liveQueryServerURL); } applicationId = _CoreManager.default.get('APPLICATION_ID'); javascriptKey = _CoreManager.default.get('JAVASCRIPT_KEY'); masterKey = _CoreManager.default.get('MASTER_KEY'); defaultLiveQueryClient = new _LiveQueryClient.default({ applicationId: applicationId, serverURL: liveQueryServerURL, javascriptKey: javascriptKey, masterKey: masterKey, sessionToken: sessionToken, installationId: installationId }); defaultLiveQueryClient.on('error', function (error) { LiveQuery.emit('error', error); }); defaultLiveQueryClient.on('open', function () { LiveQuery.emit('open'); }); defaultLiveQueryClient.on('close', function () { LiveQuery.emit('close'); }); return _context3.abrupt("return", defaultLiveQueryClient); case 21: case "end": return _context3.stop(); } } }, _callee3); }))(); }, _clearCachedDefaultClient: function () { defaultLiveQueryClient = null; } }; _CoreManager.default.setLiveQueryController(DefaultLiveQueryController); },{"./CoreManager":4,"./EventEmitter":6,"./LiveQueryClient":9,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/slicedToArray":145,"@babel/runtime-corejs3/regenerator":152}],35:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _typeof3 = _dereq_("@babel/runtime-corejs3/helpers/typeof"); var _WeakMap = _dereq_("@babel/runtime-corejs3/core-js-stable/weak-map"); var _Array$isArray2 = _dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array"); var _getIteratorMethod = _dereq_("@babel/runtime-corejs3/core-js/get-iterator-method"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js-stable/symbol"); var _Array$from = _dereq_("@babel/runtime-corejs3/core-js-stable/array/from"); var _sliceInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice"); var _Object$defineProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Object$defineProperties = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-properties"); var _Object$getOwnPropertyDescriptors = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors"); var _forEachInstanceProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _filterInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter"); var _Object$getOwnPropertySymbols = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols"); var _Object$keys2 = _dereq_("@babel/runtime-corejs3/core-js-stable/object/keys"); _Object$defineProperty2(exports, "__esModule", { value: true }); exports.default = void 0; var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _find = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/find")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property")); var _create = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/create")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _getPrototypeOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/get-prototype-of")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _freeze = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/freeze")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty3 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _canBeSerialized = _interopRequireDefault(_dereq_("./canBeSerialized")); var _decode = _interopRequireDefault(_dereq_("./decode")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _escape2 = _interopRequireDefault(_dereq_("./escape")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _parseDate = _interopRequireDefault(_dereq_("./parseDate")); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _promiseUtils = _dereq_("./promiseUtils"); var _LocalDatastoreUtils = _dereq_("./LocalDatastoreUtils"); var _ParseOp = _dereq_("./ParseOp"); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); var SingleInstanceStateController = _interopRequireWildcard(_dereq_("./SingleInstanceStateController")); var _unique = _interopRequireDefault(_dereq_("./unique")); var UniqueInstanceStateController = _interopRequireWildcard(_dereq_("./UniqueInstanceStateController")); var _unsavedChildren = _interopRequireDefault(_dereq_("./unsavedChildren")); function _getRequireWildcardCache(nodeInterop) { if (typeof _WeakMap !== "function") return null; var cacheBabelInterop = new _WeakMap(); var cacheNodeInterop = new _WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); } function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || _typeof3(obj) !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = _Object$defineProperty2 && _Object$getOwnPropertyDescriptor ? _Object$getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { _Object$defineProperty2(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; } function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof _Symbol !== "undefined" && _getIteratorMethod(o) || o["@@iterator"]; if (!it) { if (_Array$isArray2(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { if (it) o = it; var i = 0; var F = function () {}; return { s: F, n: function () { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function (_e) { throw _e; }, f: F }; } throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } var normalCompletion = true, didErr = false, err; return { s: function () { it = it.call(o); }, n: function () { var step = it.next(); normalCompletion = step.done; return step; }, e: function (_e2) { didErr = true; err = _e2; }, f: function () { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; } function _unsupportedIterableToArray(o, minLen) { var _context21; if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty(_context21 = Object.prototype.toString.call(o)).call(_context21, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); } function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } function ownKeys(object, enumerableOnly) { var keys = _Object$keys2(object); if (_Object$getOwnPropertySymbols) { var symbols = _Object$getOwnPropertySymbols(object); if (enumerableOnly) { symbols = _filterInstanceProperty(symbols).call(symbols, function (sym) { return _Object$getOwnPropertyDescriptor(object, sym).enumerable; }); } keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { var _context19; _forEachInstanceProperty2(_context19 = ownKeys(Object(source), true)).call(_context19, function (key) { (0, _defineProperty3.default)(target, key, source[key]); }); } else if (_Object$getOwnPropertyDescriptors) { _Object$defineProperties(target, _Object$getOwnPropertyDescriptors(source)); } else { var _context20; _forEachInstanceProperty2(_context20 = ownKeys(Object(source))).call(_context20, function (key) { _Object$defineProperty2(target, key, _Object$getOwnPropertyDescriptor(source, key)); }); } } return target; } var uuidv4 = _dereq_('uuid/v4'); /*:: export type Pointer = { __type: string, className: string, objectId: string, };*/ /*:: type SaveParams = { method: string, path: string, body: AttributeMap, };*/ /*:: type SaveOptions = FullOptions & { cascadeSave?: boolean, context?: AttributeMap, };*/ // Mapping of class names to constructors, so we can populate objects from the // server with appropriate subclasses of ParseObject var classMap = {}; // Global counter for generating unique Ids for non-single-instance objects var objectCount = 0; // On web clients, objects are single-instance: any two objects with the same Id // will have the same attributes. However, this may be dangerous default // behavior in a server scenario var singleInstance = !_CoreManager.default.get('IS_NODE'); if (singleInstance) { _CoreManager.default.setObjectStateController(SingleInstanceStateController); } else { _CoreManager.default.setObjectStateController(UniqueInstanceStateController); } function getServerUrlPath() { var serverUrl = _CoreManager.default.get('SERVER_URL'); if (serverUrl[serverUrl.length - 1] !== '/') { serverUrl += '/'; } var url = serverUrl.replace(/https?:\/\//, ''); return url.substr((0, _indexOf.default)(url).call(url, '/')); } /** * Creates a new model with defined attributes. * *

    You won't normally call this method directly. It is recommended that * you use a subclass of Parse.Object instead, created by calling * extend.

    * *

    However, if you don't want to use a subclass, or aren't sure which * subclass is appropriate, you can use this form:

       *     var object = new Parse.Object("ClassName");
       * 
    * That is basically equivalent to:
       *     var MyClass = Parse.Object.extend("ClassName");
       *     var object = new MyClass();
       * 

    * * @alias Parse.Object */ var ParseObject = /*#__PURE__*/function () { /** * @param {string} className The class name for the object * @param {object} attributes The initial set of data to store in the object. * @param {object} options The options for this object instance. */ function ParseObject(className /*: ?string | { className: string, [attr: string]: mixed }*/ , attributes /*:: ?: { [attr: string]: mixed }*/ , options /*:: ?: { ignoreValidation: boolean }*/ ) { (0, _classCallCheck2.default)(this, ParseObject); (0, _defineProperty3.default)(this, "id", void 0); (0, _defineProperty3.default)(this, "_localId", void 0); (0, _defineProperty3.default)(this, "_objCount", void 0); (0, _defineProperty3.default)(this, "className", void 0); // Enable legacy initializers if (typeof this.initialize === 'function') { this.initialize.apply(this, arguments); } var toSet = null; this._objCount = objectCount++; if (typeof className === 'string') { this.className = className; if (attributes && (0, _typeof2.default)(attributes) === 'object') { toSet = attributes; } } else if (className && (0, _typeof2.default)(className) === 'object') { this.className = className.className; toSet = {}; for (var _attr in className) { if (_attr !== 'className') { toSet[_attr] = className[_attr]; } } if (attributes && (0, _typeof2.default)(attributes) === 'object') { options = attributes; } } if (toSet && !this.set(toSet, options)) { throw new Error("Can't create an invalid Parse Object"); } } /** * The ID of this object, unique within its class. * * @property {string} id */ (0, _createClass2.default)(ParseObject, [{ key: "attributes", get: /** Prototype getters / setters * */ function () /*: AttributeMap*/ { var stateController = _CoreManager.default.getObjectStateController(); return (0, _freeze.default)(stateController.estimateAttributes(this._getStateIdentifier())); } /** * The first time this object was saved on the server. * * @property {Date} createdAt * @returns {Date} */ }, { key: "createdAt", get: function () /*: ?Date*/ { return this._getServerData().createdAt; } /** * The last time this object was updated on the server. * * @property {Date} updatedAt * @returns {Date} */ }, { key: "updatedAt", get: function () /*: ?Date*/ { return this._getServerData().updatedAt; } /** Private methods * */ /** * Returns a local or server Id used uniquely identify this object * * @returns {string} */ }, { key: "_getId", value: function () /*: string*/ { if (typeof this.id === 'string') { return this.id; } if (typeof this._localId === 'string') { return this._localId; } var localId = "local".concat(uuidv4()); this._localId = localId; return localId; } /** * Returns a unique identifier used to pull data from the State Controller. * * @returns {Parse.Object|object} */ }, { key: "_getStateIdentifier", value: function () /*: ParseObject | { id: string, className: string }*/ { if (singleInstance) { var id = this.id; if (!id) { id = this._getId(); } return { id: id, className: this.className }; } return this; } }, { key: "_getServerData", value: function () /*: AttributeMap*/ { var stateController = _CoreManager.default.getObjectStateController(); return stateController.getServerData(this._getStateIdentifier()); } }, { key: "_clearServerData", value: function () { var serverData = this._getServerData(); var unset = {}; for (var _attr2 in serverData) { unset[_attr2] = undefined; } var stateController = _CoreManager.default.getObjectStateController(); stateController.setServerData(this._getStateIdentifier(), unset); } }, { key: "_getPendingOps", value: function () /*: Array*/ { var stateController = _CoreManager.default.getObjectStateController(); return stateController.getPendingOps(this._getStateIdentifier()); } /** * @param {Array} [keysToClear] - if specified, only ops matching * these fields will be cleared */ }, { key: "_clearPendingOps", value: function (keysToClear /*:: ?: Array*/ ) { var pending = this._getPendingOps(); var latest = pending[pending.length - 1]; var keys = keysToClear || (0, _keys.default)(latest); (0, _forEach.default)(keys).call(keys, function (key) { delete latest[key]; }); } }, { key: "_getDirtyObjectAttributes", value: function () /*: AttributeMap*/ { var attributes = this.attributes; var stateController = _CoreManager.default.getObjectStateController(); var objectCache = stateController.getObjectCache(this._getStateIdentifier()); var dirty = {}; for (var _attr3 in attributes) { var val = attributes[_attr3]; if (val && (0, _typeof2.default)(val) === 'object' && !(val instanceof ParseObject) && !(val instanceof _ParseFile.default) && !(val instanceof _ParseRelation.default)) { // Due to the way browsers construct maps, the key order will not change // unless the object is changed try { var json = (0, _encode.default)(val, false, true); var stringified = (0, _stringify.default)(json); if (objectCache[_attr3] !== stringified) { dirty[_attr3] = val; } } catch (e) { // Error occurred, possibly by a nested unsaved pointer in a mutable container // No matter how it happened, it indicates a change in the attribute dirty[_attr3] = val; } } } return dirty; } }, { key: "_toFullJSON", value: function (seen /*:: ?: Array*/ , offline /*:: ?: boolean*/ ) /*: AttributeMap*/ { var json /*: { [key: string]: mixed }*/ = this.toJSON(seen, offline); json.__type = 'Object'; json.className = this.className; return json; } }, { key: "_getSaveJSON", value: function () /*: AttributeMap*/ { var pending = this._getPendingOps(); var dirtyObjects = this._getDirtyObjectAttributes(); var json = {}; for (var attr in dirtyObjects) { var isDotNotation = false; for (var i = 0; i < pending.length; i += 1) { for (var field in pending[i]) { // Dot notation operations are handled later if ((0, _includes.default)(field).call(field, '.')) { var fieldName = field.split('.')[0]; if (fieldName === attr) { isDotNotation = true; break; } } } } if (!isDotNotation) { json[attr] = new _ParseOp.SetOp(dirtyObjects[attr]).toJSON(); } } for (attr in pending[0]) { json[attr] = pending[0][attr].toJSON(); } return json; } }, { key: "_getSaveParams", value: function () /*: SaveParams*/ { var method = this.id ? 'PUT' : 'POST'; var body = this._getSaveJSON(); var path = "classes/".concat(this.className); if (this.id) { path += "/".concat(this.id); } else if (this.className === '_User') { path = 'users'; } return { method: method, body: body, path: path }; } }, { key: "_finishFetch", value: function (serverData /*: AttributeMap*/ ) { if (!this.id && serverData.objectId) { this.id = serverData.objectId; } var stateController = _CoreManager.default.getObjectStateController(); stateController.initializeState(this._getStateIdentifier()); var decoded = {}; for (var _attr4 in serverData) { if (_attr4 === 'ACL') { decoded[_attr4] = new _ParseACL.default(serverData[_attr4]); } else if (_attr4 !== 'objectId') { decoded[_attr4] = (0, _decode.default)(serverData[_attr4]); if (decoded[_attr4] instanceof _ParseRelation.default) { decoded[_attr4]._ensureParentAndKey(this, _attr4); } } } if (decoded.createdAt && typeof decoded.createdAt === 'string') { decoded.createdAt = (0, _parseDate.default)(decoded.createdAt); } if (decoded.updatedAt && typeof decoded.updatedAt === 'string') { decoded.updatedAt = (0, _parseDate.default)(decoded.updatedAt); } if (!decoded.updatedAt && decoded.createdAt) { decoded.updatedAt = decoded.createdAt; } stateController.commitServerChanges(this._getStateIdentifier(), decoded); } }, { key: "_setExisted", value: function (existed /*: boolean*/ ) { var stateController = _CoreManager.default.getObjectStateController(); var state = stateController.getState(this._getStateIdentifier()); if (state) { state.existed = existed; } } }, { key: "_migrateId", value: function (serverId /*: string*/ ) { if (this._localId && serverId) { if (singleInstance) { var stateController = _CoreManager.default.getObjectStateController(); var oldState = stateController.removeState(this._getStateIdentifier()); this.id = serverId; delete this._localId; if (oldState) { stateController.initializeState(this._getStateIdentifier(), oldState); } } else { this.id = serverId; delete this._localId; } } } }, { key: "_handleSaveResponse", value: function (response /*: AttributeMap*/ , status /*: number*/ ) { var changes = {}; var stateController = _CoreManager.default.getObjectStateController(); var pending = stateController.popPendingState(this._getStateIdentifier()); for (var attr in pending) { if (pending[attr] instanceof _ParseOp.RelationOp) { changes[attr] = pending[attr].applyTo(undefined, this, attr); } else if (!(attr in response) && !(0, _includes.default)(attr).call(attr, '.')) { // Only SetOps and UnsetOps should not come back with results changes[attr] = pending[attr].applyTo(undefined); } } for (attr in response) { if ((attr === 'createdAt' || attr === 'updatedAt') && typeof response[attr] === 'string') { changes[attr] = (0, _parseDate.default)(response[attr]); } else if (attr === 'ACL') { changes[attr] = new _ParseACL.default(response[attr]); } else if (attr !== 'objectId') { var val = (0, _decode.default)(response[attr]); if (val && (0, _getPrototypeOf.default)(val) === Object.prototype) { changes[attr] = _objectSpread(_objectSpread({}, this.attributes[attr]), val); } else { changes[attr] = val; } if (changes[attr] instanceof _ParseOp.UnsetOp) { changes[attr] = undefined; } } } if (changes.createdAt && !changes.updatedAt) { changes.updatedAt = changes.createdAt; } this._migrateId(response.objectId); if (status !== 201) { this._setExisted(true); } stateController.commitServerChanges(this._getStateIdentifier(), changes); } }, { key: "_handleSaveError", value: function () { var stateController = _CoreManager.default.getObjectStateController(); stateController.mergeFirstPendingState(this._getStateIdentifier()); } /** Public methods * */ }, { key: "initialize", value: function () {// NOOP } /** * Returns a JSON version of the object suitable for saving to Parse. * * @param seen * @param offline * @returns {object} */ }, { key: "toJSON", value: function (seen /*: Array | void*/ , offline /*:: ?: boolean*/ ) /*: AttributeMap*/ { var _context; var seenEntry = this.id ? (0, _concat.default)(_context = "".concat(this.className, ":")).call(_context, this.id) : this; seen = seen || [seenEntry]; var json = {}; var attrs = this.attributes; for (var _attr5 in attrs) { if ((_attr5 === 'createdAt' || _attr5 === 'updatedAt') && attrs[_attr5].toJSON) { json[_attr5] = attrs[_attr5].toJSON(); } else { json[_attr5] = (0, _encode.default)(attrs[_attr5], false, false, seen, offline); } } var pending = this._getPendingOps(); for (var _attr6 in pending[0]) { json[_attr6] = pending[0][_attr6].toJSON(offline); } if (this.id) { json.objectId = this.id; } return json; } /** * Determines whether this ParseObject is equal to another ParseObject * * @param {object} other - An other object ot compare * @returns {boolean} */ }, { key: "equals", value: function (other /*: mixed*/ ) /*: boolean*/ { if (this === other) { return true; } return other instanceof ParseObject && this.className === other.className && this.id === other.id && typeof this.id !== 'undefined'; } /** * Returns true if this object has been modified since its last * save/refresh. If an attribute is specified, it returns true only if that * particular attribute has been modified since the last save/refresh. * * @param {string} attr An attribute name (optional). * @returns {boolean} */ }, { key: "dirty", value: function (attr /*:: ?: string*/ ) /*: boolean*/ { if (!this.id) { return true; } var pendingOps = this._getPendingOps(); var dirtyObjects = this._getDirtyObjectAttributes(); if (attr) { if (dirtyObjects.hasOwnProperty(attr)) { return true; } for (var i = 0; i < pendingOps.length; i++) { if (pendingOps[i].hasOwnProperty(attr)) { return true; } } return false; } if ((0, _keys.default)(pendingOps[0]).length !== 0) { return true; } if ((0, _keys.default)(dirtyObjects).length !== 0) { return true; } return false; } /** * Returns an array of keys that have been modified since last save/refresh * * @returns {string[]} */ }, { key: "dirtyKeys", value: function () /*: Array*/ { var pendingOps = this._getPendingOps(); var keys = {}; for (var i = 0; i < pendingOps.length; i++) { for (var _attr7 in pendingOps[i]) { keys[_attr7] = true; } } var dirtyObjects = this._getDirtyObjectAttributes(); for (var _attr8 in dirtyObjects) { keys[_attr8] = true; } return (0, _keys.default)(keys); } /** * Returns true if the object has been fetched. * * @returns {boolean} */ }, { key: "isDataAvailable", value: function () /*: boolean*/ { var serverData = this._getServerData(); return !!(0, _keys.default)(serverData).length; } /** * Gets a Pointer referencing this Object. * * @returns {Pointer} */ }, { key: "toPointer", value: function () /*: Pointer*/ { if (!this.id) { throw new Error('Cannot create a pointer to an unsaved ParseObject'); } return { __type: 'Pointer', className: this.className, objectId: this.id }; } /** * Gets a Pointer referencing this Object. * * @returns {Pointer} */ }, { key: "toOfflinePointer", value: function () /*: Pointer*/ { if (!this._localId) { throw new Error('Cannot create a offline pointer to a saved ParseObject'); } return { __type: 'Object', className: this.className, _localId: this._localId }; } /** * Gets the value of an attribute. * * @param {string} attr The string name of an attribute. * @returns {*} */ }, { key: "get", value: function (attr /*: string*/ ) /*: mixed*/ { return this.attributes[attr]; } /** * Gets a relation on the given class for the attribute. * * @param {string} attr The attribute to get the relation for. * @returns {Parse.Relation} */ }, { key: "relation", value: function (attr /*: string*/ ) /*: ParseRelation*/ { var value = this.get(attr); if (value) { if (!(value instanceof _ParseRelation.default)) { throw new Error("Called relation() on non-relation field ".concat(attr)); } value._ensureParentAndKey(this, attr); return value; } return new _ParseRelation.default(this, attr); } /** * Gets the HTML-escaped value of an attribute. * * @param {string} attr The string name of an attribute. * @returns {string} */ }, { key: "escape", value: function (attr /*: string*/ ) /*: string*/ { var val = this.attributes[attr]; if (val == null) { return ''; } if (typeof val !== 'string') { if (typeof val.toString !== 'function') { return ''; } val = val.toString(); } return (0, _escape2.default)(val); } /** * Returns true if the attribute contains a value that is not * null or undefined. * * @param {string} attr The string name of the attribute. * @returns {boolean} */ }, { key: "has", value: function (attr /*: string*/ ) /*: boolean*/ { var attributes = this.attributes; if (attributes.hasOwnProperty(attr)) { return attributes[attr] != null; } return false; } /** * Sets a hash of model attributes on the object. * *

    You can call it with an object containing keys and values, with one * key and value, or dot notation. For example:

           *   gameTurn.set({
           *     player: player1,
           *     diceRoll: 2
           *   }, {
           *     error: function(gameTurnAgain, error) {
           *       // The set failed validation.
           *     }
           *   });
           *
           *   game.set("currentPlayer", player2, {
           *     error: function(gameTurnAgain, error) {
           *       // The set failed validation.
           *     }
           *   });
           *
           *   game.set("finished", true);

    * * game.set("player.score", 10);

    * * @param {(string|object)} key The key to set. * @param {(string|object)} value The value to give it. * @param {object} options A set of options for the set. * The only supported option is error. * @returns {(ParseObject|boolean)} true if the set succeeded. */ }, { key: "set", value: function (key /*: mixed*/ , value /*: mixed*/ , options /*:: ?: mixed*/ ) /*: ParseObject | boolean*/ { var changes = {}; var newOps = {}; if (key && (0, _typeof2.default)(key) === 'object') { changes = key; options = value; } else if (typeof key === 'string') { changes[key] = value; } else { return this; } options = options || {}; var readonly = []; if (typeof this.constructor.readOnlyAttributes === 'function') { readonly = (0, _concat.default)(readonly).call(readonly, this.constructor.readOnlyAttributes()); } for (var k in changes) { if (k === 'createdAt' || k === 'updatedAt') { // This property is read-only, but for legacy reasons we silently // ignore it continue; } if ((0, _indexOf.default)(readonly).call(readonly, k) > -1) { throw new Error("Cannot modify readonly attribute: ".concat(k)); } if (options.unset) { newOps[k] = new _ParseOp.UnsetOp(); } else if (changes[k] instanceof _ParseOp.Op) { newOps[k] = changes[k]; } else if (changes[k] && (0, _typeof2.default)(changes[k]) === 'object' && typeof changes[k].__op === 'string') { newOps[k] = (0, _ParseOp.opFromJSON)(changes[k]); } else if (k === 'objectId' || k === 'id') { if (typeof changes[k] === 'string') { this.id = changes[k]; } } else if (k === 'ACL' && (0, _typeof2.default)(changes[k]) === 'object' && !(changes[k] instanceof _ParseACL.default)) { newOps[k] = new _ParseOp.SetOp(new _ParseACL.default(changes[k])); } else if (changes[k] instanceof _ParseRelation.default) { var relation = new _ParseRelation.default(this, k); relation.targetClassName = changes[k].targetClassName; newOps[k] = new _ParseOp.SetOp(relation); } else { newOps[k] = new _ParseOp.SetOp(changes[k]); } } var currentAttributes = this.attributes; // Only set nested fields if exists var serverData = this._getServerData(); if (typeof key === 'string' && (0, _includes.default)(key).call(key, '.')) { var field = key.split('.')[0]; if (!serverData[field]) { return this; } } // Calculate new values var newValues = {}; for (var _attr9 in newOps) { if (newOps[_attr9] instanceof _ParseOp.RelationOp) { newValues[_attr9] = newOps[_attr9].applyTo(currentAttributes[_attr9], this, _attr9); } else if (!(newOps[_attr9] instanceof _ParseOp.UnsetOp)) { newValues[_attr9] = newOps[_attr9].applyTo(currentAttributes[_attr9]); } } // Validate changes if (!options.ignoreValidation) { var validation = this.validate(newValues); if (validation) { if (typeof options.error === 'function') { options.error(this, validation); } return false; } } // Consolidate Ops var pendingOps = this._getPendingOps(); var last = pendingOps.length - 1; var stateController = _CoreManager.default.getObjectStateController(); for (var _attr10 in newOps) { var nextOp = newOps[_attr10].mergeWith(pendingOps[last][_attr10]); stateController.setPendingOp(this._getStateIdentifier(), _attr10, nextOp); } return this; } /** * Remove an attribute from the model. This is a noop if the attribute doesn't * exist. * * @param {string} attr The string name of an attribute. * @param options * @returns {(ParseObject | boolean)} */ }, { key: "unset", value: function (attr /*: string*/ , options /*:: ?: { [opt: string]: mixed }*/ ) /*: ParseObject | boolean*/ { options = options || {}; options.unset = true; return this.set(attr, null, options); } /** * Atomically increments the value of the given attribute the next time the * object is saved. If no amount is specified, 1 is used by default. * * @param attr {String} The key. * @param amount {Number} The amount to increment by (optional). * @returns {(ParseObject|boolean)} */ }, { key: "increment", value: function (attr /*: string*/ , amount /*:: ?: number*/ ) /*: ParseObject | boolean*/ { if (typeof amount === 'undefined') { amount = 1; } if (typeof amount !== 'number') { throw new Error('Cannot increment by a non-numeric amount.'); } return this.set(attr, new _ParseOp.IncrementOp(amount)); } /** * Atomically decrements the value of the given attribute the next time the * object is saved. If no amount is specified, 1 is used by default. * * @param attr {String} The key. * @param amount {Number} The amount to decrement by (optional). * @returns {(ParseObject | boolean)} */ }, { key: "decrement", value: function (attr /*: string*/ , amount /*:: ?: number*/ ) /*: ParseObject | boolean*/ { if (typeof amount === 'undefined') { amount = 1; } if (typeof amount !== 'number') { throw new Error('Cannot decrement by a non-numeric amount.'); } return this.set(attr, new _ParseOp.IncrementOp(amount * -1)); } /** * Atomically add an object to the end of the array associated with a given * key. * * @param attr {String} The key. * @param item {} The item to add. * @returns {(ParseObject | boolean)} */ }, { key: "add", value: function (attr /*: string*/ , item /*: mixed*/ ) /*: ParseObject | boolean*/ { return this.set(attr, new _ParseOp.AddOp([item])); } /** * Atomically add the objects to the end of the array associated with a given * key. * * @param attr {String} The key. * @param items {Object[]} The items to add. * @returns {(ParseObject | boolean)} */ }, { key: "addAll", value: function (attr /*: string*/ , items /*: Array*/ ) /*: ParseObject | boolean*/ { return this.set(attr, new _ParseOp.AddOp(items)); } /** * Atomically add an object to the array associated with a given key, only * if it is not already present in the array. The position of the insert is * not guaranteed. * * @param attr {String} The key. * @param item {} The object to add. * @returns {(ParseObject | boolean)} */ }, { key: "addUnique", value: function (attr /*: string*/ , item /*: mixed*/ ) /*: ParseObject | boolean*/ { return this.set(attr, new _ParseOp.AddUniqueOp([item])); } /** * Atomically add the objects to the array associated with a given key, only * if it is not already present in the array. The position of the insert is * not guaranteed. * * @param attr {String} The key. * @param items {Object[]} The objects to add. * @returns {(ParseObject | boolean)} */ }, { key: "addAllUnique", value: function (attr /*: string*/ , items /*: Array*/ ) /*: ParseObject | boolean*/ { return this.set(attr, new _ParseOp.AddUniqueOp(items)); } /** * Atomically remove all instances of an object from the array associated * with a given key. * * @param attr {String} The key. * @param item {} The object to remove. * @returns {(ParseObject | boolean)} */ }, { key: "remove", value: function (attr /*: string*/ , item /*: mixed*/ ) /*: ParseObject | boolean*/ { return this.set(attr, new _ParseOp.RemoveOp([item])); } /** * Atomically remove all instances of the objects from the array associated * with a given key. * * @param attr {String} The key. * @param items {Object[]} The object to remove. * @returns {(ParseObject | boolean)} */ }, { key: "removeAll", value: function (attr /*: string*/ , items /*: Array*/ ) /*: ParseObject | boolean*/ { return this.set(attr, new _ParseOp.RemoveOp(items)); } /** * Returns an instance of a subclass of Parse.Op describing what kind of * modification has been performed on this field since the last time it was * saved. For example, after calling object.increment("x"), calling * object.op("x") would return an instance of Parse.Op.Increment. * * @param attr {String} The key. * @returns {Parse.Op} The operation, or undefined if none. */ }, { key: "op", value: function (attr /*: string*/ ) /*: ?Op*/ { var pending = this._getPendingOps(); for (var i = pending.length; i--;) { if (pending[i][attr]) { return pending[i][attr]; } } } /** * Creates a new model with identical attributes to this one. * * @returns {Parse.Object} */ }, { key: "clone", value: function clone() /*: any*/ { var clone = new this.constructor(); if (!clone.className) { clone.className = this.className; } var attributes = this.attributes; if (typeof this.constructor.readOnlyAttributes === 'function') { var readonly = this.constructor.readOnlyAttributes() || []; // Attributes are frozen, so we have to rebuild an object, // rather than delete readonly keys var copy = {}; for (var a in attributes) { if ((0, _indexOf.default)(readonly).call(readonly, a) < 0) { copy[a] = attributes[a]; } } attributes = copy; } if (clone.set) { clone.set(attributes); } return clone; } /** * Creates a new instance of this object. Not to be confused with clone() * * @returns {Parse.Object} */ }, { key: "newInstance", value: function () /*: any*/ { var clone = new this.constructor(); if (!clone.className) { clone.className = this.className; } clone.id = this.id; if (singleInstance) { // Just return an object with the right id return clone; } var stateController = _CoreManager.default.getObjectStateController(); if (stateController) { stateController.duplicateState(this._getStateIdentifier(), clone._getStateIdentifier()); } return clone; } /** * Returns true if this object has never been saved to Parse. * * @returns {boolean} */ }, { key: "isNew", value: function () /*: boolean*/ { return !this.id; } /** * Returns true if this object was created by the Parse server when the * object might have already been there (e.g. in the case of a Facebook * login) * * @returns {boolean} */ }, { key: "existed", value: function () /*: boolean*/ { if (!this.id) { return false; } var stateController = _CoreManager.default.getObjectStateController(); var state = stateController.getState(this._getStateIdentifier()); if (state) { return state.existed; } return false; } /** * Returns true if this object exists on the Server * * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A boolean promise that is fulfilled if object exists. */ }, { key: "exists", value: function () { var _exists = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(options /*:: ?: RequestOptions*/ ) { var query; return _regenerator.default.wrap(function (_context2) { while (1) { switch (_context2.prev = _context2.next) { case 0: if (this.id) { _context2.next = 2; break; } return _context2.abrupt("return", false); case 2: _context2.prev = 2; query = new _ParseQuery.default(this.className); _context2.next = 6; return query.get(this.id, options); case 6: return _context2.abrupt("return", true); case 9: _context2.prev = 9; _context2.t0 = _context2["catch"](2); if (!(_context2.t0.code === _ParseError.default.OBJECT_NOT_FOUND)) { _context2.next = 13; break; } return _context2.abrupt("return", false); case 13: throw _context2.t0; case 14: case "end": return _context2.stop(); } } }, _callee, this, [[2, 9]]); })); return function () { return _exists.apply(this, arguments); }; }() /** * Checks if the model is currently in a valid state. * * @returns {boolean} */ }, { key: "isValid", value: function () /*: boolean*/ { return !this.validate(this.attributes); } /** * You should not call this function directly unless you subclass * Parse.Object, in which case you can override this method * to provide additional validation on set and * save. Your implementation should return * * @param {object} attrs The current data to validate. * @returns {Parse.Error|boolean} False if the data is valid. An error object otherwise. * @see Parse.Object#set */ }, { key: "validate", value: function (attrs /*: AttributeMap*/ ) /*: ParseError | boolean*/ { if (attrs.hasOwnProperty('ACL') && !(attrs.ACL instanceof _ParseACL.default)) { return new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'ACL must be a Parse ACL.'); } for (var _key in attrs) { if (!/^[A-Za-z][0-9A-Za-z_.]*$/.test(_key)) { return new _ParseError.default(_ParseError.default.INVALID_KEY_NAME); } } return false; } /** * Returns the ACL for this object. * * @returns {Parse.ACL} An instance of Parse.ACL. * @see Parse.Object#get */ }, { key: "getACL", value: function () /*: ?ParseACL*/ { var acl = this.get('ACL'); if (acl instanceof _ParseACL.default) { return acl; } return null; } /** * Sets the ACL to be used for this object. * * @param {Parse.ACL} acl An instance of Parse.ACL. * @param {object} options * @returns {(ParseObject | boolean)} Whether the set passed validation. * @see Parse.Object#set */ }, { key: "setACL", value: function (acl /*: ParseACL*/ , options /*:: ?: mixed*/ ) /*: ParseObject | boolean*/ { return this.set('ACL', acl, options); } /** * Clears any (or specific) changes to this object made since the last call to save() * * @param {string} [keys] - specify which fields to revert */ }, { key: "revert", value: function () /*: void*/ { var keysToRevert; for (var _len = arguments.length, keys = new Array(_len), _key2 = 0; _key2 < _len; _key2++) { keys[_key2] = arguments[_key2]; } if (keys.length) { keysToRevert = []; var _iterator = _createForOfIteratorHelper(keys), _step; try { for (_iterator.s(); !(_step = _iterator.n()).done;) { var _key3 = _step.value; if (typeof _key3 === 'string') { keysToRevert.push(_key3); } else { throw new Error('Parse.Object#revert expects either no, or a list of string, arguments.'); } } } catch (err) { _iterator.e(err); } finally { _iterator.f(); } } this._clearPendingOps(keysToRevert); } /** * Clears all attributes on a model * * @returns {(ParseObject | boolean)} */ }, { key: "clear", value: function () /*: ParseObject | boolean*/ { var attributes = this.attributes; var erasable = {}; var readonly = ['createdAt', 'updatedAt']; if (typeof this.constructor.readOnlyAttributes === 'function') { readonly = (0, _concat.default)(readonly).call(readonly, this.constructor.readOnlyAttributes()); } for (var _attr11 in attributes) { if ((0, _indexOf.default)(readonly).call(readonly, _attr11) < 0) { erasable[_attr11] = true; } } return this.set(erasable, { unset: true }); } /** * Fetch the model from the server. If the server's representation of the * model differs from its current attributes, they will be overriden. * * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • include: The name(s) of the key(s) to include. Can be a string, an array of strings, * or an array of array of strings. *
    • context: A dictionary that is accessible in Cloud Code `beforeFind` trigger. *
    * @returns {Promise} A promise that is fulfilled when the fetch * completes. */ }, { key: "fetch", value: function (options /*: RequestOptions*/ ) /*: Promise*/ { options = options || {}; var fetchOptions = {}; if (options.hasOwnProperty('useMasterKey')) { fetchOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { fetchOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { fetchOptions.context = options.context; } if (options.hasOwnProperty('include')) { fetchOptions.include = []; if ((0, _isArray.default)(options.include)) { var _context3; (0, _forEach.default)(_context3 = options.include).call(_context3, function (key) { if ((0, _isArray.default)(key)) { var _context4; fetchOptions.include = (0, _concat.default)(_context4 = fetchOptions.include).call(_context4, key); } else { fetchOptions.include.push(key); } }); } else { fetchOptions.include.push(options.include); } } var controller = _CoreManager.default.getObjectController(); return controller.fetch(this, true, fetchOptions); } /** * Fetch the model from the server. If the server's representation of the * model differs from its current attributes, they will be overriden. * * Includes nested Parse.Objects for the provided key. You can use dot * notation to specify which fields in the included object are also fetched. * * @param {string | Array>} keys The name(s) of the key(s) to include. * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A promise that is fulfilled when the fetch * completes. */ }, { key: "fetchWithInclude", value: function (keys /*: String | Array>*/ , options /*: RequestOptions*/ ) /*: Promise*/ { options = options || {}; options.include = keys; return this.fetch(options); } /** * Set a hash of model attributes, and save the model to the server. * updatedAt will be updated when the request returns. * You can either call it as:
           * object.save();
    * or
           * object.save(attrs);
    * or
           * object.save(null, options);
    * or
           * object.save(attrs, options);
    * or
           * object.save(key, value, options);
    * * For example,
           * gameTurn.save({
           * player: "Jake Cutter",
           * diceRoll: 2
           * }).then(function(gameTurnAgain) {
           * // The save was successful.
           * }, function(error) {
           * // The save failed.  Error is an instance of Parse.Error.
           * });
    * * @param {string | object | null} [arg1] * Valid options are:
      *
    • `Object` - Key/value pairs to update on the object.
    • *
    • `String` Key - Key of attribute to update (requires arg2 to also be string)
    • *
    • `null` - Passing null for arg1 allows you to save the object with options passed in arg2.
    • *
    * @param {string | object} [arg2] *
      *
    • `String` Value - If arg1 was passed as a key, arg2 is the value that should be set on that key.
    • *
    • `Object` Options - Valid options are: *
        *
      • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
      • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
      • cascadeSave: If `false`, nested objects will not be saved (default is `true`). *
      • context: A dictionary that is accessible in Cloud Code `beforeSave` and `afterSave` triggers. *
      *
    • *
    * @param {object} [arg3] * Used to pass option parameters to method if arg1 and arg2 were both passed as strings. * Valid options are: *
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • cascadeSave: If `false`, nested objects will not be saved (default is `true`). *
    • context: A dictionary that is accessible in Cloud Code `beforeSave` and `afterSave` triggers. *
    * @returns {Promise} A promise that is fulfilled when the save * completes. */ }, { key: "save", value: function (arg1 /*: ?string | { [attr: string]: mixed }*/ , arg2 /*: SaveOptions | mixed*/ , arg3 /*:: ?: SaveOptions*/ ) /*: Promise*/ { var _this = this; var attrs; var options; if ((0, _typeof2.default)(arg1) === 'object' || typeof arg1 === 'undefined') { attrs = arg1; if ((0, _typeof2.default)(arg2) === 'object') { options = arg2; } } else { attrs = {}; attrs[arg1] = arg2; options = arg3; } if (attrs) { var validation = this.validate(attrs); if (validation) { return _promise.default.reject(validation); } this.set(attrs, options); } options = options || {}; var saveOptions = {}; if (options.hasOwnProperty('useMasterKey')) { saveOptions.useMasterKey = !!options.useMasterKey; } if (options.hasOwnProperty('sessionToken') && typeof options.sessionToken === 'string') { saveOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('installationId') && typeof options.installationId === 'string') { saveOptions.installationId = options.installationId; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { saveOptions.context = options.context; } var controller = _CoreManager.default.getObjectController(); var unsaved = options.cascadeSave !== false ? (0, _unsavedChildren.default)(this) : null; return controller.save(unsaved, saveOptions).then(function () { return controller.save(_this, saveOptions); }); } /** * Destroy this model on the server if it was already persisted. * * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • context: A dictionary that is accessible in Cloud Code `beforeDelete` and `afterDelete` triggers. *
    * @returns {Promise} A promise that is fulfilled when the destroy * completes. */ }, { key: "destroy", value: function (options /*: RequestOptions*/ ) /*: Promise*/ { options = options || {}; var destroyOptions = {}; if (options.hasOwnProperty('useMasterKey')) { destroyOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { destroyOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { destroyOptions.context = options.context; } if (!this.id) { return _promise.default.resolve(); } return _CoreManager.default.getObjectController().destroy(this, destroyOptions); } /** * Asynchronously stores the object and every object it points to in the local datastore, * recursively, using a default pin name: _default. * * If those other objects have not been fetched from Parse, they will not be stored. * However, if they have changed data, all the changes will be retained. * *
           * await object.pin();
           * 
    * * To retrieve object: * query.fromLocalDatastore() or query.fromPin() * * @returns {Promise} A promise that is fulfilled when the pin completes. */ }, { key: "pin", value: function () /*: Promise*/ { return ParseObject.pinAllWithName(_LocalDatastoreUtils.DEFAULT_PIN, [this]); } /** * Asynchronously removes the object and every object it points to in the local datastore, * recursively, using a default pin name: _default. * *
           * await object.unPin();
           * 
    * * @returns {Promise} A promise that is fulfilled when the unPin completes. */ }, { key: "unPin", value: function () /*: Promise*/ { return ParseObject.unPinAllWithName(_LocalDatastoreUtils.DEFAULT_PIN, [this]); } /** * Asynchronously returns if the object is pinned * *
           * const isPinned = await object.isPinned();
           * 
    * * @returns {Promise} A boolean promise that is fulfilled if object is pinned. */ }, { key: "isPinned", value: function () { var _isPinned = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2() { var localDatastore, objectKey, pin; return _regenerator.default.wrap(function (_context5) { while (1) { switch (_context5.prev = _context5.next) { case 0: localDatastore = _CoreManager.default.getLocalDatastore(); if (localDatastore.isEnabled) { _context5.next = 3; break; } return _context5.abrupt("return", _promise.default.reject('Parse.enableLocalDatastore() must be called first')); case 3: objectKey = localDatastore.getKeyForObject(this); _context5.next = 6; return localDatastore.fromPinWithName(objectKey); case 6: pin = _context5.sent; return _context5.abrupt("return", pin.length > 0); case 8: case "end": return _context5.stop(); } } }, _callee2, this); })); return function () { return _isPinned.apply(this, arguments); }; }() /** * Asynchronously stores the objects and every object they point to in the local datastore, recursively. * * If those other objects have not been fetched from Parse, they will not be stored. * However, if they have changed data, all the changes will be retained. * *
           * await object.pinWithName(name);
           * 
    * * To retrieve object: * query.fromLocalDatastore() or query.fromPinWithName(name) * * @param {string} name Name of Pin. * @returns {Promise} A promise that is fulfilled when the pin completes. */ }, { key: "pinWithName", value: function (name /*: string*/ ) /*: Promise*/ { return ParseObject.pinAllWithName(name, [this]); } /** * Asynchronously removes the object and every object it points to in the local datastore, recursively. * *
           * await object.unPinWithName(name);
           * 
    * * @param {string} name Name of Pin. * @returns {Promise} A promise that is fulfilled when the unPin completes. */ }, { key: "unPinWithName", value: function (name /*: string*/ ) /*: Promise*/ { return ParseObject.unPinAllWithName(name, [this]); } /** * Asynchronously loads data from the local datastore into this object. * *
           * await object.fetchFromLocalDatastore();
           * 
    * * You can create an unfetched pointer with Parse.Object.createWithoutData() * and then call fetchFromLocalDatastore() on it. * * @returns {Promise} A promise that is fulfilled when the fetch completes. */ }, { key: "fetchFromLocalDatastore", value: function () { var _fetchFromLocalDatastore = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var localDatastore, objectKey, pinned, result; return _regenerator.default.wrap(function (_context6) { while (1) { switch (_context6.prev = _context6.next) { case 0: localDatastore = _CoreManager.default.getLocalDatastore(); if (localDatastore.isEnabled) { _context6.next = 3; break; } throw new Error('Parse.enableLocalDatastore() must be called first'); case 3: objectKey = localDatastore.getKeyForObject(this); _context6.next = 6; return localDatastore._serializeObject(objectKey); case 6: pinned = _context6.sent; if (pinned) { _context6.next = 9; break; } throw new Error('Cannot fetch an unsaved ParseObject'); case 9: result = ParseObject.fromJSON(pinned); this._finishFetch(result.toJSON()); return _context6.abrupt("return", this); case 12: case "end": return _context6.stop(); } } }, _callee3, this); })); return function () { return _fetchFromLocalDatastore.apply(this, arguments); }; }() /** Static methods * */ }], [{ key: "_clearAllState", value: function () { var stateController = _CoreManager.default.getObjectStateController(); stateController.clearAllState(); } /** * Fetches the given list of Parse.Object. * If any error is encountered, stops and calls the error handler. * *
           *   Parse.Object.fetchAll([object1, object2, ...])
           *    .then((list) => {
           *      // All the objects were fetched.
           *    }, (error) => {
           *      // An error occurred while fetching one of the objects.
           *    });
           * 
    * * @param {Array} list A list of Parse.Object. * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • include: The name(s) of the key(s) to include. Can be a string, an array of strings, * or an array of array of strings. *
    * @static * @returns {Parse.Object[]} */ }, { key: "fetchAll", value: function (list /*: Array*/ ) { var options /*: RequestOptions*/ = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var queryOptions = {}; if (options.hasOwnProperty('useMasterKey')) { queryOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { queryOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('include')) { queryOptions.include = ParseObject.handleIncludeOptions(options); } return _CoreManager.default.getObjectController().fetch(list, true, queryOptions); } /** * Fetches the given list of Parse.Object. * * Includes nested Parse.Objects for the provided key. You can use dot * notation to specify which fields in the included object are also fetched. * * If any error is encountered, stops and calls the error handler. * *
           *   Parse.Object.fetchAllWithInclude([object1, object2, ...], [pointer1, pointer2, ...])
           *    .then((list) => {
           *      // All the objects were fetched.
           *    }, (error) => {
           *      // An error occurred while fetching one of the objects.
           *    });
           * 
    * * @param {Array} list A list of Parse.Object. * @param {string | Array>} keys The name(s) of the key(s) to include. * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @static * @returns {Parse.Object[]} */ }, { key: "fetchAllWithInclude", value: function (list /*: Array*/ , keys /*: String | Array>*/ , options /*: RequestOptions*/ ) { options = options || {}; options.include = keys; return ParseObject.fetchAll(list, options); } /** * Fetches the given list of Parse.Object if needed. * If any error is encountered, stops and calls the error handler. * * Includes nested Parse.Objects for the provided key. You can use dot * notation to specify which fields in the included object are also fetched. * * If any error is encountered, stops and calls the error handler. * *
           *   Parse.Object.fetchAllIfNeededWithInclude([object1, object2, ...], [pointer1, pointer2, ...])
           *    .then((list) => {
           *      // All the objects were fetched.
           *    }, (error) => {
           *      // An error occurred while fetching one of the objects.
           *    });
           * 
    * * @param {Array} list A list of Parse.Object. * @param {string | Array>} keys The name(s) of the key(s) to include. * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @static * @returns {Parse.Object[]} */ }, { key: "fetchAllIfNeededWithInclude", value: function (list /*: Array*/ , keys /*: String | Array>*/ , options /*: RequestOptions*/ ) { options = options || {}; options.include = keys; return ParseObject.fetchAllIfNeeded(list, options); } /** * Fetches the given list of Parse.Object if needed. * If any error is encountered, stops and calls the error handler. * *
           *   Parse.Object.fetchAllIfNeeded([object1, ...])
           *    .then((list) => {
           *      // Objects were fetched and updated.
           *    }, (error) => {
           *      // An error occurred while fetching one of the objects.
           *    });
           * 
    * * @param {Array} list A list of Parse.Object. * @param {object} options * @static * @returns {Parse.Object[]} */ }, { key: "fetchAllIfNeeded", value: function (list /*: Array*/ , options) { options = options || {}; var queryOptions = {}; if (options.hasOwnProperty('useMasterKey')) { queryOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { queryOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('include')) { queryOptions.include = ParseObject.handleIncludeOptions(options); } return _CoreManager.default.getObjectController().fetch(list, false, queryOptions); } }, { key: "handleIncludeOptions", value: function (options) { var include = []; if ((0, _isArray.default)(options.include)) { var _context7; (0, _forEach.default)(_context7 = options.include).call(_context7, function (key) { if ((0, _isArray.default)(key)) { include = (0, _concat.default)(include).call(include, key); } else { include.push(key); } }); } else { include.push(options.include); } return include; } /** * Destroy the given list of models on the server if it was already persisted. * *

    Unlike saveAll, if an error occurs while deleting an individual model, * this method will continue trying to delete the rest of the models if * possible, except in the case of a fatal error like a connection error. * *

    In particular, the Parse.Error object returned in the case of error may * be one of two types: * *

      *
    • A Parse.Error.AGGREGATE_ERROR. This object's "errors" property is an * array of other Parse.Error objects. Each error object in this array * has an "object" property that references the object that could not be * deleted (for instance, because that object could not be found).
    • *
    • A non-aggregate Parse.Error. This indicates a serious error that * caused the delete operation to be aborted partway through (for * instance, a connection failure in the middle of the delete).
    • *
    * *
           * Parse.Object.destroyAll([object1, object2, ...])
           * .then((list) => {
           * // All the objects were deleted.
           * }, (error) => {
           * // An error occurred while deleting one or more of the objects.
           * // If this is an aggregate error, then we can inspect each error
           * // object individually to determine the reason why a particular
           * // object was not deleted.
           * if (error.code === Parse.Error.AGGREGATE_ERROR) {
           * for (var i = 0; i < error.errors.length; i++) {
           * console.log("Couldn't delete " + error.errors[i].object.id +
           * "due to " + error.errors[i].message);
           * }
           * } else {
           * console.log("Delete aborted because of " + error.message);
           * }
           * });
           * 
    * * @param {Array} list A list of Parse.Object. * @param {object} options * @static * @returns {Promise} A promise that is fulfilled when the destroyAll * completes. */ }, { key: "destroyAll", value: function (list /*: Array*/ ) { var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var destroyOptions = {}; if (options.hasOwnProperty('useMasterKey')) { destroyOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { destroyOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('batchSize') && typeof options.batchSize === 'number') { destroyOptions.batchSize = options.batchSize; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { destroyOptions.context = options.context; } return _CoreManager.default.getObjectController().destroy(list, destroyOptions); } /** * Saves the given list of Parse.Object. * If any error is encountered, stops and calls the error handler. * *
           * Parse.Object.saveAll([object1, object2, ...])
           * .then((list) => {
           * // All the objects were saved.
           * }, (error) => {
           * // An error occurred while saving one of the objects.
           * });
           * 
    * * @param {Array} list A list of Parse.Object. * @param {object} options * @static * @returns {Parse.Object[]} */ }, { key: "saveAll", value: function (list /*: Array*/ ) { var options /*: RequestOptions*/ = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var saveOptions = {}; if (options.hasOwnProperty('useMasterKey')) { saveOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { saveOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('batchSize') && typeof options.batchSize === 'number') { saveOptions.batchSize = options.batchSize; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { saveOptions.context = options.context; } return _CoreManager.default.getObjectController().save(list, saveOptions); } /** * Creates a reference to a subclass of Parse.Object with the given id. This * does not exist on Parse.Object, only on subclasses. * *

    A shortcut for:

           *  var Foo = Parse.Object.extend("Foo");
           *  var pointerToFoo = new Foo();
           *  pointerToFoo.id = "myObjectId";
           * 
    * * @param {string} id The ID of the object to create a reference to. * @static * @returns {Parse.Object} A Parse.Object reference. */ }, { key: "createWithoutData", value: function (id /*: string*/ ) { var obj = new this(); obj.id = id; return obj; } /** * Creates a new instance of a Parse Object from a JSON representation. * * @param {object} json The JSON map of the Object's data * @param {boolean} override In single instance mode, all old server data * is overwritten if this is set to true * @static * @returns {Parse.Object} A Parse.Object reference */ }, { key: "fromJSON", value: function (json /*: any*/ , override /*:: ?: boolean*/ ) { if (!json.className) { throw new Error('Cannot create an object without a className'); } var constructor = classMap[json.className]; var o = constructor ? new constructor() : new ParseObject(json.className); var otherAttributes = {}; for (var _attr12 in json) { if (_attr12 !== 'className' && _attr12 !== '__type') { otherAttributes[_attr12] = json[_attr12]; } } if (override) { // id needs to be set before clearServerData can work if (otherAttributes.objectId) { o.id = otherAttributes.objectId; } var preserved = null; if (typeof o._preserveFieldsOnFetch === 'function') { preserved = o._preserveFieldsOnFetch(); } o._clearServerData(); if (preserved) { o._finishFetch(preserved); } } o._finishFetch(otherAttributes); if (json.objectId) { o._setExisted(true); } return o; } /** * Registers a subclass of Parse.Object with a specific class name. * When objects of that class are retrieved from a query, they will be * instantiated with this subclass. * This is only necessary when using ES6 subclassing. * * @param {string} className The class name of the subclass * @param {Function} constructor The subclass */ }, { key: "registerSubclass", value: function (className /*: string*/ , constructor /*: any*/ ) { if (typeof className !== 'string') { throw new TypeError('The first argument must be a valid class name.'); } if (typeof constructor === 'undefined') { throw new TypeError('You must supply a subclass constructor.'); } if (typeof constructor !== 'function') { throw new TypeError('You must register the subclass constructor. ' + 'Did you attempt to register an instance of the subclass?'); } classMap[className] = constructor; if (!constructor.className) { constructor.className = className; } } /** * Creates a new subclass of Parse.Object for the given Parse class name. * *

    Every extension of a Parse class will inherit from the most recent * previous extension of that class. When a Parse.Object is automatically * created by parsing JSON, it will use the most recent extension of that * class.

    * *

    You should call either:

           *     var MyClass = Parse.Object.extend("MyClass", {
           *         Instance methods,
           *         initialize: function(attrs, options) {
           *             this.someInstanceProperty = [],
           *             Other instance properties
           *         }
           *     }, {
           *         Class properties
           *     });
    * or, for Backbone compatibility:
           *     var MyClass = Parse.Object.extend({
           *         className: "MyClass",
           *         Instance methods,
           *         initialize: function(attrs, options) {
           *             this.someInstanceProperty = [],
           *             Other instance properties
           *         }
           *     }, {
           *         Class properties
           *     });

    * * @param {string} className The name of the Parse class backing this model. * @param {object} protoProps Instance properties to add to instances of the * class returned from this method. * @param {object} classProps Class properties to add the class returned from * this method. * @returns {Parse.Object} A new subclass of Parse.Object. */ }, { key: "extend", value: function (className /*: any*/ , protoProps /*: any*/ , classProps /*: any*/ ) { if (typeof className !== 'string') { if (className && typeof className.className === 'string') { return ParseObject.extend(className.className, className, protoProps); } throw new Error("Parse.Object.extend's first argument should be the className."); } var adjustedClassName = className; if (adjustedClassName === 'User' && _CoreManager.default.get('PERFORM_USER_REWRITE')) { adjustedClassName = '_User'; } var parentProto = ParseObject.prototype; if (this.hasOwnProperty('__super__') && this.__super__) { parentProto = this.prototype; } else if (classMap[adjustedClassName]) { parentProto = classMap[adjustedClassName].prototype; } var ParseObjectSubclass = function (attributes, options) { this.className = adjustedClassName; this._objCount = objectCount++; // Enable legacy initializers if (typeof this.initialize === 'function') { this.initialize.apply(this, arguments); } if (attributes && (0, _typeof2.default)(attributes) === 'object') { if (!this.set(attributes || {}, options)) { throw new Error("Can't create an invalid Parse Object"); } } }; ParseObjectSubclass.className = adjustedClassName; ParseObjectSubclass.__super__ = parentProto; ParseObjectSubclass.prototype = (0, _create.default)(parentProto, { constructor: { value: ParseObjectSubclass, enumerable: false, writable: true, configurable: true } }); if (protoProps) { for (var prop in protoProps) { if (prop !== 'className') { (0, _defineProperty2.default)(ParseObjectSubclass.prototype, prop, { value: protoProps[prop], enumerable: false, writable: true, configurable: true }); } } } if (classProps) { for (var _prop in classProps) { if (_prop !== 'className') { (0, _defineProperty2.default)(ParseObjectSubclass, _prop, { value: classProps[_prop], enumerable: false, writable: true, configurable: true }); } } } ParseObjectSubclass.extend = function (name, protoProps, classProps) { if (typeof name === 'string') { return ParseObject.extend.call(ParseObjectSubclass, name, protoProps, classProps); } return ParseObject.extend.call(ParseObjectSubclass, adjustedClassName, name, protoProps); }; ParseObjectSubclass.createWithoutData = ParseObject.createWithoutData; classMap[adjustedClassName] = ParseObjectSubclass; return ParseObjectSubclass; } /** * Enable single instance objects, where any local objects with the same Id * share the same attributes, and stay synchronized with each other. * This is disabled by default in server environments, since it can lead to * security issues. * * @static */ }, { key: "enableSingleInstance", value: function () { singleInstance = true; _CoreManager.default.setObjectStateController(SingleInstanceStateController); } /** * Disable single instance objects, where any local objects with the same Id * share the same attributes, and stay synchronized with each other. * When disabled, you can have two instances of the same object in memory * without them sharing attributes. * * @static */ }, { key: "disableSingleInstance", value: function () { singleInstance = false; _CoreManager.default.setObjectStateController(UniqueInstanceStateController); } /** * Asynchronously stores the objects and every object they point to in the local datastore, * recursively, using a default pin name: _default. * * If those other objects have not been fetched from Parse, they will not be stored. * However, if they have changed data, all the changes will be retained. * *
           * await Parse.Object.pinAll([...]);
           * 
    * * To retrieve object: * query.fromLocalDatastore() or query.fromPin() * * @param {Array} objects A list of Parse.Object. * @returns {Promise} A promise that is fulfilled when the pin completes. * @static */ }, { key: "pinAll", value: function (objects /*: Array*/ ) /*: Promise*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (!localDatastore.isEnabled) { return _promise.default.reject('Parse.enableLocalDatastore() must be called first'); } return ParseObject.pinAllWithName(_LocalDatastoreUtils.DEFAULT_PIN, objects); } /** * Asynchronously stores the objects and every object they point to in the local datastore, recursively. * * If those other objects have not been fetched from Parse, they will not be stored. * However, if they have changed data, all the changes will be retained. * *
           * await Parse.Object.pinAllWithName(name, [obj1, obj2, ...]);
           * 
    * * To retrieve object: * query.fromLocalDatastore() or query.fromPinWithName(name) * * @param {string} name Name of Pin. * @param {Array} objects A list of Parse.Object. * @returns {Promise} A promise that is fulfilled when the pin completes. * @static */ }, { key: "pinAllWithName", value: function (name /*: string*/ , objects /*: Array*/ ) /*: Promise*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (!localDatastore.isEnabled) { return _promise.default.reject('Parse.enableLocalDatastore() must be called first'); } return localDatastore._handlePinAllWithName(name, objects); } /** * Asynchronously removes the objects and every object they point to in the local datastore, * recursively, using a default pin name: _default. * *
           * await Parse.Object.unPinAll([...]);
           * 
    * * @param {Array} objects A list of Parse.Object. * @returns {Promise} A promise that is fulfilled when the unPin completes. * @static */ }, { key: "unPinAll", value: function (objects /*: Array*/ ) /*: Promise*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (!localDatastore.isEnabled) { return _promise.default.reject('Parse.enableLocalDatastore() must be called first'); } return ParseObject.unPinAllWithName(_LocalDatastoreUtils.DEFAULT_PIN, objects); } /** * Asynchronously removes the objects and every object they point to in the local datastore, recursively. * *
           * await Parse.Object.unPinAllWithName(name, [obj1, obj2, ...]);
           * 
    * * @param {string} name Name of Pin. * @param {Array} objects A list of Parse.Object. * @returns {Promise} A promise that is fulfilled when the unPin completes. * @static */ }, { key: "unPinAllWithName", value: function (name /*: string*/ , objects /*: Array*/ ) /*: Promise*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (!localDatastore.isEnabled) { return _promise.default.reject('Parse.enableLocalDatastore() must be called first'); } return localDatastore._handleUnPinAllWithName(name, objects); } /** * Asynchronously removes all objects in the local datastore using a default pin name: _default. * *
           * await Parse.Object.unPinAllObjects();
           * 
    * * @returns {Promise} A promise that is fulfilled when the unPin completes. * @static */ }, { key: "unPinAllObjects", value: function () /*: Promise*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (!localDatastore.isEnabled) { return _promise.default.reject('Parse.enableLocalDatastore() must be called first'); } return localDatastore.unPinWithName(_LocalDatastoreUtils.DEFAULT_PIN); } /** * Asynchronously removes all objects with the specified pin name. * Deletes the pin name also. * *
           * await Parse.Object.unPinAllObjectsWithName(name);
           * 
    * * @param {string} name Name of Pin. * @returns {Promise} A promise that is fulfilled when the unPin completes. * @static */ }, { key: "unPinAllObjectsWithName", value: function (name /*: string*/ ) /*: Promise*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (!localDatastore.isEnabled) { return _promise.default.reject('Parse.enableLocalDatastore() must be called first'); } return localDatastore.unPinWithName(_LocalDatastoreUtils.PIN_PREFIX + name); } }]); return ParseObject; }(); var DefaultController = { fetch: function (target /*: ParseObject | Array*/ , forceFetch /*: boolean*/ , options /*: RequestOptions*/ ) /*: Promise | ParseObject>*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if ((0, _isArray.default)(target)) { if (target.length < 1) { return _promise.default.resolve([]); } var objs = []; var ids = []; var className = null; var results = []; var error = null; (0, _forEach.default)(target).call(target, function (el) { if (error) { return; } if (!className) { // eslint-disable-next-line prefer-destructuring className = el.className; } if (className !== el.className) { error = new _ParseError.default(_ParseError.default.INVALID_CLASS_NAME, 'All objects should be of the same class'); } if (!el.id) { error = new _ParseError.default(_ParseError.default.MISSING_OBJECT_ID, 'All objects must have an ID'); } if (forceFetch || !el.isDataAvailable()) { ids.push(el.id); objs.push(el); } results.push(el); }); if (error) { return _promise.default.reject(error); } var query = new _ParseQuery.default(className); query.containedIn('objectId', ids); if (options && options.include) { query.include(options.include); } query._limit = ids.length; return (0, _find.default)(query).call(query, options).then( /*#__PURE__*/function () { var _ref = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4(objects) { var idMap, i, obj, _i, _obj, id, _iterator2, _step2, object; return _regenerator.default.wrap(function (_context8) { while (1) { switch (_context8.prev = _context8.next) { case 0: idMap = {}; (0, _forEach.default)(objects).call(objects, function (o) { idMap[o.id] = o; }); i = 0; case 3: if (!(i < objs.length)) { _context8.next = 11; break; } obj = objs[i]; if (!(!obj || !obj.id || !idMap[obj.id])) { _context8.next = 8; break; } if (!forceFetch) { _context8.next = 8; break; } return _context8.abrupt("return", _promise.default.reject(new _ParseError.default(_ParseError.default.OBJECT_NOT_FOUND, 'All objects must exist on the server.'))); case 8: i++; _context8.next = 3; break; case 11: if (!singleInstance) { // If single instance objects are disabled, we need to replace the for (_i = 0; _i < results.length; _i++) { _obj = results[_i]; if (_obj && _obj.id && idMap[_obj.id]) { id = _obj.id; _obj._finishFetch(idMap[id].toJSON()); results[_i] = idMap[id]; } } } _iterator2 = _createForOfIteratorHelper(results); _context8.prev = 13; _iterator2.s(); case 15: if ((_step2 = _iterator2.n()).done) { _context8.next = 21; break; } object = _step2.value; _context8.next = 19; return localDatastore._updateObjectIfPinned(object); case 19: _context8.next = 15; break; case 21: _context8.next = 26; break; case 23: _context8.prev = 23; _context8.t0 = _context8["catch"](13); _iterator2.e(_context8.t0); case 26: _context8.prev = 26; _iterator2.f(); return _context8.finish(26); case 29: return _context8.abrupt("return", _promise.default.resolve(results)); case 30: case "end": return _context8.stop(); } } }, _callee4, null, [[13, 23, 26, 29]]); })); return function () { return _ref.apply(this, arguments); }; }()); } if (target instanceof ParseObject) { var _context9; if (!target.id) { return _promise.default.reject(new _ParseError.default(_ParseError.default.MISSING_OBJECT_ID, 'Object does not have an ID')); } var RESTController = _CoreManager.default.getRESTController(); var params = {}; if (options && options.include) { params.include = options.include.join(); } return RESTController.request('GET', (0, _concat.default)(_context9 = "classes/".concat(target.className, "/")).call(_context9, target._getId()), params, options).then( /*#__PURE__*/function () { var _ref2 = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5(response) { return _regenerator.default.wrap(function (_context10) { while (1) { switch (_context10.prev = _context10.next) { case 0: target._clearPendingOps(); target._clearServerData(); target._finishFetch(response); _context10.next = 5; return localDatastore._updateObjectIfPinned(target); case 5: return _context10.abrupt("return", target); case 6: case "end": return _context10.stop(); } } }, _callee5); })); return function () { return _ref2.apply(this, arguments); }; }()); } return _promise.default.resolve(); }, destroy: function (target /*: ParseObject | Array*/ , options /*: RequestOptions*/ ) /*: Promise | ParseObject>*/ { return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee8() { var batchSize, localDatastore, RESTController, batches, deleteCompleted, errors, _context14; return _regenerator.default.wrap(function (_context16) { while (1) { switch (_context16.prev = _context16.next) { case 0: batchSize = options && options.batchSize ? options.batchSize : _CoreManager.default.get('REQUEST_BATCH_SIZE'); localDatastore = _CoreManager.default.getLocalDatastore(); RESTController = _CoreManager.default.getRESTController(); if (!(0, _isArray.default)(target)) { _context16.next = 13; break; } if (!(target.length < 1)) { _context16.next = 6; break; } return _context16.abrupt("return", _promise.default.resolve([])); case 6: batches = [[]]; (0, _forEach.default)(target).call(target, function (obj) { if (!obj.id) { return; } batches[batches.length - 1].push(obj); if (batches[batches.length - 1].length >= batchSize) { batches.push([]); } }); if (batches[batches.length - 1].length === 0) { // If the last batch is empty, remove it batches.pop(); } deleteCompleted = _promise.default.resolve(); errors = []; (0, _forEach.default)(batches).call(batches, function (batch) { deleteCompleted = deleteCompleted.then(function () { return RESTController.request('POST', 'batch', { requests: (0, _map.default)(batch).call(batch, function (obj) { var _context11, _context12; return { method: 'DELETE', path: (0, _concat.default)(_context11 = (0, _concat.default)(_context12 = "".concat(getServerUrlPath(), "classes/")).call(_context12, obj.className, "/")).call(_context11, obj._getId()), body: {} }; }) }, options).then(function (results) { for (var i = 0; i < results.length; i++) { if (results[i] && results[i].hasOwnProperty('error')) { var err = new _ParseError.default(results[i].error.code, results[i].error.error); err.object = batch[i]; errors.push(err); } } }); }); }); return _context16.abrupt("return", deleteCompleted.then( /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6() { var aggregate, _iterator3, _step3, object; return _regenerator.default.wrap(function (_context13) { while (1) { switch (_context13.prev = _context13.next) { case 0: if (!errors.length) { _context13.next = 4; break; } aggregate = new _ParseError.default(_ParseError.default.AGGREGATE_ERROR); aggregate.errors = errors; return _context13.abrupt("return", _promise.default.reject(aggregate)); case 4: _iterator3 = _createForOfIteratorHelper(target); _context13.prev = 5; _iterator3.s(); case 7: if ((_step3 = _iterator3.n()).done) { _context13.next = 13; break; } object = _step3.value; _context13.next = 11; return localDatastore._destroyObjectIfPinned(object); case 11: _context13.next = 7; break; case 13: _context13.next = 18; break; case 15: _context13.prev = 15; _context13.t0 = _context13["catch"](5); _iterator3.e(_context13.t0); case 18: _context13.prev = 18; _iterator3.f(); return _context13.finish(18); case 21: return _context13.abrupt("return", _promise.default.resolve(target)); case 22: case "end": return _context13.stop(); } } }, _callee6, null, [[5, 15, 18, 21]]); })))); case 13: if (!(target instanceof ParseObject)) { _context16.next = 15; break; } return _context16.abrupt("return", RESTController.request('DELETE', (0, _concat.default)(_context14 = "classes/".concat(target.className, "/")).call(_context14, target._getId()), {}, options).then( /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee7() { return _regenerator.default.wrap(function (_context15) { while (1) { switch (_context15.prev = _context15.next) { case 0: _context15.next = 2; return localDatastore._destroyObjectIfPinned(target); case 2: return _context15.abrupt("return", _promise.default.resolve(target)); case 3: case "end": return _context15.stop(); } } }, _callee7); })))); case 15: return _context16.abrupt("return", _promise.default.resolve(target)); case 16: case "end": return _context16.stop(); } } }, _callee8); }))(); }, save: function (target /*: ParseObject | Array*/ , options /*: RequestOptions*/ ) { var batchSize = options && options.batchSize ? options.batchSize : _CoreManager.default.get('REQUEST_BATCH_SIZE'); var localDatastore = _CoreManager.default.getLocalDatastore(); var mapIdForPin = {}; var RESTController = _CoreManager.default.getRESTController(); var stateController = _CoreManager.default.getObjectStateController(); options = options || {}; options.returnStatus = options.returnStatus || true; if ((0, _isArray.default)(target)) { if (target.length < 1) { return _promise.default.resolve([]); } var unsaved = (0, _concat.default)(target).call(target); for (var i = 0; i < target.length; i++) { if (target[i] instanceof ParseObject) { unsaved = (0, _concat.default)(unsaved).call(unsaved, (0, _unsavedChildren.default)(target[i], true)); } } unsaved = (0, _unique.default)(unsaved); var filesSaved /*: Array*/ = []; var pending /*: Array*/ = []; (0, _forEach.default)(unsaved).call(unsaved, function (el) { if (el instanceof _ParseFile.default) { filesSaved.push(el.save(options)); } else if (el instanceof ParseObject) { pending.push(el); } }); return _promise.default.all(filesSaved).then(function () { var objectError = null; return (0, _promiseUtils.continueWhile)(function () { return pending.length > 0; }, function () { var batch = []; var nextPending = []; (0, _forEach.default)(pending).call(pending, function (el) { if (batch.length < batchSize && (0, _canBeSerialized.default)(el)) { batch.push(el); } else { nextPending.push(el); } }); pending = nextPending; if (batch.length < 1) { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Tried to save a batch with a cycle.')); } // Queue up tasks for each object in the batch. // When every task is ready, the API request will execute var batchReturned = new _promiseUtils.resolvingPromise(); var batchReady = []; var batchTasks = []; (0, _forEach.default)(batch).call(batch, function (obj, index) { var ready = new _promiseUtils.resolvingPromise(); batchReady.push(ready); stateController.pushPendingState(obj._getStateIdentifier()); batchTasks.push(stateController.enqueueTask(obj._getStateIdentifier(), function () { ready.resolve(); return batchReturned.then(function (responses) { if (responses[index].hasOwnProperty('success')) { var objectId = responses[index].success.objectId; var status = responses[index]._status; delete responses[index]._status; mapIdForPin[objectId] = obj._localId; obj._handleSaveResponse(responses[index].success, status); } else { if (!objectError && responses[index].hasOwnProperty('error')) { var serverError = responses[index].error; objectError = new _ParseError.default(serverError.code, serverError.error); // Cancel the rest of the save pending = []; } obj._handleSaveError(); } }); })); }); (0, _promiseUtils.when)(batchReady).then(function () { // Kick off the batch request return RESTController.request('POST', 'batch', { requests: (0, _map.default)(batch).call(batch, function (obj) { var params = obj._getSaveParams(); params.path = getServerUrlPath() + params.path; return params; }) }, options); }).then(batchReturned.resolve, function (error) { batchReturned.reject(new _ParseError.default(_ParseError.default.INCORRECT_TYPE, error.message)); }); return (0, _promiseUtils.when)(batchTasks); }).then( /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee9() { var _iterator4, _step4, object; return _regenerator.default.wrap(function (_context17) { while (1) { switch (_context17.prev = _context17.next) { case 0: if (!objectError) { _context17.next = 2; break; } return _context17.abrupt("return", _promise.default.reject(objectError)); case 2: _iterator4 = _createForOfIteratorHelper(target); _context17.prev = 3; _iterator4.s(); case 5: if ((_step4 = _iterator4.n()).done) { _context17.next = 13; break; } object = _step4.value; _context17.next = 9; return localDatastore._updateLocalIdForObject(mapIdForPin[object.id], object); case 9: _context17.next = 11; return localDatastore._updateObjectIfPinned(object); case 11: _context17.next = 5; break; case 13: _context17.next = 18; break; case 15: _context17.prev = 15; _context17.t0 = _context17["catch"](3); _iterator4.e(_context17.t0); case 18: _context17.prev = 18; _iterator4.f(); return _context17.finish(18); case 21: return _context17.abrupt("return", _promise.default.resolve(target)); case 22: case "end": return _context17.stop(); } } }, _callee9, null, [[3, 15, 18, 21]]); }))); }); } if (target instanceof ParseObject) { // generate _localId in case if cascadeSave=false target._getId(); var localId = target._localId; // copying target lets Flow guarantee the pointer isn't modified elsewhere var targetCopy = target; var task = function () { var params = targetCopy._getSaveParams(); return RESTController.request(params.method, params.path, params.body, options).then(function (response) { var status = response._status; delete response._status; targetCopy._handleSaveResponse(response, status); }, function (error) { targetCopy._handleSaveError(); return _promise.default.reject(error); }); }; stateController.pushPendingState(target._getStateIdentifier()); return stateController.enqueueTask(target._getStateIdentifier(), task).then( /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee10() { return _regenerator.default.wrap(function (_context18) { while (1) { switch (_context18.prev = _context18.next) { case 0: _context18.next = 2; return localDatastore._updateLocalIdForObject(localId, target); case 2: _context18.next = 4; return localDatastore._updateObjectIfPinned(target); case 4: return _context18.abrupt("return", target); case 5: case "end": return _context18.stop(); } } }, _callee10); })), function (error) { return _promise.default.reject(error); }); } return _promise.default.resolve(); } }; _CoreManager.default.setObjectController(DefaultController); var _default = ParseObject; exports.default = _default; },{"./CoreManager":4,"./LocalDatastoreUtils":13,"./ParseACL":25,"./ParseError":28,"./ParseFile":29,"./ParseOp":36,"./ParseQuery":38,"./ParseRelation":39,"./SingleInstanceStateController":46,"./UniqueInstanceStateController":51,"./canBeSerialized":54,"./decode":56,"./encode":57,"./escape":59,"./parseDate":61,"./promiseUtils":62,"./unique":63,"./unsavedChildren":64,"@babel/runtime-corejs3/core-js-stable/array/from":65,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/find":72,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/object/create":87,"@babel/runtime-corejs3/core-js-stable/object/define-properties":88,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/freeze":91,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors":93,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols":94,"@babel/runtime-corejs3/core-js-stable/object/get-prototype-of":95,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/symbol":103,"@babel/runtime-corejs3/core-js-stable/weak-map":104,"@babel/runtime-corejs3/core-js/get-iterator-method":107,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148,"@babel/runtime-corejs3/regenerator":152,"uuid/v4":534}],36:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.UnsetOp = exports.SetOp = exports.RemoveOp = exports.RelationOp = exports.Op = exports.IncrementOp = exports.AddUniqueOp = exports.AddOp = void 0; exports.opFromJSON = opFromJSON; var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _splice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/splice")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _assertThisInitialized2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/assertThisInitialized")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _arrayContainsObject = _interopRequireDefault(_dereq_("./arrayContainsObject")); var _decode = _interopRequireDefault(_dereq_("./decode")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); var _unique = _interopRequireDefault(_dereq_("./unique")); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } function opFromJSON(json /*: { [key: string]: any }*/ ) /*: ?Op*/ { if (!json || !json.__op) { return null; } switch (json.__op) { case 'Delete': return new UnsetOp(); case 'Increment': return new IncrementOp(json.amount); case 'Add': return new AddOp((0, _decode.default)(json.objects)); case 'AddUnique': return new AddUniqueOp((0, _decode.default)(json.objects)); case 'Remove': return new RemoveOp((0, _decode.default)(json.objects)); case 'AddRelation': { var toAdd = (0, _decode.default)(json.objects); if (!(0, _isArray.default)(toAdd)) { return new RelationOp([], []); } return new RelationOp(toAdd, []); } case 'RemoveRelation': { var toRemove = (0, _decode.default)(json.objects); if (!(0, _isArray.default)(toRemove)) { return new RelationOp([], []); } return new RelationOp([], toRemove); } case 'Batch': { var _toAdd = []; var _toRemove = []; for (var i = 0; i < json.ops.length; i++) { if (json.ops[i].__op === 'AddRelation') { _toAdd = (0, _concat.default)(_toAdd).call(_toAdd, (0, _decode.default)(json.ops[i].objects)); } else if (json.ops[i].__op === 'RemoveRelation') { _toRemove = (0, _concat.default)(_toRemove).call(_toRemove, (0, _decode.default)(json.ops[i].objects)); } } return new RelationOp(_toAdd, _toRemove); } default: return null; } } var Op = /*#__PURE__*/function () { function Op() { (0, _classCallCheck2.default)(this, Op); } (0, _createClass2.default)(Op, [{ key: "applyTo", value: // Empty parent class function () /*: mixed*/ {} /* eslint-disable-line no-unused-vars */ }, { key: "mergeWith", value: function () /*: ?Op*/ {} /* eslint-disable-line no-unused-vars */ }, { key: "toJSON", value: function () /*: mixed*/ {} }]); return Op; }(); exports.Op = Op; var SetOp = /*#__PURE__*/function (_Op) { (0, _inherits2.default)(SetOp, _Op); var _super = _createSuper(SetOp); function SetOp(value /*: mixed*/ ) { var _this; (0, _classCallCheck2.default)(this, SetOp); _this = _super.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this), "_value", void 0); _this._value = value; return _this; } (0, _createClass2.default)(SetOp, [{ key: "applyTo", value: function () /*: mixed*/ { return this._value; } }, { key: "mergeWith", value: function () /*: SetOp*/ { return new SetOp(this._value); } }, { key: "toJSON", value: function (offline /*:: ?: boolean*/ ) { return (0, _encode.default)(this._value, false, true, undefined, offline); } }]); return SetOp; }(Op); exports.SetOp = SetOp; var UnsetOp = /*#__PURE__*/function (_Op2) { (0, _inherits2.default)(UnsetOp, _Op2); var _super2 = _createSuper(UnsetOp); function UnsetOp() { (0, _classCallCheck2.default)(this, UnsetOp); return _super2.apply(this, arguments); } (0, _createClass2.default)(UnsetOp, [{ key: "applyTo", value: function () { return undefined; } }, { key: "mergeWith", value: function () /*: UnsetOp*/ { return new UnsetOp(); } }, { key: "toJSON", value: function () /*: { __op: string }*/ { return { __op: 'Delete' }; } }]); return UnsetOp; }(Op); exports.UnsetOp = UnsetOp; var IncrementOp = /*#__PURE__*/function (_Op3) { (0, _inherits2.default)(IncrementOp, _Op3); var _super3 = _createSuper(IncrementOp); function IncrementOp(amount /*: number*/ ) { var _this2; (0, _classCallCheck2.default)(this, IncrementOp); _this2 = _super3.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this2), "_amount", void 0); if (typeof amount !== 'number') { throw new TypeError('Increment Op must be initialized with a numeric amount.'); } _this2._amount = amount; return _this2; } (0, _createClass2.default)(IncrementOp, [{ key: "applyTo", value: function (value /*: ?mixed*/ ) /*: number*/ { if (typeof value === 'undefined') { return this._amount; } if (typeof value !== 'number') { throw new TypeError('Cannot increment a non-numeric value.'); } return this._amount + value; } }, { key: "mergeWith", value: function (previous /*: Op*/ ) /*: Op*/ { if (!previous) { return this; } if (previous instanceof SetOp) { return new SetOp(this.applyTo(previous._value)); } if (previous instanceof UnsetOp) { return new SetOp(this._amount); } if (previous instanceof IncrementOp) { return new IncrementOp(this.applyTo(previous._amount)); } throw new Error('Cannot merge Increment Op with the previous Op'); } }, { key: "toJSON", value: function () /*: { __op: string, amount: number }*/ { return { __op: 'Increment', amount: this._amount }; } }]); return IncrementOp; }(Op); exports.IncrementOp = IncrementOp; var AddOp = /*#__PURE__*/function (_Op4) { (0, _inherits2.default)(AddOp, _Op4); var _super4 = _createSuper(AddOp); function AddOp(value /*: mixed | Array*/ ) { var _this3; (0, _classCallCheck2.default)(this, AddOp); _this3 = _super4.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this3), "_value", void 0); _this3._value = (0, _isArray.default)(value) ? value : [value]; return _this3; } (0, _createClass2.default)(AddOp, [{ key: "applyTo", value: function (value /*: mixed*/ ) /*: Array*/ { if (value == null) { return this._value; } if ((0, _isArray.default)(value)) { return (0, _concat.default)(value).call(value, this._value); } throw new Error('Cannot add elements to a non-array value'); } }, { key: "mergeWith", value: function (previous /*: Op*/ ) /*: Op*/ { if (!previous) { return this; } if (previous instanceof SetOp) { return new SetOp(this.applyTo(previous._value)); } if (previous instanceof UnsetOp) { return new SetOp(this._value); } if (previous instanceof AddOp) { return new AddOp(this.applyTo(previous._value)); } throw new Error('Cannot merge Add Op with the previous Op'); } }, { key: "toJSON", value: function () /*: { __op: string, objects: mixed }*/ { return { __op: 'Add', objects: (0, _encode.default)(this._value, false, true) }; } }]); return AddOp; }(Op); exports.AddOp = AddOp; var AddUniqueOp = /*#__PURE__*/function (_Op5) { (0, _inherits2.default)(AddUniqueOp, _Op5); var _super5 = _createSuper(AddUniqueOp); function AddUniqueOp(value /*: mixed | Array*/ ) { var _this4; (0, _classCallCheck2.default)(this, AddUniqueOp); _this4 = _super5.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this4), "_value", void 0); _this4._value = (0, _unique.default)((0, _isArray.default)(value) ? value : [value]); return _this4; } (0, _createClass2.default)(AddUniqueOp, [{ key: "applyTo", value: function (value /*: mixed | Array*/ ) /*: Array*/ { if (value == null) { return this._value || []; } if ((0, _isArray.default)(value)) { var _context; var toAdd = []; (0, _forEach.default)(_context = this._value).call(_context, function (v) { if (v instanceof _ParseObject.default) { if (!(0, _arrayContainsObject.default)(value, v)) { toAdd.push(v); } } else { if ((0, _indexOf.default)(value).call(value, v) < 0) { toAdd.push(v); } } }); return (0, _concat.default)(value).call(value, toAdd); } throw new Error('Cannot add elements to a non-array value'); } }, { key: "mergeWith", value: function (previous /*: Op*/ ) /*: Op*/ { if (!previous) { return this; } if (previous instanceof SetOp) { return new SetOp(this.applyTo(previous._value)); } if (previous instanceof UnsetOp) { return new SetOp(this._value); } if (previous instanceof AddUniqueOp) { return new AddUniqueOp(this.applyTo(previous._value)); } throw new Error('Cannot merge AddUnique Op with the previous Op'); } }, { key: "toJSON", value: function () /*: { __op: string, objects: mixed }*/ { return { __op: 'AddUnique', objects: (0, _encode.default)(this._value, false, true) }; } }]); return AddUniqueOp; }(Op); exports.AddUniqueOp = AddUniqueOp; var RemoveOp = /*#__PURE__*/function (_Op6) { (0, _inherits2.default)(RemoveOp, _Op6); var _super6 = _createSuper(RemoveOp); function RemoveOp(value /*: mixed | Array*/ ) { var _this5; (0, _classCallCheck2.default)(this, RemoveOp); _this5 = _super6.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this5), "_value", void 0); _this5._value = (0, _unique.default)((0, _isArray.default)(value) ? value : [value]); return _this5; } (0, _createClass2.default)(RemoveOp, [{ key: "applyTo", value: function (value /*: mixed | Array*/ ) /*: Array*/ { if (value == null) { return []; } if ((0, _isArray.default)(value)) { // var i = value.indexOf(this._value); var removed = (0, _concat.default)(value).call(value, []); for (var i = 0; i < this._value.length; i++) { var index = (0, _indexOf.default)(removed).call(removed, this._value[i]); while (index > -1) { (0, _splice.default)(removed).call(removed, index, 1); index = (0, _indexOf.default)(removed).call(removed, this._value[i]); } if (this._value[i] instanceof _ParseObject.default && this._value[i].id) { for (var j = 0; j < removed.length; j++) { if (removed[j] instanceof _ParseObject.default && this._value[i].id === removed[j].id) { (0, _splice.default)(removed).call(removed, j, 1); j--; } } } } return removed; } throw new Error('Cannot remove elements from a non-array value'); } }, { key: "mergeWith", value: function (previous /*: Op*/ ) /*: Op*/ { if (!previous) { return this; } if (previous instanceof SetOp) { return new SetOp(this.applyTo(previous._value)); } if (previous instanceof UnsetOp) { return new UnsetOp(); } if (previous instanceof RemoveOp) { var _context2; var uniques = (0, _concat.default)(_context2 = previous._value).call(_context2, []); for (var i = 0; i < this._value.length; i++) { if (this._value[i] instanceof _ParseObject.default) { if (!(0, _arrayContainsObject.default)(uniques, this._value[i])) { uniques.push(this._value[i]); } } else { if ((0, _indexOf.default)(uniques).call(uniques, this._value[i]) < 0) { uniques.push(this._value[i]); } } } return new RemoveOp(uniques); } throw new Error('Cannot merge Remove Op with the previous Op'); } }, { key: "toJSON", value: function () /*: { __op: string, objects: mixed }*/ { return { __op: 'Remove', objects: (0, _encode.default)(this._value, false, true) }; } }]); return RemoveOp; }(Op); exports.RemoveOp = RemoveOp; var RelationOp = /*#__PURE__*/function (_Op7) { (0, _inherits2.default)(RelationOp, _Op7); var _super7 = _createSuper(RelationOp); function RelationOp(adds /*: Array*/ , removes /*: Array*/ ) { var _this6; (0, _classCallCheck2.default)(this, RelationOp); _this6 = _super7.call(this); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this6), "_targetClassName", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this6), "relationsToAdd", void 0); (0, _defineProperty2.default)((0, _assertThisInitialized2.default)(_this6), "relationsToRemove", void 0); _this6._targetClassName = null; if ((0, _isArray.default)(adds)) { _this6.relationsToAdd = (0, _unique.default)((0, _map.default)(adds).call(adds, _this6._extractId, (0, _assertThisInitialized2.default)(_this6))); } if ((0, _isArray.default)(removes)) { _this6.relationsToRemove = (0, _unique.default)((0, _map.default)(removes).call(removes, _this6._extractId, (0, _assertThisInitialized2.default)(_this6))); } return _this6; } (0, _createClass2.default)(RelationOp, [{ key: "_extractId", value: function (obj /*: string | ParseObject*/ ) /*: string*/ { if (typeof obj === 'string') { return obj; } if (!obj.id) { throw new Error('You cannot add or remove an unsaved Parse Object from a relation'); } if (!this._targetClassName) { this._targetClassName = obj.className; } if (this._targetClassName !== obj.className) { var _context3; throw new Error((0, _concat.default)(_context3 = "Tried to create a Relation with 2 different object types: ".concat(this._targetClassName, " and ")).call(_context3, obj.className, ".")); } return obj.id; } }, { key: "applyTo", value: function (value /*: mixed*/ , object /*:: ?: { className: string, id: ?string }*/ , key /*:: ?: string*/ ) /*: ?ParseRelation*/ { if (!value) { var _context4; if (!object || !key) { throw new Error('Cannot apply a RelationOp without either a previous value, or an object and a key'); } var parent = new _ParseObject.default(object.className); if (object.id && (0, _indexOf.default)(_context4 = object.id).call(_context4, 'local') === 0) { parent._localId = object.id; } else if (object.id) { parent.id = object.id; } var relation = new _ParseRelation.default(parent, key); relation.targetClassName = this._targetClassName; return relation; } if (value instanceof _ParseRelation.default) { if (this._targetClassName) { if (value.targetClassName) { if (this._targetClassName !== value.targetClassName) { var _context5; throw new Error((0, _concat.default)(_context5 = "Related object must be a ".concat(value.targetClassName, ", but a ")).call(_context5, this._targetClassName, " was passed in.")); } } else { value.targetClassName = this._targetClassName; } } return value; } throw new Error('Relation cannot be applied to a non-relation field'); } }, { key: "mergeWith", value: function (previous /*: Op*/ ) /*: Op*/ { if (!previous) { return this; } if (previous instanceof UnsetOp) { throw new Error('You cannot modify a relation after deleting it.'); } if (previous instanceof SetOp && previous._value instanceof _ParseRelation.default) { return this; } if (previous instanceof RelationOp) { var _context7, _context8, _context9, _context10, _context11, _context12; if (previous._targetClassName && previous._targetClassName !== this._targetClassName) { var _context6; throw new Error((0, _concat.default)(_context6 = "Related object must be of class ".concat(previous._targetClassName, ", but ")).call(_context6, this._targetClassName || 'null', " was passed in.")); } var newAdd = (0, _concat.default)(_context7 = previous.relationsToAdd).call(_context7, []); (0, _forEach.default)(_context8 = this.relationsToRemove).call(_context8, function (r) { var index = (0, _indexOf.default)(newAdd).call(newAdd, r); if (index > -1) { (0, _splice.default)(newAdd).call(newAdd, index, 1); } }); (0, _forEach.default)(_context9 = this.relationsToAdd).call(_context9, function (r) { var index = (0, _indexOf.default)(newAdd).call(newAdd, r); if (index < 0) { newAdd.push(r); } }); var newRemove = (0, _concat.default)(_context10 = previous.relationsToRemove).call(_context10, []); (0, _forEach.default)(_context11 = this.relationsToAdd).call(_context11, function (r) { var index = (0, _indexOf.default)(newRemove).call(newRemove, r); if (index > -1) { (0, _splice.default)(newRemove).call(newRemove, index, 1); } }); (0, _forEach.default)(_context12 = this.relationsToRemove).call(_context12, function (r) { var index = (0, _indexOf.default)(newRemove).call(newRemove, r); if (index < 0) { newRemove.push(r); } }); var newRelation = new RelationOp(newAdd, newRemove); newRelation._targetClassName = this._targetClassName; return newRelation; } throw new Error('Cannot merge Relation Op with the previous Op'); } }, { key: "toJSON", value: function () /*: { __op?: string, objects?: mixed, ops?: mixed }*/ { var _this7 = this; var idToPointer = function (id) { return { __type: 'Pointer', className: _this7._targetClassName, objectId: id }; }; var adds = null; var removes = null; var pointers = null; if (this.relationsToAdd.length > 0) { var _context13; pointers = (0, _map.default)(_context13 = this.relationsToAdd).call(_context13, idToPointer); adds = { __op: 'AddRelation', objects: pointers }; } if (this.relationsToRemove.length > 0) { var _context14; pointers = (0, _map.default)(_context14 = this.relationsToRemove).call(_context14, idToPointer); removes = { __op: 'RemoveRelation', objects: pointers }; } if (adds && removes) { return { __op: 'Batch', ops: [adds, removes] }; } return adds || removes || {}; } }]); return RelationOp; }(Op); exports.RelationOp = RelationOp; },{"./ParseObject":35,"./ParseRelation":39,"./arrayContainsObject":53,"./decode":56,"./encode":57,"./unique":63,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/splice":81,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/assertThisInitialized":127,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143}],37:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _ParseGeoPoint = _interopRequireDefault(_dereq_("./ParseGeoPoint")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Creates a new Polygon with any of the following forms:
    *
       *   new Polygon([[0,0],[0,1],[1,1],[1,0]])
       *   new Polygon([GeoPoint, GeoPoint, GeoPoint])
       *   
    * *

    Represents a coordinates that may be associated * with a key in a ParseObject or used as a reference point for geo queries. * This allows proximity-based queries on the key.

    * *

    Example:

       *   var polygon = new Parse.Polygon([[0,0],[0,1],[1,1],[1,0]]);
       *   var object = new Parse.Object("PlaceObject");
       *   object.set("area", polygon);
       *   object.save();

    * * @alias Parse.Polygon */ var ParsePolygon = /*#__PURE__*/function () { /** * @param {(number[][] | Parse.GeoPoint[])} coordinates An Array of coordinate pairs */ function ParsePolygon(coordinates /*: Array> | Array*/ ) { (0, _classCallCheck2.default)(this, ParsePolygon); (0, _defineProperty2.default)(this, "_coordinates", void 0); this._coordinates = ParsePolygon._validate(coordinates); } /** * Coordinates value for this Polygon. * Throws an exception if not valid type. * * @property {(number[][] | Parse.GeoPoint[])} coordinates list of coordinates * @returns {number[][]} */ (0, _createClass2.default)(ParsePolygon, [{ key: "coordinates", get: function () /*: Array>*/ { return this._coordinates; }, set: function (coords /*: Array> | Array*/ ) { this._coordinates = ParsePolygon._validate(coords); } /** * Returns a JSON representation of the Polygon, suitable for Parse. * * @returns {object} */ }, { key: "toJSON", value: function () /*: { __type: string, coordinates: Array> }*/ { ParsePolygon._validate(this._coordinates); return { __type: 'Polygon', coordinates: this._coordinates }; } /** * Checks if two polygons are equal * * @param {(Parse.Polygon | object)} other * @returns {boolean} */ }, { key: "equals", value: function (other /*: mixed*/ ) /*: boolean*/ { if (!(other instanceof ParsePolygon) || this.coordinates.length !== other.coordinates.length) { return false; } var isEqual = true; for (var i = 1; i < this._coordinates.length; i += 1) { if (this._coordinates[i][0] !== other.coordinates[i][0] || this._coordinates[i][1] !== other.coordinates[i][1]) { isEqual = false; break; } } return isEqual; } /** * * @param {Parse.GeoPoint} point * @returns {boolean} Returns if the point is contained in the polygon */ }, { key: "containsPoint", value: function (point /*: ParseGeoPoint*/ ) /*: boolean*/ { var minX = this._coordinates[0][0]; var maxX = this._coordinates[0][0]; var minY = this._coordinates[0][1]; var maxY = this._coordinates[0][1]; for (var i = 1; i < this._coordinates.length; i += 1) { var p = this._coordinates[i]; minX = Math.min(p[0], minX); maxX = Math.max(p[0], maxX); minY = Math.min(p[1], minY); maxY = Math.max(p[1], maxY); } var outside = point.latitude < minX || point.latitude > maxX || point.longitude < minY || point.longitude > maxY; if (outside) { return false; } var inside = false; for (var _i = 0, j = this._coordinates.length - 1; _i < this._coordinates.length; j = _i++) { var startX = this._coordinates[_i][0]; var startY = this._coordinates[_i][1]; var endX = this._coordinates[j][0]; var endY = this._coordinates[j][1]; var intersect = startY > point.longitude !== endY > point.longitude && point.latitude < (endX - startX) * (point.longitude - startY) / (endY - startY) + startX; if (intersect) { inside = !inside; } } return inside; } /** * Validates that the list of coordinates can form a valid polygon * * @param {Array} coords the list of coordinates to validate as a polygon * @throws {TypeError} * @returns {number[][]} Array of coordinates if validated. */ }], [{ key: "_validate", value: function (coords /*: Array> | Array*/ ) /*: Array>*/ { if (!(0, _isArray.default)(coords)) { throw new TypeError('Coordinates must be an Array'); } if (coords.length < 3) { throw new TypeError('Polygon must have at least 3 GeoPoints or Points'); } var points = []; for (var i = 0; i < coords.length; i += 1) { var coord = coords[i]; var geoPoint = void 0; if (coord instanceof _ParseGeoPoint.default) { geoPoint = coord; } else if ((0, _isArray.default)(coord) && coord.length === 2) { geoPoint = new _ParseGeoPoint.default(coord[0], coord[1]); } else { throw new TypeError('Coordinates must be an Array of GeoPoints or Points'); } points.push([geoPoint.latitude, geoPoint.longitude]); } return points; } }]); return ParsePolygon; }(); var _default = ParsePolygon; exports.default = _default; },{"./ParseGeoPoint":32,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],38:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _entries = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/entries")); var _slicedToArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/slicedToArray")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _toConsumableArray2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/toConsumableArray")); var _find = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/find")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _splice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/splice")); var _sort = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/sort")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/keys")); var _filter2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _map2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _slice = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/slice")); var _keys2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _encode = _interopRequireDefault(_dereq_("./encode")); var _promiseUtils = _dereq_("./promiseUtils"); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _ParseGeoPoint = _interopRequireDefault(_dereq_("./ParseGeoPoint")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _OfflineQuery = _interopRequireDefault(_dereq_("./OfflineQuery")); var _LocalDatastoreUtils = _dereq_("./LocalDatastoreUtils"); /* * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Converts a string into a regex that matches it. * Surrounding with \Q .. \E does this, we just need to escape any \E's in * the text separately. * * @param s * @private * @returns {string} */ function quote(s /*: string*/ ) /*: string*/ { return "\\Q".concat(s.replace('\\E', '\\E\\\\E\\Q'), "\\E"); } /** * Extracts the class name from queries. If not all queries have the same * class name an error will be thrown. * * @param queries * @private * @returns {string} */ function _getClassNameFromQueries(queries /*: Array*/ ) /*: ?string*/ { var className = null; (0, _forEach.default)(queries).call(queries, function (q) { if (!className) { // eslint-disable-next-line prefer-destructuring className = q.className; } if (className !== q.className) { throw new Error('All queries must be for the same class.'); } }); return className; } /* * Handles pre-populating the result data of a query with select fields, * making sure that the data object contains keys for all objects that have * been requested with a select, so that our cached state updates correctly. */ function handleSelectResult(data /*: any*/ , select /*: Array*/ ) { var serverDataMask = {}; (0, _forEach.default)(select).call(select, function (field) { var hasSubObjectSelect = (0, _indexOf.default)(field).call(field, '.') !== -1; if (!hasSubObjectSelect && !data.hasOwnProperty(field)) { // this field was selected, but is missing from the retrieved data data[field] = undefined; } else if (hasSubObjectSelect) { // this field references a sub-object, // so we need to walk down the path components var pathComponents = field.split('.'); var _obj = data; var serverMask = serverDataMask; (0, _forEach.default)(pathComponents).call(pathComponents, function (component, index, arr) { // add keys if the expected data is missing if (_obj && !_obj.hasOwnProperty(component)) { _obj[component] = undefined; } if (_obj && (0, _typeof2.default)(_obj) === 'object') { _obj = _obj[component]; } // add this path component to the server mask so we can fill it in later if needed if (index < arr.length - 1) { if (!serverMask[component]) { serverMask[component] = {}; } serverMask = serverMask[component]; } }); } }); if ((0, _keys2.default)(serverDataMask).length > 0) { // When selecting from sub-objects, we don't want to blow away the missing // information that we may have retrieved before. We've already added any // missing selected keys to sub-objects, but we still need to add in the // data for any previously retrieved sub-objects that were not selected. var serverData = _CoreManager.default.getObjectStateController().getServerData({ id: data.objectId, className: data.className }); copyMissingDataWithMask(serverData, data, serverDataMask, false); } } function copyMissingDataWithMask(src, dest, mask, copyThisLevel) { // copy missing elements at this level if (copyThisLevel) { for (var _key in src) { if (src.hasOwnProperty(_key) && !dest.hasOwnProperty(_key)) { dest[_key] = src[_key]; } } } for (var _key2 in mask) { if (dest[_key2] !== undefined && dest[_key2] !== null && src !== undefined && src !== null) { // traverse into objects as needed copyMissingDataWithMask(src[_key2], dest[_key2], mask[_key2], true); } } } function handleOfflineSort(a, b, sorts) { var order = sorts[0]; var operator = (0, _slice.default)(order).call(order, 0, 1); var isDescending = operator === '-'; if (isDescending) { order = order.substring(1); } if (order === '_created_at') { order = 'createdAt'; } if (order === '_updated_at') { order = 'updatedAt'; } if (!/^[A-Za-z][0-9A-Za-z_]*$/.test(order) || order === 'password') { throw new _ParseError.default(_ParseError.default.INVALID_KEY_NAME, "Invalid Key: ".concat(order)); } var field1 = a.get(order); var field2 = b.get(order); if (field1 < field2) { return isDescending ? 1 : -1; } if (field1 > field2) { return isDescending ? -1 : 1; } if (sorts.length > 1) { var remainingSorts = (0, _slice.default)(sorts).call(sorts, 1); return handleOfflineSort(a, b, remainingSorts); } return 0; } /** * Creates a new parse Parse.Query for the given Parse.Object subclass. * *

    Parse.Query defines a query that is used to fetch Parse.Objects. The * most common use case is finding all objects that match a query through the * find method. for example, this sample code fetches all objects * of class myclass. it calls a different function depending on * whether the fetch succeeded or not. * *

       * var query = new Parse.Query(myclass);
       * query.find().then((results) => {
       *   // results is an array of parse.object.
       * }).catch((error) =>  {
       *  // error is an instance of parse.error.
       * });

    * *

    a Parse.Query can also be used to retrieve a single object whose id is * known, through the get method. for example, this sample code fetches an * object of class myclass and id myid. it calls a * different function depending on whether the fetch succeeded or not. * *

       * var query = new Parse.Query(myclass);
       * query.get(myid).then((object) => {
       *     // object is an instance of parse.object.
       * }).catch((error) =>  {
       *  // error is an instance of parse.error.
       * });

    * *

    a Parse.Query can also be used to count the number of objects that match * the query without retrieving all of those objects. for example, this * sample code counts the number of objects of the class myclass *

       * var query = new Parse.Query(myclass);
       * query.count().then((number) => {
       *     // there are number instances of myclass.
       * }).catch((error) => {
       *     // error is an instance of Parse.Error.
       * });

    * * @alias Parse.Query */ var ParseQuery = /*#__PURE__*/function () { /** * @property {string} className */ /** * @param {(string | Parse.Object)} objectClass An instance of a subclass of Parse.Object, or a Parse className string. */ function ParseQuery(objectClass /*: string | ParseObject*/ ) { (0, _classCallCheck2.default)(this, ParseQuery); (0, _defineProperty2.default)(this, "className", void 0); (0, _defineProperty2.default)(this, "_where", void 0); (0, _defineProperty2.default)(this, "_include", void 0); (0, _defineProperty2.default)(this, "_exclude", void 0); (0, _defineProperty2.default)(this, "_select", void 0); (0, _defineProperty2.default)(this, "_limit", void 0); (0, _defineProperty2.default)(this, "_skip", void 0); (0, _defineProperty2.default)(this, "_count", void 0); (0, _defineProperty2.default)(this, "_order", void 0); (0, _defineProperty2.default)(this, "_readPreference", void 0); (0, _defineProperty2.default)(this, "_includeReadPreference", void 0); (0, _defineProperty2.default)(this, "_subqueryReadPreference", void 0); (0, _defineProperty2.default)(this, "_queriesLocalDatastore", void 0); (0, _defineProperty2.default)(this, "_localDatastorePinName", void 0); (0, _defineProperty2.default)(this, "_extraOptions", void 0); (0, _defineProperty2.default)(this, "_hint", void 0); (0, _defineProperty2.default)(this, "_explain", void 0); (0, _defineProperty2.default)(this, "_xhrRequest", void 0); if (typeof objectClass === 'string') { if (objectClass === 'User' && _CoreManager.default.get('PERFORM_USER_REWRITE')) { this.className = '_User'; } else { this.className = objectClass; } } else if (objectClass instanceof _ParseObject.default) { this.className = objectClass.className; } else if (typeof objectClass === 'function') { if (typeof objectClass.className === 'string') { this.className = objectClass.className; } else { var _obj2 = new objectClass(); this.className = _obj2.className; } } else { throw new TypeError('A ParseQuery must be constructed with a ParseObject or class name.'); } this._where = {}; this._include = []; this._exclude = []; this._count = false; // negative limit is not sent in the server request this._limit = -1; this._skip = 0; this._readPreference = null; this._includeReadPreference = null; this._subqueryReadPreference = null; this._queriesLocalDatastore = false; this._localDatastorePinName = null; this._extraOptions = {}; this._xhrRequest = { task: null, onchange: function () {} }; } /** * Adds constraint that at least one of the passed in queries matches. * * @param {Array} queries * @returns {Parse.Query} Returns the query, so you can chain this call. */ (0, _createClass2.default)(ParseQuery, [{ key: "_orQuery", value: function (queries /*: Array*/ ) /*: ParseQuery*/ { var queryJSON = (0, _map2.default)(queries).call(queries, function (q) { return q.toJSON().where; }); this._where.$or = queryJSON; return this; } /** * Adds constraint that all of the passed in queries match. * * @param {Array} queries * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "_andQuery", value: function (queries /*: Array*/ ) /*: ParseQuery*/ { var queryJSON = (0, _map2.default)(queries).call(queries, function (q) { return q.toJSON().where; }); this._where.$and = queryJSON; return this; } /** * Adds constraint that none of the passed in queries match. * * @param {Array} queries * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "_norQuery", value: function (queries /*: Array*/ ) /*: ParseQuery*/ { var queryJSON = (0, _map2.default)(queries).call(queries, function (q) { return q.toJSON().where; }); this._where.$nor = queryJSON; return this; } /** * Helper for condition queries * * @param key * @param condition * @param value * @returns {Parse.Query} */ }, { key: "_addCondition", value: function (key /*: string*/ , condition /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { if (!this._where[key] || typeof this._where[key] === 'string') { this._where[key] = {}; } this._where[key][condition] = (0, _encode.default)(value, false, true); return this; } /** * Converts string for regular expression at the beginning * * @param string * @returns {string} */ }, { key: "_regexStartWith", value: function (string /*: string*/ ) /*: string*/ { return "^".concat(quote(string)); } }, { key: "_handleOfflineQuery", value: function () { var _handleOfflineQuery2 = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(params /*: any*/ ) { var _context, _this2 = this; var localDatastore, objects, results, keys, alwaysSelectedKeys, sorts, count, limit; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: _OfflineQuery.default.validateQuery(this); localDatastore = _CoreManager.default.getLocalDatastore(); _context3.next = 4; return localDatastore._serializeObjectsFromPinName(this._localDatastorePinName); case 4: objects = _context3.sent; results = (0, _filter2.default)(_context = (0, _map2.default)(objects).call(objects, function (json, index, arr) { var object = _ParseObject.default.fromJSON(json, false); if (json._localId && !json.objectId) { object._localId = json._localId; } if (!_OfflineQuery.default.matchesQuery(_this2.className, object, arr, _this2)) { return null; } return object; })).call(_context, function (object) { return object !== null; }); if ((0, _keys.default)(params)) { keys = (0, _keys.default)(params).split(','); alwaysSelectedKeys = ['className', 'objectId', 'createdAt', 'updatedAt', 'ACL']; keys = (0, _concat.default)(keys).call(keys, alwaysSelectedKeys); results = (0, _map2.default)(results).call(results, function (object) { var _context2; var json = object._toFullJSON(); (0, _forEach.default)(_context2 = (0, _keys2.default)(json)).call(_context2, function (key) { if (!(0, _includes.default)(keys).call(keys, key)) { delete json[key]; } }); return _ParseObject.default.fromJSON(json, false); }); } if (params.order) { sorts = params.order.split(','); (0, _sort.default)(results).call(results, function (a, b) { return handleOfflineSort(a, b, sorts); }); } // count total before applying limit/skip if (params.count) { // total count from response count = results.length; } if (params.skip) { if (params.skip >= results.length) { results = []; } else { results = (0, _splice.default)(results).call(results, params.skip, results.length); } } limit = results.length; if (params.limit !== 0 && params.limit < results.length) { // eslint-disable-next-line prefer-destructuring limit = params.limit; } results = (0, _splice.default)(results).call(results, 0, limit); if (!(typeof count === 'number')) { _context3.next = 15; break; } return _context3.abrupt("return", { results: results, count: count }); case 15: return _context3.abrupt("return", results); case 16: case "end": return _context3.stop(); } } }, _callee, this); })); return function () { return _handleOfflineQuery2.apply(this, arguments); }; }() /** * Returns a JSON representation of this query. * * @returns {object} The JSON representation of the query. */ }, { key: "toJSON", value: function () /*: QueryJSON*/ { var params /*: QueryJSON*/ = { where: this._where }; if (this._include.length) { params.include = this._include.join(','); } if (this._exclude.length) { params.excludeKeys = this._exclude.join(','); } if (this._select) { params.keys = this._select.join(','); } if (this._count) { params.count = 1; } if (this._limit >= 0) { params.limit = this._limit; } if (this._skip > 0) { params.skip = this._skip; } if (this._order) { params.order = this._order.join(','); } if (this._readPreference) { params.readPreference = this._readPreference; } if (this._includeReadPreference) { params.includeReadPreference = this._includeReadPreference; } if (this._subqueryReadPreference) { params.subqueryReadPreference = this._subqueryReadPreference; } if (this._hint) { params.hint = this._hint; } if (this._explain) { params.explain = true; } for (var _key3 in this._extraOptions) { params[_key3] = this._extraOptions[_key3]; } return params; } /** * Return a query with conditions from json, can be useful to send query from server side to client * Not static, all query conditions was set before calling this method will be deleted. * For example on the server side we have * var query = new Parse.Query("className"); * query.equalTo(key: value); * query.limit(100); * ... (others queries) * Create JSON representation of Query Object * var jsonFromServer = query.fromJSON(); * * On client side getting query: * var query = new Parse.Query("className"); * query.fromJSON(jsonFromServer); * * and continue to query... * query.skip(100).find().then(...); * * @param {QueryJSON} json from Parse.Query.toJSON() method * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withJSON", value: function (json /*: QueryJSON*/ ) /*: ParseQuery*/ { if (json.where) { this._where = json.where; } if (json.include) { this._include = json.include.split(','); } if ((0, _keys.default)(json)) { this._select = (0, _keys.default)(json).split(','); } if (json.excludeKeys) { this._exclude = json.excludeKeys.split(','); } if (json.count) { this._count = json.count === 1; } if (json.limit) { this._limit = json.limit; } if (json.skip) { this._skip = json.skip; } if (json.order) { this._order = json.order.split(','); } if (json.readPreference) { this._readPreference = json.readPreference; } if (json.includeReadPreference) { this._includeReadPreference = json.includeReadPreference; } if (json.subqueryReadPreference) { this._subqueryReadPreference = json.subqueryReadPreference; } if (json.hint) { this._hint = json.hint; } if (json.explain) { this._explain = !!json.explain; } for (var _key4 in json) { if (json.hasOwnProperty(_key4)) { var _context4; if ((0, _indexOf.default)(_context4 = ['where', 'include', 'keys', 'count', 'limit', 'skip', 'order', 'readPreference', 'includeReadPreference', 'subqueryReadPreference', 'hint', 'explain']).call(_context4, _key4) === -1) { this._extraOptions[_key4] = json[_key4]; } } } return this; } /** * Static method to restore Parse.Query by json representation * Internally calling Parse.Query.withJSON * * @param {string} className * @param {QueryJSON} json from Parse.Query.toJSON() method * @returns {Parse.Query} new created query */ }, { key: "get", value: /** * Constructs a Parse.Object whose id is already known by fetching data from * the server. Unlike the first method, it never returns undefined. * * @param {string} objectId The id of the object to be fetched. * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • context: A dictionary that is accessible in Cloud Code `beforeFind` trigger. *
    * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ function (objectId /*: string*/ , options /*:: ?: FullOptions*/ ) /*: Promise*/ { this.equalTo('objectId', objectId); var firstOptions = {}; if (options && options.hasOwnProperty('useMasterKey')) { firstOptions.useMasterKey = options.useMasterKey; } if (options && options.hasOwnProperty('sessionToken')) { firstOptions.sessionToken = options.sessionToken; } if (options && options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { firstOptions.context = options.context; } return this.first(firstOptions).then(function (response) { if (response) { return response; } var errorObject = new _ParseError.default(_ParseError.default.OBJECT_NOT_FOUND, 'Object not found.'); return _promise.default.reject(errorObject); }); } /** * Retrieves a list of ParseObjects that satisfy this query. * * @param {object} options Valid options * are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • context: A dictionary that is accessible in Cloud Code `beforeFind` trigger. *
    * * @returns {Promise} A promise that is resolved with the results when * the query completes. */ }, { key: "find", value: function (options /*:: ?: FullOptions*/ ) /*: Promise>*/ { var _this3 = this; options = options || {}; var findOptions = {}; if (options.hasOwnProperty('useMasterKey')) { findOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { findOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { findOptions.context = options.context; } this._setRequestTask(findOptions); var controller = _CoreManager.default.getQueryController(); var select = this._select; if (this._queriesLocalDatastore) { return this._handleOfflineQuery(this.toJSON()); } return (0, _find.default)(controller).call(controller, this.className, this.toJSON(), findOptions).then(function (response) { var _context5; // Return generic object when explain is used if (_this3._explain) { return response.results; } var results = (0, _map2.default)(_context5 = response.results).call(_context5, function (data) { // In cases of relations, the server may send back a className // on the top level of the payload var override = response.className || _this3.className; if (!data.className) { data.className = override; } // Make sure the data object contains keys for all objects that // have been requested with a select, so that our cached state // updates correctly. if (select) { handleSelectResult(data, select); } return _ParseObject.default.fromJSON(data, !select); }); var count = response.count; if (typeof count === 'number') { return { results: results, count: count }; } return results; }); } /** * Retrieves a complete list of ParseObjects that satisfy this query. * Using `eachBatch` under the hood to fetch all the valid objects. * * @param {object} options Valid options are:
      *
    • batchSize: How many objects to yield in each batch (default: 100) *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A promise that is resolved with the results when * the query completes. */ }, { key: "findAll", value: function () { var _findAll = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee2(options /*:: ?: BatchOptions*/ ) { var result; return _regenerator.default.wrap(function (_context7) { while (1) { switch (_context7.prev = _context7.next) { case 0: result /*: ParseObject[]*/ = []; _context7.next = 3; return this.eachBatch(function (objects /*: ParseObject[]*/ ) { var _context6; result = (0, _concat.default)(_context6 = []).call(_context6, (0, _toConsumableArray2.default)(result), (0, _toConsumableArray2.default)(objects)); }, options); case 3: return _context7.abrupt("return", result); case 4: case "end": return _context7.stop(); } } }, _callee2, this); })); return function () { return _findAll.apply(this, arguments); }; }() /** * Counts the number of objects that match this query. * * @param {object} options * Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * * @returns {Promise} A promise that is resolved with the count when * the query completes. */ }, { key: "count", value: function (options /*:: ?: FullOptions*/ ) /*: Promise*/ { options = options || {}; var findOptions = {}; if (options.hasOwnProperty('useMasterKey')) { findOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { findOptions.sessionToken = options.sessionToken; } this._setRequestTask(findOptions); var controller = _CoreManager.default.getQueryController(); var params = this.toJSON(); params.limit = 0; params.count = 1; return (0, _find.default)(controller).call(controller, this.className, params, findOptions).then(function (result) { return result.count; }); } /** * Executes a distinct query and returns unique values * * @param {string} key A field to find distinct values * @param {object} options * Valid options are:
      *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * * @returns {Promise} A promise that is resolved with the query completes. */ }, { key: "distinct", value: function (key /*: string*/ , options /*:: ?: FullOptions*/ ) /*: Promise>*/ { options = options || {}; var distinctOptions = {}; distinctOptions.useMasterKey = true; if (options.hasOwnProperty('sessionToken')) { distinctOptions.sessionToken = options.sessionToken; } this._setRequestTask(distinctOptions); var controller = _CoreManager.default.getQueryController(); var params = { distinct: key, where: this._where, hint: this._hint }; return controller.aggregate(this.className, params, distinctOptions).then(function (results) { return results.results; }); } /** * Executes an aggregate query and returns aggregate results * * @param {(Array|object)} pipeline Array or Object of stages to process query * @param {object} options Valid options are:
      *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * * @returns {Promise} A promise that is resolved with the query completes. */ }, { key: "aggregate", value: function (pipeline /*: mixed*/ , options /*:: ?: FullOptions*/ ) /*: Promise>*/ { options = options || {}; var aggregateOptions = {}; aggregateOptions.useMasterKey = true; if (options.hasOwnProperty('sessionToken')) { aggregateOptions.sessionToken = options.sessionToken; } this._setRequestTask(aggregateOptions); var controller = _CoreManager.default.getQueryController(); if (!(0, _isArray.default)(pipeline) && (0, _typeof2.default)(pipeline) !== 'object') { throw new Error('Invalid pipeline must be Array or Object'); } if ((0, _keys2.default)(this._where || {}).length) { if (!(0, _isArray.default)(pipeline)) { pipeline = [pipeline]; } pipeline.unshift({ match: this._where }); } var params = { pipeline: pipeline, hint: this._hint, explain: this._explain, readPreference: this._readPreference }; return controller.aggregate(this.className, params, aggregateOptions).then(function (results) { return results.results; }); } /** * Retrieves at most one Parse.Object that satisfies this query. * * Returns the object if there is one, otherwise undefined. * * @param {object} options Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • context: A dictionary that is accessible in Cloud Code `beforeFind` trigger. *
    * * @returns {Promise} A promise that is resolved with the object when * the query completes. */ }, { key: "first", value: function (options /*:: ?: FullOptions*/ ) /*: Promise*/ { var _this4 = this; options = options || {}; var findOptions = {}; if (options.hasOwnProperty('useMasterKey')) { findOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { findOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { findOptions.context = options.context; } this._setRequestTask(findOptions); var controller = _CoreManager.default.getQueryController(); var params = this.toJSON(); params.limit = 1; var select = this._select; if (this._queriesLocalDatastore) { return this._handleOfflineQuery(params).then(function (objects) { if (!objects[0]) { return undefined; } return objects[0]; }); } return (0, _find.default)(controller).call(controller, this.className, params, findOptions).then(function (response) { var objects = response.results; if (!objects[0]) { return undefined; } if (!objects[0].className) { objects[0].className = _this4.className; } // Make sure the data object contains keys for all objects that // have been requested with a select, so that our cached state // updates correctly. if (select) { handleSelectResult(objects[0], select); } return _ParseObject.default.fromJSON(objects[0], !select); }); } /** * Iterates over objects matching a query, calling a callback for each batch. * If the callback returns a promise, the iteration will not continue until * that promise has been fulfilled. If the callback returns a rejected * promise, then iteration will stop with that error. The items are processed * in an unspecified order. The query may not have any sort order, and may * not use limit or skip. * * @param {Function} callback Callback that will be called with each result * of the query. * @param {object} options Valid options are:
      *
    • batchSize: How many objects to yield in each batch (default: 100) *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    • context: A dictionary that is accessible in Cloud Code `beforeFind` trigger. *
    * @returns {Promise} A promise that will be fulfilled once the * iteration has completed. */ }, { key: "eachBatch", value: function (callback /*: (objs: Array) => Promise<*>*/ , options /*:: ?: BatchOptions*/ ) /*: Promise*/ { var _context8; options = options || {}; if (this._order || this._skip || this._limit >= 0) { return _promise.default.reject('Cannot iterate on a query with sort, skip, or limit.'); } var query = new ParseQuery(this.className); query._limit = options.batchSize || 100; query._include = (0, _map2.default)(_context8 = this._include).call(_context8, function (i) { return i; }); if (this._select) { var _context9; query._select = (0, _map2.default)(_context9 = this._select).call(_context9, function (s) { return s; }); } query._hint = this._hint; query._where = {}; for (var _attr in this._where) { var val = this._where[_attr]; if ((0, _isArray.default)(val)) { query._where[_attr] = (0, _map2.default)(val).call(val, function (v) { return v; }); } else if (val && (0, _typeof2.default)(val) === 'object') { var conditionMap = {}; query._where[_attr] = conditionMap; for (var cond in val) { conditionMap[cond] = val[cond]; } } else { query._where[_attr] = val; } } query.ascending('objectId'); var findOptions = {}; if (options.hasOwnProperty('useMasterKey')) { findOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('sessionToken')) { findOptions.sessionToken = options.sessionToken; } if (options.hasOwnProperty('context') && (0, _typeof2.default)(options.context) === 'object') { findOptions.context = options.context; } var finished = false; var previousResults = []; return (0, _promiseUtils.continueWhile)(function () { return !finished; }, /*#__PURE__*/(0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee3() { var _yield$Promise$all, _yield$Promise$all2, results; return _regenerator.default.wrap(function (_context10) { while (1) { switch (_context10.prev = _context10.next) { case 0: _context10.next = 2; return _promise.default.all([(0, _find.default)(query).call(query, findOptions), _promise.default.resolve(previousResults.length > 0 && callback(previousResults))]); case 2: _yield$Promise$all = _context10.sent; _yield$Promise$all2 = (0, _slicedToArray2.default)(_yield$Promise$all, 1); results = _yield$Promise$all2[0]; if (!(results.length >= query._limit)) { _context10.next = 10; break; } query.greaterThan('objectId', results[results.length - 1].id); previousResults = results; _context10.next = 17; break; case 10: if (!(results.length > 0)) { _context10.next = 16; break; } _context10.next = 13; return _promise.default.resolve(callback(results)); case 13: finished = true; _context10.next = 17; break; case 16: finished = true; case 17: case "end": return _context10.stop(); } } }, _callee3); }))); } /** * Iterates over each result of a query, calling a callback for each one. If * the callback returns a promise, the iteration will not continue until * that promise has been fulfilled. If the callback returns a rejected * promise, then iteration will stop with that error. The items are * processed in an unspecified order. The query may not have any sort order, * and may not use limit or skip. * * @param {Function} callback Callback that will be called with each result * of the query. * @param {object} options Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A promise that will be fulfilled once the * iteration has completed. */ }, { key: "each", value: function (callback /*: (obj: ParseObject) => any*/ , options /*:: ?: BatchOptions*/ ) /*: Promise*/ { return this.eachBatch(function (results) { var callbacksDone = _promise.default.resolve(); (0, _forEach.default)(results).call(results, function (result) { callbacksDone = callbacksDone.then(function () { return callback(result); }); }); return callbacksDone; }, options); } /** * Adds a hint to force index selection. (https://docs.mongodb.com/manual/reference/operator/meta/hint/) * * @param {(string|object)} value String or Object of index that should be used when executing query * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "hint", value: function (value /*: mixed*/ ) /*: ParseQuery*/ { if (typeof value === 'undefined') { delete this._hint; } this._hint = value; return this; } /** * Investigates the query execution plan. Useful for optimizing queries. (https://docs.mongodb.com/manual/reference/operator/meta/explain/) * * @param {boolean} explain Used to toggle the information on the query plan. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "explain", value: function () /*: ParseQuery*/ { var _explain /*: boolean*/ = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : true; if (typeof _explain !== 'boolean') { throw new Error('You can only set explain to a boolean value'); } this._explain = _explain; return this; } /** * Iterates over each result of a query, calling a callback for each one. If * the callback returns a promise, the iteration will not continue until * that promise has been fulfilled. If the callback returns a rejected * promise, then iteration will stop with that error. The items are * processed in an unspecified order. The query may not have any sort order, * and may not use limit or skip. * * @param {Function} callback Callback
      *
    • currentObject: The current Parse.Object being processed in the array.
    • *
    • index: The index of the current Parse.Object being processed in the array.
    • *
    • query: The query map was called upon.
    • *
    * * @param {object} options Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A promise that will be fulfilled once the * iteration has completed. */ }, { key: "map", value: function () { var _map = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee4(callback /*: (currentObject: ParseObject, index: number, query: ParseQuery) => any*/ , options /*:: ?: BatchOptions*/ ) { var _this5 = this; var array, index; return _regenerator.default.wrap(function (_context11) { while (1) { switch (_context11.prev = _context11.next) { case 0: array = []; index = 0; _context11.next = 4; return this.each(function (object) { return _promise.default.resolve(callback(object, index, _this5)).then(function (result) { array.push(result); index += 1; }); }, options); case 4: return _context11.abrupt("return", array); case 5: case "end": return _context11.stop(); } } }, _callee4, this); })); return function () { return _map.apply(this, arguments); }; }() /** * Iterates over each result of a query, calling a callback for each one. If * the callback returns a promise, the iteration will not continue until * that promise has been fulfilled. If the callback returns a rejected * promise, then iteration will stop with that error. The items are * processed in an unspecified order. The query may not have any sort order, * and may not use limit or skip. * * @param {Function} callback Callback
      *
    • accumulator: The accumulator accumulates the callback's return values. It is the accumulated value previously returned in the last invocation of the callback.
    • *
    • currentObject: The current Parse.Object being processed in the array.
    • *
    • index: The index of the current Parse.Object being processed in the array.
    • *
    * @param {*} initialValue A value to use as the first argument to the first call of the callback. If no initialValue is supplied, the first object in the query will be used and skipped. * @param {object} options Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A promise that will be fulfilled once the * iteration has completed. */ }, { key: "reduce", value: function () { var _reduce = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee5(callback /*: (accumulator: any, currentObject: ParseObject, index: number) => any*/ , initialValue /*: any*/ , options /*:: ?: BatchOptions*/ ) { var accumulator, index; return _regenerator.default.wrap(function (_context12) { while (1) { switch (_context12.prev = _context12.next) { case 0: accumulator = initialValue; index = 0; _context12.next = 4; return this.each(function (object) { // If no initial value was given, we take the first object from the query // as the initial value and don't call the callback with it. if (index === 0 && initialValue === undefined) { accumulator = object; index += 1; return; } return _promise.default.resolve(callback(accumulator, object, index)).then(function (result) { accumulator = result; index += 1; }); }, options); case 4: if (!(index === 0 && initialValue === undefined)) { _context12.next = 6; break; } throw new TypeError('Reducing empty query result set with no initial value'); case 6: return _context12.abrupt("return", accumulator); case 7: case "end": return _context12.stop(); } } }, _callee5, this); })); return function () { return _reduce.apply(this, arguments); }; }() /** * Iterates over each result of a query, calling a callback for each one. If * the callback returns a promise, the iteration will not continue until * that promise has been fulfilled. If the callback returns a rejected * promise, then iteration will stop with that error. The items are * processed in an unspecified order. The query may not have any sort order, * and may not use limit or skip. * * @param {Function} callback Callback
      *
    • currentObject: The current Parse.Object being processed in the array.
    • *
    • index: The index of the current Parse.Object being processed in the array.
    • *
    • query: The query filter was called upon.
    • *
    * * @param {object} options Valid options are:
      *
    • useMasterKey: In Cloud Code and Node only, causes the Master Key to * be used for this request. *
    • sessionToken: A valid session token, used for making a request on * behalf of a specific user. *
    * @returns {Promise} A promise that will be fulfilled once the * iteration has completed. */ }, { key: "filter", value: function () { var _filter = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee6(callback /*: (currentObject: ParseObject, index: number, query: ParseQuery) => boolean*/ , options /*:: ?: BatchOptions*/ ) { var _this6 = this; var array, index; return _regenerator.default.wrap(function (_context13) { while (1) { switch (_context13.prev = _context13.next) { case 0: array = []; index = 0; _context13.next = 4; return this.each(function (object) { return _promise.default.resolve(callback(object, index, _this6)).then(function (flag) { if (flag) { array.push(object); } index += 1; }); }, options); case 4: return _context13.abrupt("return", array); case 5: case "end": return _context13.stop(); } } }, _callee6, this); })); return function () { return _filter.apply(this, arguments); }; }() /** Query Conditions * */ /** * Adds a constraint to the query that requires a particular key's value to * be equal to the provided value. * * @param {string} key The key to check. * @param value The value that the Parse.Object must contain. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "equalTo", value: function (key /*: string | { [key: string]: any }*/ , value /*: ?mixed*/ ) /*: ParseQuery*/ { var _this7 = this; if (key && (0, _typeof2.default)(key) === 'object') { var _context14; (0, _forEach.default)(_context14 = (0, _entries.default)(key)).call(_context14, function (_ref2) { var _ref3 = (0, _slicedToArray2.default)(_ref2, 2), k = _ref3[0], val = _ref3[1]; return _this7.equalTo(k, val); }); return this; } if (typeof value === 'undefined') { return this.doesNotExist(key); } this._where[key] = (0, _encode.default)(value, false, true); return this; } /** * Adds a constraint to the query that requires a particular key's value to * be not equal to the provided value. * * @param {string} key The key to check. * @param value The value that must not be equalled. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "notEqualTo", value: function (key /*: string | { [key: string]: any }*/ , value /*: ?mixed*/ ) /*: ParseQuery*/ { var _this8 = this; if (key && (0, _typeof2.default)(key) === 'object') { var _context15; (0, _forEach.default)(_context15 = (0, _entries.default)(key)).call(_context15, function (_ref4) { var _ref5 = (0, _slicedToArray2.default)(_ref4, 2), k = _ref5[0], val = _ref5[1]; return _this8.notEqualTo(k, val); }); return this; } return this._addCondition(key, '$ne', value); } /** * Adds a constraint to the query that requires a particular key's value to * be less than the provided value. * * @param {string} key The key to check. * @param value The value that provides an upper bound. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "lessThan", value: function (key /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$lt', value); } /** * Adds a constraint to the query that requires a particular key's value to * be greater than the provided value. * * @param {string} key The key to check. * @param value The value that provides an lower bound. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "greaterThan", value: function (key /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$gt', value); } /** * Adds a constraint to the query that requires a particular key's value to * be less than or equal to the provided value. * * @param {string} key The key to check. * @param value The value that provides an upper bound. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "lessThanOrEqualTo", value: function (key /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$lte', value); } /** * Adds a constraint to the query that requires a particular key's value to * be greater than or equal to the provided value. * * @param {string} key The key to check. * @param {*} value The value that provides an lower bound. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "greaterThanOrEqualTo", value: function (key /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$gte', value); } /** * Adds a constraint to the query that requires a particular key's value to * be contained in the provided list of values. * * @param {string} key The key to check. * @param {*} value The values that will match. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "containedIn", value: function (key /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$in', value); } /** * Adds a constraint to the query that requires a particular key's value to * not be contained in the provided list of values. * * @param {string} key The key to check. * @param {*} value The values that will not match. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "notContainedIn", value: function (key /*: string*/ , value /*: mixed*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$nin', value); } /** * Adds a constraint to the query that requires a particular key's value to * be contained by the provided list of values. Get objects where all array elements match. * * @param {string} key The key to check. * @param {Array} values The values that will match. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "containedBy", value: function (key /*: string*/ , values /*: Array*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$containedBy', values); } /** * Adds a constraint to the query that requires a particular key's value to * contain each one of the provided list of values. * * @param {string} key The key to check. This key's value must be an array. * @param {Array} values The values that will match. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "containsAll", value: function (key /*: string*/ , values /*: Array*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$all', values); } /** * Adds a constraint to the query that requires a particular key's value to * contain each one of the provided list of values starting with given strings. * * @param {string} key The key to check. This key's value must be an array. * @param {Array} values The string values that will match as starting string. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "containsAllStartingWith", value: function (key /*: string*/ , values /*: Array*/ ) /*: ParseQuery*/ { var _this = this; if (!(0, _isArray.default)(values)) { values = [values]; } var regexObject = (0, _map2.default)(values).call(values, function (value) { return { $regex: _this._regexStartWith(value) }; }); return this.containsAll(key, regexObject); } /** * Adds a constraint for finding objects that contain the given key. * * @param {string} key The key that should exist. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "exists", value: function (key /*: string*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$exists', true); } /** * Adds a constraint for finding objects that do not contain a given key. * * @param {string} key The key that should not exist * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "doesNotExist", value: function (key /*: string*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$exists', false); } /** * Adds a regular expression constraint for finding string values that match * the provided regular expression. * This may be slow for large datasets. * * @param {string} key The key that the string to match is stored in. * @param {RegExp} regex The regular expression pattern to match. * @param {string} modifiers The regular expression mode. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "matches", value: function (key /*: string*/ , regex /*: RegExp*/ , modifiers /*: string*/ ) /*: ParseQuery*/ { this._addCondition(key, '$regex', regex); if (!modifiers) { modifiers = ''; } if (regex.ignoreCase) { modifiers += 'i'; } if (regex.multiline) { modifiers += 'm'; } if (modifiers.length) { this._addCondition(key, '$options', modifiers); } return this; } /** * Adds a constraint that requires that a key's value matches a Parse.Query * constraint. * * @param {string} key The key that the contains the object to match the * query. * @param {Parse.Query} query The query that should match. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "matchesQuery", value: function (key /*: string*/ , query /*: ParseQuery*/ ) /*: ParseQuery*/ { var queryJSON = query.toJSON(); queryJSON.className = query.className; return this._addCondition(key, '$inQuery', queryJSON); } /** * Adds a constraint that requires that a key's value not matches a * Parse.Query constraint. * * @param {string} key The key that the contains the object to match the * query. * @param {Parse.Query} query The query that should not match. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "doesNotMatchQuery", value: function (key /*: string*/ , query /*: ParseQuery*/ ) /*: ParseQuery*/ { var queryJSON = query.toJSON(); queryJSON.className = query.className; return this._addCondition(key, '$notInQuery', queryJSON); } /** * Adds a constraint that requires that a key's value matches a value in * an object returned by a different Parse.Query. * * @param {string} key The key that contains the value that is being * matched. * @param {string} queryKey The key in the objects returned by the query to * match against. * @param {Parse.Query} query The query to run. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "matchesKeyInQuery", value: function (key /*: string*/ , queryKey /*: string*/ , query /*: ParseQuery*/ ) /*: ParseQuery*/ { var queryJSON = query.toJSON(); queryJSON.className = query.className; return this._addCondition(key, '$select', { key: queryKey, query: queryJSON }); } /** * Adds a constraint that requires that a key's value not match a value in * an object returned by a different Parse.Query. * * @param {string} key The key that contains the value that is being * excluded. * @param {string} queryKey The key in the objects returned by the query to * match against. * @param {Parse.Query} query The query to run. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "doesNotMatchKeyInQuery", value: function (key /*: string*/ , queryKey /*: string*/ , query /*: ParseQuery*/ ) /*: ParseQuery*/ { var queryJSON = query.toJSON(); queryJSON.className = query.className; return this._addCondition(key, '$dontSelect', { key: queryKey, query: queryJSON }); } /** * Adds a constraint for finding string values that contain a provided * string. This may be slow for large datasets. * * @param {string} key The key that the string to match is stored in. * @param {string} substring The substring that the value must contain. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "contains", value: function (key /*: string*/ , substring /*: string*/ ) /*: ParseQuery*/ { if (typeof substring !== 'string') { throw new Error('The value being searched for must be a string.'); } return this._addCondition(key, '$regex', quote(substring)); } /** * Adds a constraint for finding string values that contain a provided * string. This may be slow for large datasets. Requires Parse-Server > 2.5.0 * * In order to sort you must use select and ascending ($score is required) *
           *   query.fullText('field', 'term');
           *   query.ascending('$score');
           *   query.select('$score');
           *  
    * * To retrieve the weight / rank *
           *   object->get('score');
           *  
    * * You can define optionals by providing an object as a third parameter *
           *   query.fullText('field', 'term', { language: 'es', diacriticSensitive: true });
           *  
    * * @param {string} key The key that the string to match is stored in. * @param {string} value The string to search * @param {object} options (Optional) * @param {string} options.language The language that determines the list of stop words for the search and the rules for the stemmer and tokenizer. * @param {boolean} options.caseSensitive A boolean flag to enable or disable case sensitive search. * @param {boolean} options.diacriticSensitive A boolean flag to enable or disable diacritic sensitive search. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "fullText", value: function (key /*: string*/ , value /*: string*/ , options /*: ?Object*/ ) /*: ParseQuery*/ { options = options || {}; if (!key) { throw new Error('A key is required.'); } if (!value) { throw new Error('A search term is required'); } if (typeof value !== 'string') { throw new Error('The value being searched for must be a string.'); } var fullOptions = {}; fullOptions.$term = value; for (var option in options) { switch (option) { case 'language': fullOptions.$language = options[option]; break; case 'caseSensitive': fullOptions.$caseSensitive = options[option]; break; case 'diacriticSensitive': fullOptions.$diacriticSensitive = options[option]; break; default: throw new Error("Unknown option: ".concat(option)); } } return this._addCondition(key, '$text', { $search: fullOptions }); } /** * Method to sort the full text search by text score * * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "sortByTextScore", value: function () { this.ascending('$score'); this.select(['$score']); return this; } /** * Adds a constraint for finding string values that start with a provided * string. This query will use the backend index, so it will be fast even * for large datasets. * * @param {string} key The key that the string to match is stored in. * @param {string} prefix The substring that the value must start with. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "startsWith", value: function (key /*: string*/ , prefix /*: string*/ ) /*: ParseQuery*/ { if (typeof prefix !== 'string') { throw new Error('The value being searched for must be a string.'); } return this._addCondition(key, '$regex', this._regexStartWith(prefix)); } /** * Adds a constraint for finding string values that end with a provided * string. This will be slow for large datasets. * * @param {string} key The key that the string to match is stored in. * @param {string} suffix The substring that the value must end with. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "endsWith", value: function (key /*: string*/ , suffix /*: string*/ ) /*: ParseQuery*/ { if (typeof suffix !== 'string') { throw new Error('The value being searched for must be a string.'); } return this._addCondition(key, '$regex', "".concat(quote(suffix), "$")); } /** * Adds a proximity based constraint for finding objects with key point * values near the point given. * * @param {string} key The key that the Parse.GeoPoint is stored in. * @param {Parse.GeoPoint} point The reference Parse.GeoPoint that is used. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "near", value: function (key /*: string*/ , point /*: ParseGeoPoint*/ ) /*: ParseQuery*/ { if (!(point instanceof _ParseGeoPoint.default)) { // Try to cast it as a GeoPoint point = new _ParseGeoPoint.default(point); } return this._addCondition(key, '$nearSphere', point); } /** * Adds a proximity based constraint for finding objects with key point * values near the point given and within the maximum distance given. * * @param {string} key The key that the Parse.GeoPoint is stored in. * @param {Parse.GeoPoint} point The reference Parse.GeoPoint that is used. * @param {number} maxDistance Maximum distance (in radians) of results to return. * @param {boolean} sorted A Bool value that is true if results should be * sorted by distance ascending, false is no sorting is required, * defaults to true. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withinRadians", value: function (key /*: string*/ , point /*: ParseGeoPoint*/ , maxDistance /*: number*/ , sorted /*: boolean*/ ) /*: ParseQuery*/ { if (sorted || sorted === undefined) { this.near(key, point); return this._addCondition(key, '$maxDistance', maxDistance); } return this._addCondition(key, '$geoWithin', { $centerSphere: [[point.longitude, point.latitude], maxDistance] }); } /** * Adds a proximity based constraint for finding objects with key point * values near the point given and within the maximum distance given. * Radius of earth used is 3958.8 miles. * * @param {string} key The key that the Parse.GeoPoint is stored in. * @param {Parse.GeoPoint} point The reference Parse.GeoPoint that is used. * @param {number} maxDistance Maximum distance (in miles) of results to return. * @param {boolean} sorted A Bool value that is true if results should be * sorted by distance ascending, false is no sorting is required, * defaults to true. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withinMiles", value: function (key /*: string*/ , point /*: ParseGeoPoint*/ , maxDistance /*: number*/ , sorted /*: boolean*/ ) /*: ParseQuery*/ { return this.withinRadians(key, point, maxDistance / 3958.8, sorted); } /** * Adds a proximity based constraint for finding objects with key point * values near the point given and within the maximum distance given. * Radius of earth used is 6371.0 kilometers. * * @param {string} key The key that the Parse.GeoPoint is stored in. * @param {Parse.GeoPoint} point The reference Parse.GeoPoint that is used. * @param {number} maxDistance Maximum distance (in kilometers) of results to return. * @param {boolean} sorted A Bool value that is true if results should be * sorted by distance ascending, false is no sorting is required, * defaults to true. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withinKilometers", value: function (key /*: string*/ , point /*: ParseGeoPoint*/ , maxDistance /*: number*/ , sorted /*: boolean*/ ) /*: ParseQuery*/ { return this.withinRadians(key, point, maxDistance / 6371.0, sorted); } /** * Adds a constraint to the query that requires a particular key's * coordinates be contained within a given rectangular geographic bounding * box. * * @param {string} key The key to be constrained. * @param {Parse.GeoPoint} southwest * The lower-left inclusive corner of the box. * @param {Parse.GeoPoint} northeast * The upper-right inclusive corner of the box. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withinGeoBox", value: function (key /*: string*/ , southwest /*: ParseGeoPoint*/ , northeast /*: ParseGeoPoint*/ ) /*: ParseQuery*/ { if (!(southwest instanceof _ParseGeoPoint.default)) { southwest = new _ParseGeoPoint.default(southwest); } if (!(northeast instanceof _ParseGeoPoint.default)) { northeast = new _ParseGeoPoint.default(northeast); } this._addCondition(key, '$within', { $box: [southwest, northeast] }); return this; } /** * Adds a constraint to the query that requires a particular key's * coordinates be contained within and on the bounds of a given polygon. * Supports closed and open (last point is connected to first) paths * * Polygon must have at least 3 points * * @param {string} key The key to be constrained. * @param {Array} points Array of Coordinates / GeoPoints * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withinPolygon", value: function (key /*: string*/ , points /*: Array>*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$geoWithin', { $polygon: points }); } /** * Add a constraint to the query that requires a particular key's * coordinates that contains a ParseGeoPoint * * @param {string} key The key to be constrained. * @param {Parse.GeoPoint} point * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "polygonContains", value: function (key /*: string*/ , point /*: ParseGeoPoint*/ ) /*: ParseQuery*/ { return this._addCondition(key, '$geoIntersects', { $point: point }); } /** Query Orderings * */ /** * Sorts the results in ascending order by the given key. * * @param {(string|string[])} keys The key to order by, which is a * string of comma separated values, or an Array of keys, or multiple keys. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "ascending", value: function () /*: ParseQuery*/ { this._order = []; for (var _len = arguments.length, keys = new Array(_len), _key5 = 0; _key5 < _len; _key5++) { keys[_key5] = arguments[_key5]; } return this.addAscending.apply(this, keys); } /** * Sorts the results in ascending order by the given key, * but can also add secondary sort descriptors without overwriting _order. * * @param {(string|string[])} keys The key to order by, which is a * string of comma separated values, or an Array of keys, or multiple keys. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "addAscending", value: function () /*: ParseQuery*/ { var _this9 = this; if (!this._order) { this._order = []; } for (var _len2 = arguments.length, keys = new Array(_len2), _key6 = 0; _key6 < _len2; _key6++) { keys[_key6] = arguments[_key6]; } (0, _forEach.default)(keys).call(keys, function (key) { var _context16; if ((0, _isArray.default)(key)) { key = key.join(); } _this9._order = (0, _concat.default)(_context16 = _this9._order).call(_context16, key.replace(/\s/g, '').split(',')); }); return this; } /** * Sorts the results in descending order by the given key. * * @param {(string|string[])} keys The key to order by, which is a * string of comma separated values, or an Array of keys, or multiple keys. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "descending", value: function () /*: ParseQuery*/ { this._order = []; for (var _len3 = arguments.length, keys = new Array(_len3), _key7 = 0; _key7 < _len3; _key7++) { keys[_key7] = arguments[_key7]; } return this.addDescending.apply(this, keys); } /** * Sorts the results in descending order by the given key, * but can also add secondary sort descriptors without overwriting _order. * * @param {(string|string[])} keys The key to order by, which is a * string of comma separated values, or an Array of keys, or multiple keys. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "addDescending", value: function () /*: ParseQuery*/ { var _this10 = this; if (!this._order) { this._order = []; } for (var _len4 = arguments.length, keys = new Array(_len4), _key8 = 0; _key8 < _len4; _key8++) { keys[_key8] = arguments[_key8]; } (0, _forEach.default)(keys).call(keys, function (key) { var _context17, _context18; if ((0, _isArray.default)(key)) { key = key.join(); } _this10._order = (0, _concat.default)(_context17 = _this10._order).call(_context17, (0, _map2.default)(_context18 = key.replace(/\s/g, '').split(',')).call(_context18, function (k) { return "-".concat(k); })); }); return this; } /** Query Options * */ /** * Sets the number of results to skip before returning any results. * This is useful for pagination. * Default is to skip zero results. * * @param {number} n the number of results to skip. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "skip", value: function (n /*: number*/ ) /*: ParseQuery*/ { if (typeof n !== 'number' || n < 0) { throw new Error('You can only skip by a positive number'); } this._skip = n; return this; } /** * Sets the limit of the number of results to return. The default limit is 100. * * @param {number} n the number of results to limit to. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "limit", value: function (n /*: number*/ ) /*: ParseQuery*/ { if (typeof n !== 'number') { throw new Error('You can only set the limit to a numeric value'); } this._limit = n; return this; } /** * Sets the flag to include with response the total number of objects satisfying this query, * despite limits/skip. Might be useful for pagination. * Note that result of this query will be wrapped as an object with * `results`: holding {ParseObject} array and `count`: integer holding total number * * @param {boolean} includeCount false - disable, true - enable. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "withCount", value: function () /*: ParseQuery*/ { var includeCount /*: boolean*/ = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : true; if (typeof includeCount !== 'boolean') { throw new Error('You can only set withCount to a boolean value'); } this._count = includeCount; return this; } /** * Includes nested Parse.Objects for the provided key. You can use dot * notation to specify which fields in the included object are also fetched. * * You can include all nested Parse.Objects by passing in '*'. * Requires Parse Server 3.0.0+ *
    query.include('*');
    * * @param {...string|Array} keys The name(s) of the key(s) to include. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "include", value: function () /*: ParseQuery*/ { var _this11 = this; for (var _len5 = arguments.length, keys = new Array(_len5), _key9 = 0; _key9 < _len5; _key9++) { keys[_key9] = arguments[_key9]; } (0, _forEach.default)(keys).call(keys, function (key) { if ((0, _isArray.default)(key)) { var _context19; _this11._include = (0, _concat.default)(_context19 = _this11._include).call(_context19, key); } else { _this11._include.push(key); } }); return this; } /** * Includes all nested Parse.Objects. * * Requires Parse Server 3.0.0+ * * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "includeAll", value: function () /*: ParseQuery*/ { return this.include('*'); } /** * Restricts the fields of the returned Parse.Objects to include only the * provided keys. If this is called multiple times, then all of the keys * specified in each of the calls will be included. * * @param {...string|Array} keys The name(s) of the key(s) to include. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "select", value: function () /*: ParseQuery*/ { var _this12 = this; if (!this._select) { this._select = []; } for (var _len6 = arguments.length, keys = new Array(_len6), _key10 = 0; _key10 < _len6; _key10++) { keys[_key10] = arguments[_key10]; } (0, _forEach.default)(keys).call(keys, function (key) { if ((0, _isArray.default)(key)) { var _context20; _this12._select = (0, _concat.default)(_context20 = _this12._select).call(_context20, key); } else { _this12._select.push(key); } }); return this; } /** * Restricts the fields of the returned Parse.Objects to all keys except the * provided keys. Exclude takes precedence over select and include. * * Requires Parse Server 3.6.0+ * * @param {...string|Array} keys The name(s) of the key(s) to exclude. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "exclude", value: function () /*: ParseQuery*/ { var _this13 = this; for (var _len7 = arguments.length, keys = new Array(_len7), _key11 = 0; _key11 < _len7; _key11++) { keys[_key11] = arguments[_key11]; } (0, _forEach.default)(keys).call(keys, function (key) { if ((0, _isArray.default)(key)) { var _context21; _this13._exclude = (0, _concat.default)(_context21 = _this13._exclude).call(_context21, key); } else { _this13._exclude.push(key); } }); return this; } /** * Changes the read preference that the backend will use when performing the query to the database. * * @param {string} readPreference The read preference for the main query. * @param {string} includeReadPreference The read preference for the queries to include pointers. * @param {string} subqueryReadPreference The read preference for the sub queries. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "readPreference", value: function (_readPreference /*: string*/ , includeReadPreference /*:: ?: string*/ , subqueryReadPreference /*:: ?: string*/ ) /*: ParseQuery*/ { this._readPreference = _readPreference; this._includeReadPreference = includeReadPreference; this._subqueryReadPreference = subqueryReadPreference; return this; } }, { key: "onChange", value: function (onUpdate /*: any*/ , onError /*:: ?: any*/ /*:: ?: string*/ ) /*: Promise*/ { var sub = null; this.subscribe().then(function (subscription) { sub = subscription; subscription.on('create', function (object) { onUpdate(object); }); subscription.on('update', function (object) { onUpdate(object); }); subscription.on('error', function (err) { if (onError) { onError(err); } else { // eslint-disable-next-line no-console console.warn('Subscription error', err); } }); }).catch(function (err) { if (onError) { onError(err); } else { // eslint-disable-next-line no-console console.warn('Subscription connection error', err); } }); return function () { if (sub) { sub.unsubscribe(); } }; } /** * Subscribe this query to get liveQuery updates * * @param {string} sessionToken (optional) Defaults to the currentUser * @returns {Promise} Returns the liveQuerySubscription, it's an event emitter * which can be used to get liveQuery updates. */ }, { key: "subscribe", value: function () { var _subscribe = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee7(sessionToken /*:: ?: string*/ ) { var currentUser, liveQueryClient, subscription; return _regenerator.default.wrap(function (_context22) { while (1) { switch (_context22.prev = _context22.next) { case 0: _context22.next = 2; return _CoreManager.default.getUserController().currentUserAsync(); case 2: currentUser = _context22.sent; if (!sessionToken) { sessionToken = currentUser ? currentUser.getSessionToken() : undefined; } _context22.next = 6; return _CoreManager.default.getLiveQueryController().getDefaultLiveQueryClient(); case 6: liveQueryClient = _context22.sent; if (liveQueryClient.shouldOpen()) { liveQueryClient.open(); } subscription = liveQueryClient.subscribe(this, sessionToken); return _context22.abrupt("return", subscription.subscribePromise.then(function () { return subscription; })); case 10: case "end": return _context22.stop(); } } }, _callee7, this); })); return function () { return _subscribe.apply(this, arguments); }; }() /** * Constructs a Parse.Query that is the OR of the passed in queries. For * example: *
    var compoundQuery = Parse.Query.or(query1, query2, query3);
    * * will create a compoundQuery that is an or of the query1, query2, and * query3. * * @param {...Parse.Query} queries The list of queries to OR. * @static * @returns {Parse.Query} The query that is the OR of the passed in queries. */ }, { key: "fromNetwork", value: /** * Change the source of this query to the server. * * @returns {Parse.Query} Returns the query, so you can chain this call. */ function () /*: ParseQuery*/ { this._queriesLocalDatastore = false; this._localDatastorePinName = null; return this; } /** * Changes the source of this query to all pinned objects. * * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "fromLocalDatastore", value: function () /*: ParseQuery*/ { return this.fromPinWithName(null); } /** * Changes the source of this query to the default group of pinned objects. * * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "fromPin", value: function () /*: ParseQuery*/ { return this.fromPinWithName(_LocalDatastoreUtils.DEFAULT_PIN); } /** * Changes the source of this query to a specific group of pinned objects. * * @param {string} name The name of query source. * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "fromPinWithName", value: function (name /*:: ?: string*/ ) /*: ParseQuery*/ { var localDatastore = _CoreManager.default.getLocalDatastore(); if (localDatastore.checkIfEnabled()) { this._queriesLocalDatastore = true; this._localDatastorePinName = name; } return this; } /** * Cancels the current network request (if any is running). * * @returns {Parse.Query} Returns the query, so you can chain this call. */ }, { key: "cancel", value: function () /*: ParseQuery*/ { var _this14 = this; if (this._xhrRequest.task && typeof this._xhrRequest.task.abort === 'function') { this._xhrRequest.task._aborted = true; this._xhrRequest.task.abort(); this._xhrRequest.task = null; this._xhrRequest.onchange = function () {}; return this; } return this._xhrRequest.onchange = function () { return _this14.cancel(); }; } }, { key: "_setRequestTask", value: function (options) { var _this15 = this; options.requestTask = function (task) { _this15._xhrRequest.task = task; _this15._xhrRequest.onchange(); }; } }], [{ key: "fromJSON", value: function (className /*: string*/ , json /*: QueryJSON*/ ) /*: ParseQuery*/ { var query = new ParseQuery(className); return query.withJSON(json); } }, { key: "or", value: function () /*: ParseQuery*/ { for (var _len8 = arguments.length, queries = new Array(_len8), _key12 = 0; _key12 < _len8; _key12++) { queries[_key12] = arguments[_key12]; } var className = _getClassNameFromQueries(queries); var query = new ParseQuery(className); query._orQuery(queries); return query; } /** * Constructs a Parse.Query that is the AND of the passed in queries. For * example: *
    var compoundQuery = Parse.Query.and(query1, query2, query3);
    * * will create a compoundQuery that is an and of the query1, query2, and * query3. * * @param {...Parse.Query} queries The list of queries to AND. * @static * @returns {Parse.Query} The query that is the AND of the passed in queries. */ }, { key: "and", value: function () /*: ParseQuery*/ { for (var _len9 = arguments.length, queries = new Array(_len9), _key13 = 0; _key13 < _len9; _key13++) { queries[_key13] = arguments[_key13]; } var className = _getClassNameFromQueries(queries); var query = new ParseQuery(className); query._andQuery(queries); return query; } /** * Constructs a Parse.Query that is the NOR of the passed in queries. For * example: *
    const compoundQuery = Parse.Query.nor(query1, query2, query3);
    * * will create a compoundQuery that is a nor of the query1, query2, and * query3. * * @param {...Parse.Query} queries The list of queries to NOR. * @static * @returns {Parse.Query} The query that is the NOR of the passed in queries. */ }, { key: "nor", value: function () /*: ParseQuery*/ { for (var _len10 = arguments.length, queries = new Array(_len10), _key14 = 0; _key14 < _len10; _key14++) { queries[_key14] = arguments[_key14]; } var className = _getClassNameFromQueries(queries); var query = new ParseQuery(className); query._norQuery(queries); return query; } }]); return ParseQuery; }(); var DefaultController = { find: function (className /*: string*/ , params /*: QueryJSON*/ , options /*: RequestOptions*/ ) /*: Promise>*/ { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', "classes/".concat(className), params, options); }, aggregate: function (className /*: string*/ , params /*: any*/ , options /*: RequestOptions*/ ) /*: Promise>*/ { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', "aggregate/".concat(className), params, options); } }; _CoreManager.default.setQueryController(DefaultController); var _default = ParseQuery; exports.default = _default; },{"./CoreManager":4,"./LocalDatastoreUtils":13,"./OfflineQuery":23,"./ParseError":28,"./ParseGeoPoint":32,"./ParseObject":35,"./encode":57,"./promiseUtils":62,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/find":72,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/keys":76,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/slice":79,"@babel/runtime-corejs3/core-js-stable/instance/sort":80,"@babel/runtime-corejs3/core-js-stable/instance/splice":81,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/entries":90,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/slicedToArray":145,"@babel/runtime-corejs3/helpers/toConsumableArray":147,"@babel/runtime-corejs3/helpers/typeof":148,"@babel/runtime-corejs3/regenerator":152}],39:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _ParseOp = _dereq_("./ParseOp"); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Creates a new Relation for the given parent object and key. This * constructor should rarely be used directly, but rather created by * Parse.Object.relation. * *

    * A class that is used to access all of the children of a many-to-many * relationship. Each instance of Parse.Relation is associated with a * particular parent object and key. *

    * * @alias Parse.Relation */ var ParseRelation = /*#__PURE__*/function () { /** * @param {Parse.Object} parent The parent of this relation. * @param {string} key The key for this relation on the parent. */ function ParseRelation(parent /*: ?ParseObject*/ , key /*: ?string*/ ) { (0, _classCallCheck2.default)(this, ParseRelation); (0, _defineProperty2.default)(this, "parent", void 0); (0, _defineProperty2.default)(this, "key", void 0); (0, _defineProperty2.default)(this, "targetClassName", void 0); this.parent = parent; this.key = key; this.targetClassName = null; } /* * Makes sure that this relation has the right parent and key. */ (0, _createClass2.default)(ParseRelation, [{ key: "_ensureParentAndKey", value: function (parent /*: ParseObject*/ , key /*: string*/ ) { this.key = this.key || key; if (this.key !== key) { throw new Error('Internal Error. Relation retrieved from two different keys.'); } if (this.parent) { if (this.parent.className !== parent.className) { throw new Error('Internal Error. Relation retrieved from two different Objects.'); } if (this.parent.id) { if (this.parent.id !== parent.id) { throw new Error('Internal Error. Relation retrieved from two different Objects.'); } } else if (parent.id) { this.parent = parent; } } else { this.parent = parent; } } /** * Adds a Parse.Object or an array of Parse.Objects to the relation. * * @param {(Parse.Object|Array)} objects The item or items to add. * @returns {Parse.Object} The parent of the relation. */ }, { key: "add", value: function (objects /*: ParseObject | Array*/ ) /*: ParseObject*/ { if (!(0, _isArray.default)(objects)) { objects = [objects]; } var change = new _ParseOp.RelationOp(objects, []); var parent = this.parent; if (!parent) { throw new Error('Cannot add to a Relation without a parent'); } if (objects.length === 0) { return parent; } parent.set(this.key, change); this.targetClassName = change._targetClassName; return parent; } /** * Removes a Parse.Object or an array of Parse.Objects from this relation. * * @param {(Parse.Object|Array)} objects The item or items to remove. */ }, { key: "remove", value: function (objects /*: ParseObject | Array*/ ) { if (!(0, _isArray.default)(objects)) { objects = [objects]; } var change = new _ParseOp.RelationOp([], objects); if (!this.parent) { throw new Error('Cannot remove from a Relation without a parent'); } if (objects.length === 0) { return; } this.parent.set(this.key, change); this.targetClassName = change._targetClassName; } /** * Returns a JSON version of the object suitable for saving to disk. * * @returns {object} JSON representation of Relation */ }, { key: "toJSON", value: function () /*: { __type: 'Relation', className: ?string }*/ { return { __type: 'Relation', className: this.targetClassName }; } /** * Returns a Parse.Query that is limited to objects in this * relation. * * @returns {Parse.Query} Relation Query */ }, { key: "query", value: function query() /*: ParseQuery*/ { var query; var parent = this.parent; if (!parent) { throw new Error('Cannot construct a query for a Relation without a parent'); } if (!this.targetClassName) { query = new _ParseQuery.default(parent.className); query._extraOptions.redirectClassNameForKey = this.key; } else { query = new _ParseQuery.default(this.targetClassName); } query._addCondition('$relatedTo', 'object', { __type: 'Pointer', className: parent.className, objectId: parent.id }); query._addCondition('$relatedTo', 'key', this.key); return query; } }]); return ParseRelation; }(); var _default = ParseRelation; exports.default = _default; },{"./ParseObject":35,"./ParseOp":36,"./ParseQuery":38,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],40:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _get2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/get")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _ParseObject2 = _interopRequireDefault(_dereq_("./ParseObject")); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } /** * Represents a Role on the Parse server. Roles represent groupings of * Users for the purposes of granting permissions (e.g. specifying an ACL * for an Object). Roles are specified by their sets of child users and * child roles, all of which are granted any permissions that the parent * role has. * *

    Roles must have a name (which cannot be changed after creation of the * role), and must specify an ACL.

    * * @alias Parse.Role * @augments Parse.Object */ var ParseRole = /*#__PURE__*/function (_ParseObject) { (0, _inherits2.default)(ParseRole, _ParseObject); var _super = _createSuper(ParseRole); /** * @param {string} name The name of the Role to create. * @param {Parse.ACL} acl The ACL for this role. Roles must have an ACL. * A Parse.Role is a local representation of a role persisted to the Parse * cloud. */ function ParseRole(name /*: string*/ , acl /*: ParseACL*/ ) { var _this; (0, _classCallCheck2.default)(this, ParseRole); _this = _super.call(this, '_Role'); if (typeof name === 'string' && acl instanceof _ParseACL.default) { _this.setName(name); _this.setACL(acl); } return _this; } /** * Gets the name of the role. You can alternatively call role.get("name") * * @returns {string} the name of the role. */ (0, _createClass2.default)(ParseRole, [{ key: "getName", value: function () /*: ?string*/ { var name = this.get('name'); if (name == null || typeof name === 'string') { return name; } return ''; } /** * Sets the name for a role. This value must be set before the role has * been saved to the server, and cannot be set once the role has been * saved. * *

    * A role's name can only contain alphanumeric characters, _, -, and * spaces. *

    * *

    This is equivalent to calling role.set("name", name)

    * * @param {string} name The name of the role. * @param {object} options Standard options object with success and error * callbacks. * @returns {(ParseObject|boolean)} true if the set succeeded. */ }, { key: "setName", value: function (name /*: string*/ , options /*:: ?: mixed*/ ) /*: ParseObject | boolean*/ { return this.set('name', name, options); } /** * Gets the Parse.Relation for the Parse.Users that are direct * children of this role. These users are granted any privileges that this * role has been granted (e.g. read or write access through ACLs). You can * add or remove users from the role through this relation. * *

    This is equivalent to calling role.relation("users")

    * * @returns {Parse.Relation} the relation for the users belonging to this * role. */ }, { key: "getUsers", value: function () /*: ParseRelation*/ { return this.relation('users'); } /** * Gets the Parse.Relation for the Parse.Roles that are direct * children of this role. These roles' users are granted any privileges that * this role has been granted (e.g. read or write access through ACLs). You * can add or remove child roles from this role through this relation. * *

    This is equivalent to calling role.relation("roles")

    * * @returns {Parse.Relation} the relation for the roles belonging to this * role. */ }, { key: "getRoles", value: function () /*: ParseRelation*/ { return this.relation('roles'); } }, { key: "validate", value: function (attrs /*: AttributeMap*/ , options /*:: ?: mixed*/ ) /*: ParseError | boolean*/ { var isInvalid = (0, _get2.default)((0, _getPrototypeOf2.default)(ParseRole.prototype), "validate", this).call(this, attrs, options); if (isInvalid) { return isInvalid; } if ('name' in attrs && attrs.name !== this.getName()) { var newName = attrs.name; if (this.id && this.id !== attrs.objectId) { // Check to see if the objectId being set matches this.id // This happens during a fetch -- the id is set before calling fetch // Let the name be set in this case return new _ParseError.default(_ParseError.default.OTHER_CAUSE, "A role's name can only be set before it has been saved."); } if (typeof newName !== 'string') { return new _ParseError.default(_ParseError.default.OTHER_CAUSE, "A role's name must be a String."); } if (!/^[0-9a-zA-Z\-_ ]+$/.test(newName)) { return new _ParseError.default(_ParseError.default.OTHER_CAUSE, "A role's name can be only contain alphanumeric characters, _, -, and spaces."); } } return false; } }]); return ParseRole; }(_ParseObject2.default); _ParseObject2.default.registerSubclass('_Role', ParseRole); var _default = ParseRole; exports.default = _default; },{"./ParseACL":25,"./ParseError":28,"./ParseObject":35,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/get":133,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143}],41:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseCLP = _interopRequireDefault(_dereq_("./ParseCLP")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var FIELD_TYPES = ['String', 'Number', 'Boolean', 'Date', 'File', 'GeoPoint', 'Polygon', 'Array', 'Object', 'Pointer', 'Relation']; /*:: type FieldOptions = { required: boolean, defaultValue: mixed, };*/ /** * A Parse.Schema object is for handling schema data from Parse. *

    All the schemas methods require MasterKey. * * When adding fields, you may set required and default values. (Requires Parse Server 3.7.0+) * *

       * const options = { required: true, defaultValue: 'hello world' };
       * const schema = new Parse.Schema('MyClass');
       * schema.addString('field', options);
       * schema.addIndex('index_name', { 'field': 1 });
       * schema.save();
       * 
    *

    * * @alias Parse.Schema */ var ParseSchema = /*#__PURE__*/function () { /** * @param {string} className Parse Class string. */ function ParseSchema(className /*: string*/ ) { (0, _classCallCheck2.default)(this, ParseSchema); (0, _defineProperty2.default)(this, "className", void 0); (0, _defineProperty2.default)(this, "_fields", void 0); (0, _defineProperty2.default)(this, "_indexes", void 0); (0, _defineProperty2.default)(this, "_clp", void 0); if (typeof className === 'string') { if (className === 'User' && _CoreManager.default.get('PERFORM_USER_REWRITE')) { this.className = '_User'; } else { this.className = className; } } this._fields = {}; this._indexes = {}; } /** * Static method to get all schemas * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ (0, _createClass2.default)(ParseSchema, [{ key: "get", value: /** * Get the Schema from Parse * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ function () { this.assertClassName(); var controller = _CoreManager.default.getSchemaController(); return controller.get(this.className).then(function (response) { if (!response) { throw new Error('Schema not found.'); } return response; }); } /** * Create a new Schema on Parse * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ }, { key: "save", value: function () { this.assertClassName(); var controller = _CoreManager.default.getSchemaController(); var params = { className: this.className, fields: this._fields, indexes: this._indexes, classLevelPermissions: this._clp }; return controller.create(this.className, params); } /** * Update a Schema on Parse * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ }, { key: "update", value: function () { this.assertClassName(); var controller = _CoreManager.default.getSchemaController(); var params = { className: this.className, fields: this._fields, indexes: this._indexes, classLevelPermissions: this._clp }; this._fields = {}; this._indexes = {}; return controller.update(this.className, params); } /** * Removing a Schema from Parse * Can only be used on Schema without objects * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ }, { key: "delete", value: function () { this.assertClassName(); var controller = _CoreManager.default.getSchemaController(); return controller.delete(this.className); } /** * Removes all objects from a Schema (class) in Parse. * EXERCISE CAUTION, running this will delete all objects for this schema and cannot be reversed * * @returns {Promise} A promise that is resolved with the result when * the query completes. */ }, { key: "purge", value: function () { this.assertClassName(); var controller = _CoreManager.default.getSchemaController(); return controller.purge(this.className); } /** * Assert if ClassName has been filled * * @private */ }, { key: "assertClassName", value: function () { if (!this.className) { throw new Error('You must set a Class Name before making any request.'); } } /** * Sets Class Level Permissions when creating / updating a Schema. * EXERCISE CAUTION, running this may override CLP for this schema and cannot be reversed * * @param {object | Parse.CLP} clp Class Level Permissions * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "setCLP", value: function (clp /*: PermissionsMap | ParseCLP*/ ) { if (clp instanceof _ParseCLP.default) { this._clp = clp.toJSON(); } else { this._clp = clp; } return this; } /** * Adding a Field to Create / Update a Schema * * @param {string} name Name of the field that will be created on Parse * @param {string} type Can be a (String|Number|Boolean|Date|Parse.File|Parse.GeoPoint|Array|Object|Pointer|Parse.Relation) * @param {object} options * Valid options are:
      *
    • required: If field is not set, save operation fails (Requires Parse Server 3.7.0+) *
    • defaultValue: If field is not set, a default value is selected (Requires Parse Server 3.7.0+) *
    * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addField", value: function (name /*: string*/ , type /*: string*/ ) { var options /*: FieldOptions*/ = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; type = type || 'String'; if (!name) { throw new Error('field name may not be null.'); } if ((0, _indexOf.default)(FIELD_TYPES).call(FIELD_TYPES, type) === -1) { throw new Error("".concat(type, " is not a valid type.")); } var fieldOptions = { type: type }; if (typeof options.required === 'boolean') { fieldOptions.required = options.required; } if (options.defaultValue !== undefined) { fieldOptions.defaultValue = options.defaultValue; } this._fields[name] = fieldOptions; return this; } /** * Adding an Index to Create / Update a Schema * * @param {string} name Name of the index * @param {object} index { field: value } * @returns {Parse.Schema} Returns the schema, so you can chain this call. * *
           * schema.addIndex('index_name', { 'field': 1 });
           * 
    */ }, { key: "addIndex", value: function (name /*: string*/ , index /*: any*/ ) { if (!name) { throw new Error('index name may not be null.'); } if (!index) { throw new Error('index may not be null.'); } this._indexes[name] = index; return this; } /** * Adding String Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addString", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'String', options); } /** * Adding Number Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addNumber", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'Number', options); } /** * Adding Boolean Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addBoolean", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'Boolean', options); } /** * Adding Date Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addDate", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { if (options && options.defaultValue) { options.defaultValue = { __type: 'Date', iso: new Date(options.defaultValue) }; } return this.addField(name, 'Date', options); } /** * Adding File Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addFile", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'File', options); } /** * Adding GeoPoint Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addGeoPoint", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'GeoPoint', options); } /** * Adding Polygon Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addPolygon", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'Polygon', options); } /** * Adding Array Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addArray", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'Array', options); } /** * Adding Object Field * * @param {string} name Name of the field that will be created on Parse * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addObject", value: function (name /*: string*/ , options /*: FieldOptions*/ ) { return this.addField(name, 'Object', options); } /** * Adding Pointer Field * * @param {string} name Name of the field that will be created on Parse * @param {string} targetClass Name of the target Pointer Class * @param {object} options See {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.Schema.html#addField addField} * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addPointer", value: function (name /*: string*/ , targetClass /*: string*/ ) { var options /*: FieldOptions*/ = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; if (!name) { throw new Error('field name may not be null.'); } if (!targetClass) { throw new Error('You need to set the targetClass of the Pointer.'); } var fieldOptions = { type: 'Pointer', targetClass: targetClass }; if (typeof options.required === 'boolean') { fieldOptions.required = options.required; } if (options.defaultValue !== undefined) { fieldOptions.defaultValue = options.defaultValue; if (options.defaultValue instanceof _ParseObject.default) { fieldOptions.defaultValue = options.defaultValue.toPointer(); } } this._fields[name] = fieldOptions; return this; } /** * Adding Relation Field * * @param {string} name Name of the field that will be created on Parse * @param {string} targetClass Name of the target Pointer Class * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "addRelation", value: function (name /*: string*/ , targetClass /*: string*/ ) { if (!name) { throw new Error('field name may not be null.'); } if (!targetClass) { throw new Error('You need to set the targetClass of the Relation.'); } this._fields[name] = { type: 'Relation', targetClass: targetClass }; return this; } /** * Deleting a Field to Update on a Schema * * @param {string} name Name of the field * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "deleteField", value: function (name /*: string*/ ) { this._fields[name] = { __op: 'Delete' }; return this; } /** * Deleting an Index to Update on a Schema * * @param {string} name Name of the field * @returns {Parse.Schema} Returns the schema, so you can chain this call. */ }, { key: "deleteIndex", value: function (name /*: string*/ ) { this._indexes[name] = { __op: 'Delete' }; return this; } }], [{ key: "all", value: function () { var controller = _CoreManager.default.getSchemaController(); return controller.get('').then(function (response) { if (response.results.length === 0) { throw new Error('Schema not found.'); } return response.results; }); } }]); return ParseSchema; }(); var DefaultController = { send: function (className /*: string*/ , method /*: string*/ ) /*: Promise*/ { var params /*: any*/ = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; var RESTController = _CoreManager.default.getRESTController(); return RESTController.request(method, "schemas/".concat(className), params, { useMasterKey: true }); }, get: function (className /*: string*/ ) /*: Promise*/ { return this.send(className, 'GET'); }, create: function (className /*: string*/ , params /*: any*/ ) /*: Promise*/ { return this.send(className, 'POST', params); }, update: function (className /*: string*/ , params /*: any*/ ) /*: Promise*/ { return this.send(className, 'PUT', params); }, delete: function (className /*: string*/ ) /*: Promise*/ { return this.send(className, 'DELETE'); }, purge: function (className /*: string*/ ) /*: Promise*/ { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('DELETE', "purge/".concat(className), {}, { useMasterKey: true }); } }; _CoreManager.default.setSchemaController(DefaultController); var _default = ParseSchema; exports.default = _default; },{"./CoreManager":4,"./ParseCLP":26,"./ParseObject":35,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],42:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _isRevocableSession = _interopRequireDefault(_dereq_("./isRevocableSession")); var _ParseObject2 = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseUser = _interopRequireDefault(_dereq_("./ParseUser")); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } /** *

    A Parse.Session object is a local representation of a revocable session. * This class is a subclass of a Parse.Object, and retains the same * functionality of a Parse.Object.

    * * @alias Parse.Session * @augments Parse.Object */ var ParseSession = /*#__PURE__*/function (_ParseObject) { (0, _inherits2.default)(ParseSession, _ParseObject); var _super = _createSuper(ParseSession); /** * @param {object} attributes The initial set of data to store in the user. */ function ParseSession(attributes /*: ?AttributeMap*/ ) { var _this; (0, _classCallCheck2.default)(this, ParseSession); _this = _super.call(this, '_Session'); if (attributes && (0, _typeof2.default)(attributes) === 'object') { if (!_this.set(attributes || {})) { throw new Error("Can't create an invalid Session"); } } return _this; } /** * Returns the session token string. * * @returns {string} */ (0, _createClass2.default)(ParseSession, [{ key: "getSessionToken", value: function () /*: string*/ { var token = this.get('sessionToken'); if (typeof token === 'string') { return token; } return ''; } }], [{ key: "readOnlyAttributes", value: function () { return ['createdWith', 'expiresAt', 'installationId', 'restricted', 'sessionToken', 'user']; } /** * Retrieves the Session object for the currently logged in session. * * @param {object} options useMasterKey * @static * @returns {Promise} A promise that is resolved with the Parse.Session * object after it has been fetched. If there is no current user, the * promise will be rejected. */ }, { key: "current", value: function (options /*: FullOptions*/ ) { options = options || {}; var controller = _CoreManager.default.getSessionController(); var sessionOptions = {}; if (options.hasOwnProperty('useMasterKey')) { sessionOptions.useMasterKey = options.useMasterKey; } return _ParseUser.default.currentAsync().then(function (user) { if (!user) { return _promise.default.reject('There is no current user.'); } sessionOptions.sessionToken = user.getSessionToken(); return controller.getSession(sessionOptions); }); } /** * Determines whether the current session token is revocable. * This method is useful for migrating Express.js or Node.js web apps to * use revocable sessions. If you are migrating an app that uses the Parse * SDK in the browser only, please use Parse.User.enableRevocableSession() * instead, so that sessions can be automatically upgraded. * * @static * @returns {boolean} */ }, { key: "isCurrentSessionRevocable", value: function () /*: boolean*/ { var currentUser = _ParseUser.default.current(); if (currentUser) { return (0, _isRevocableSession.default)(currentUser.getSessionToken() || ''); } return false; } }]); return ParseSession; }(_ParseObject2.default); _ParseObject2.default.registerSubclass('_Session', ParseSession); var DefaultController = { getSession: function (options /*: RequestOptions*/ ) /*: Promise*/ { var RESTController = _CoreManager.default.getRESTController(); var session = new ParseSession(); return RESTController.request('GET', 'sessions/me', {}, options).then(function (sessionData) { session._finishFetch(sessionData); session._setExisted(true); return session; }); } }; _CoreManager.default.setSessionController(DefaultController); var _default = ParseSession; exports.default = _default; },{"./CoreManager":4,"./ParseObject":35,"./ParseUser":43,"./isRevocableSession":60,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143,"@babel/runtime-corejs3/helpers/typeof":148}],43:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty2 = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js-stable/reflect/construct"); _Object$defineProperty2(exports, "__esModule", { value: true }); exports.default = void 0; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _defineProperty = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _get2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/get")); var _inherits2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/inherits")); var _possibleConstructorReturn2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/possibleConstructorReturn")); var _getPrototypeOf2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/getPrototypeOf")); var _AnonymousUtils = _interopRequireDefault(_dereq_("./AnonymousUtils")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _isRevocableSession = _interopRequireDefault(_dereq_("./isRevocableSession")); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _ParseObject2 = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseSession = _interopRequireDefault(_dereq_("./ParseSession")); var _MoralisWeb = _interopRequireDefault(_dereq_("./MoralisWeb3")); var _Storage = _interopRequireDefault(_dereq_("./Storage")); function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function () { var Super = (0, _getPrototypeOf2.default)(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = (0, _getPrototypeOf2.default)(this).constructor; result = _Reflect$construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return (0, _possibleConstructorReturn2.default)(this, result); }; } function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(_Reflect$construct(Boolean, [], function () {})); return true; } catch (e) { return false; } } var CURRENT_USER_KEY = 'currentUser'; var canUseCurrentUser = !_CoreManager.default.get('IS_NODE'); var currentUserCacheMatchesDisk = false; var currentUserCache = null; var authProviders = {}; /** *

    A Parse.User object is a local representation of a user persisted to the * Parse cloud. This class is a subclass of a Parse.Object, and retains the * same functionality of a Parse.Object, but also extends it with various * user specific methods, like authentication, signing up, and validation of * uniqueness.

    * * @alias Parse.User * @augments Parse.Object */ var ParseUser = /*#__PURE__*/function (_ParseObject) { (0, _inherits2.default)(ParseUser, _ParseObject); var _super = _createSuper(ParseUser); /** * @param {object} attributes The initial set of data to store in the user. */ function ParseUser(attributes /*: ?AttributeMap*/ ) { var _this; (0, _classCallCheck2.default)(this, ParseUser); _this = _super.call(this, '_User'); if (attributes && (0, _typeof2.default)(attributes) === 'object') { if (!_this.set(attributes || {})) { throw new Error("Can't create an invalid Parse User"); } } return _this; } /** * Request a revocable session token to replace the older style of token. * * @param {object} options * @returns {Promise} A promise that is resolved when the replacement * token has been fetched. */ (0, _createClass2.default)(ParseUser, [{ key: "_upgradeToRevocableSession", value: function (options /*: RequestOptions*/ ) /*: Promise*/ { options = options || {}; var upgradeOptions = {}; if (options.hasOwnProperty('useMasterKey')) { upgradeOptions.useMasterKey = options.useMasterKey; } var controller = _CoreManager.default.getUserController(); return controller.upgradeToRevocableSession(this, upgradeOptions); } /** * Parse allows you to link your users with {@link https://docs.parseplatform.org/parse-server/guide/#oauth-and-3rd-party-authentication 3rd party authentication}, enabling * your users to sign up or log into your application using their existing identities. * Since 2.9.0 * * @see {@link https://docs.parseplatform.org/js/guide/#linking-users Linking Users} * @param {string | AuthProvider} provider Name of auth provider or {@link https://parseplatform.org/Parse-SDK-JS/api/master/AuthProvider.html AuthProvider} * @param {object} options *
      *
    • If provider is string, options is {@link http://docs.parseplatform.org/parse-server/guide/#supported-3rd-party-authentications authData} *
    • If provider is AuthProvider, options is saveOpts *
    * @param {object} saveOpts useMasterKey / sessionToken * @returns {Promise} A promise that is fulfilled with the user is linked */ }, { key: "linkWith", value: function (provider /*: any*/ , options /*: { authData?: AuthData }*/ ) /*: Promise*/ { var _this2 = this; var saveOpts /*:: ?: FullOptions*/ = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; saveOpts.sessionToken = saveOpts.sessionToken || this.getSessionToken() || ''; var authType; if (typeof provider === 'string') { authType = provider; if (authProviders[provider]) { provider = authProviders[provider]; } else { var authProvider = { restoreAuthentication: function () { return true; }, getAuthType: function () { return authType; } }; authProviders[authProvider.getAuthType()] = authProvider; provider = authProvider; } } else { authType = provider.getAuthType(); } if (options && options.hasOwnProperty('authData')) { var authData = this.get('authData') || {}; if ((0, _typeof2.default)(authData) !== 'object') { throw new Error('Invalid type: authData field should be an object'); } authData[authType] = options.authData; var controller = _CoreManager.default.getUserController(); return controller.linkWith(this, authData, saveOpts); } return new _promise.default(function (resolve, reject) { provider.authenticate({ success: function (provider, result) { var opts = {}; opts.authData = result; _this2.linkWith(provider, opts, saveOpts).then(function () { resolve(_this2); }, function (error) { reject(error); }); }, error: function (provider, _error) { reject(_error); } }); }); } /** * @param provider * @param options * @param saveOpts * @deprecated since 2.9.0 see {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.User.html#linkWith linkWith} * @returns {Promise} */ }, { key: "_linkWith", value: function (provider /*: any*/ , options /*: { authData?: AuthData }*/ ) /*: Promise*/ { var saveOpts /*:: ?: FullOptions*/ = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {}; return this.linkWith(provider, options, saveOpts); } /** * Synchronizes auth data for a provider (e.g. puts the access token in the * right place to be used by the Facebook SDK). * * @param provider */ }, { key: "_synchronizeAuthData", value: function (provider /*: string*/ ) { if (!this.isCurrent() || !provider) { return; } var authType; if (typeof provider === 'string') { authType = provider; provider = authProviders[authType]; } else { authType = provider.getAuthType(); } var authData = this.get('authData'); if (!provider || !authData || (0, _typeof2.default)(authData) !== 'object') { return; } var success = provider.restoreAuthentication(authData[authType]); if (!success) { this._unlinkFrom(provider); } } /** * Synchronizes authData for all providers. */ }, { key: "_synchronizeAllAuthData", value: function () { var authData = this.get('authData'); if ((0, _typeof2.default)(authData) !== 'object') { return; } for (var _key in authData) { this._synchronizeAuthData(_key); } } /** * Removes null values from authData (which exist temporarily for unlinking) */ }, { key: "_cleanupAuthData", value: function () { if (!this.isCurrent()) { return; } var authData = this.get('authData'); if ((0, _typeof2.default)(authData) !== 'object') { return; } for (var _key2 in authData) { if (!authData[_key2]) { delete authData[_key2]; } } } /** * Unlinks a user from a service. * * @param {string | AuthProvider} provider Name of auth provider or {@link https://parseplatform.org/Parse-SDK-JS/api/master/AuthProvider.html AuthProvider} * @param {object} options MasterKey / SessionToken * @returns {Promise} A promise that is fulfilled when the unlinking * finishes. */ }, { key: "_unlinkFrom", value: function (provider /*: any*/ , options /*:: ?: FullOptions*/ ) /*: Promise*/ { var _this3 = this; return this.linkWith(provider, { authData: null }, options).then(function () { _this3._synchronizeAuthData(provider); return _promise.default.resolve(_this3); }); } /** * Checks whether a user is linked to a service. * * @param {object} provider service to link to * @returns {boolean} true if link was successful */ }, { key: "_isLinked", value: function (provider /*: any*/ ) /*: boolean*/ { var authType; if (typeof provider === 'string') { authType = provider; } else { authType = provider.getAuthType(); } var authData = this.get('authData') || {}; if ((0, _typeof2.default)(authData) !== 'object') { return false; } return !!authData[authType]; } /** * Deauthenticates all providers. */ }, { key: "_logOutWithAll", value: function () { var authData = this.get('authData'); if ((0, _typeof2.default)(authData) !== 'object') { return; } for (var _key3 in authData) { this._logOutWith(_key3); } } /** * Deauthenticates a single provider (e.g. removing access tokens from the * Facebook SDK). * * @param {object} provider service to logout of */ }, { key: "_logOutWith", value: function (provider /*: any*/ ) { if (!this.isCurrent()) { return; } if (typeof provider === 'string') { provider = authProviders[provider]; } if (provider && provider.deauthenticate) { provider.deauthenticate(); } } /** * Class instance method used to maintain specific keys when a fetch occurs. * Used to ensure that the session token is not lost. * * @returns {object} sessionToken */ }, { key: "_preserveFieldsOnFetch", value: function () /*: AttributeMap*/ { return { sessionToken: this.get('sessionToken') }; } /** * Returns true if current would return this user. * * @returns {boolean} true if user is cached on disk */ }, { key: "isCurrent", value: function () /*: boolean*/ { var current = ParseUser.current(); return !!current && current.id === this.id; } /** * Returns get("username"). * * @returns {string} */ }, { key: "getUsername", value: function () /*: ?string*/ { var username = this.get('username'); if (username == null || typeof username === 'string') { return username; } return ''; } /** * Calls set("username", username, options) and returns the result. * * @param {string} username */ }, { key: "setUsername", value: function (username /*: string*/ ) { // Strip anonymity, even we do not support anonymous user in js SDK, we may // encounter anonymous user created by android/iOS in cloud code. var authData = this.get('authData'); if (authData && (0, _typeof2.default)(authData) === 'object' && authData.hasOwnProperty('anonymous')) { // We need to set anonymous to null instead of deleting it in order to remove it from Parse. authData.anonymous = null; } this.set('username', username); } /** * Calls set("password", password, options) and returns the result. * * @param {string} password User's Password */ }, { key: "setPassword", value: function (password /*: string*/ ) { this.set('password', password); } /** * Returns get("email"). * * @returns {string} User's Email */ }, { key: "getEmail", value: function () /*: ?string*/ { var email = this.get('email'); if (email == null || typeof email === 'string') { return email; } return ''; } /** * Calls set("email", email) and returns the result. * * @param {string} email * @returns {boolean} */ }, { key: "setEmail", value: function (email /*: string*/ ) { return this.set('email', email); } /** * Returns the session token for this user, if the user has been logged in, * or if it is the result of a query with the master key. Otherwise, returns * undefined. * * @returns {string} the session token, or undefined */ }, { key: "getSessionToken", value: function () /*: ?string*/ { var token = this.get('sessionToken'); if (token == null || typeof token === 'string') { return token; } return ''; } /** * Checks whether this user is the current user and has been authenticated. * * @returns {boolean} whether this user is the current user and is logged in. */ }, { key: "authenticated", value: function () /*: boolean*/ { var current = ParseUser.current(); return !!this.get('sessionToken') && !!current && current.id === this.id; } /** * Signs up a new user. You should call this instead of save for * new Parse.Users. This will create a new Parse.User on the server, and * also persist the session on disk so that you can access the user using * current. * *

    A username and password must be set before calling signUp.

    * * @param {object} attrs Extra fields to set on the new user, or null. * @param {object} options * @returns {Promise} A promise that is fulfilled when the signup * finishes. */ }, { key: "signUp", value: function (attrs /*: AttributeMap*/ , options /*:: ?: FullOptions*/ ) /*: Promise*/ { options = options || {}; var signupOptions = {}; if (options.hasOwnProperty('useMasterKey')) { signupOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('installationId')) { signupOptions.installationId = options.installationId; } var controller = _CoreManager.default.getUserController(); return controller.signUp(this, attrs, signupOptions); } /** * Logs in a Parse.User. On success, this saves the session to disk, * so you can retrieve the currently logged in user using * current. * *

    A username and password must be set before calling logIn.

    * * @param {object} options * @returns {Promise} A promise that is fulfilled with the user when * the login is complete. */ }, { key: "logIn", value: function (options /*:: ?: FullOptions*/ ) /*: Promise*/ { options = options || {}; var loginOptions = { usePost: true }; if (options.hasOwnProperty('useMasterKey')) { loginOptions.useMasterKey = options.useMasterKey; } if (options.hasOwnProperty('installationId')) { loginOptions.installationId = options.installationId; } if (options.hasOwnProperty('usePost')) { loginOptions.usePost = options.usePost; } var controller = _CoreManager.default.getUserController(); return controller.logIn(this, loginOptions); } /** * Wrap the default save behavior with functionality to save to local * storage if this is current user. * * @param {...any} args * @returns {Promise} */ }, { key: "save", value: function () /*: Promise*/ { var _this4 = this; for (var _len = arguments.length, args = new Array(_len), _key4 = 0; _key4 < _len; _key4++) { args[_key4] = arguments[_key4]; } return (0, _get2.default)((0, _getPrototypeOf2.default)(ParseUser.prototype), "save", this).apply(this, args).then(function () { if (_this4.isCurrent()) { return _CoreManager.default.getUserController().updateUserOnDisk(_this4); } return _this4; }); } /** * Wrap the default destroy behavior with functionality that logs out * the current user when it is destroyed * * @param {...any} args * @returns {Parse.User} */ }, { key: "destroy", value: function () /*: Promise*/ { var _this5 = this; for (var _len2 = arguments.length, args = new Array(_len2), _key5 = 0; _key5 < _len2; _key5++) { args[_key5] = arguments[_key5]; } return (0, _get2.default)((0, _getPrototypeOf2.default)(ParseUser.prototype), "destroy", this).apply(this, args).then(function () { if (_this5.isCurrent()) { return _CoreManager.default.getUserController().removeUserFromDisk(); } return _this5; }); } /** * Wrap the default fetch behavior with functionality to save to local * storage if this is current user. * * @param {...any} args * @returns {Parse.User} */ }, { key: "fetch", value: function () /*: Promise*/ { var _this6 = this; for (var _len3 = arguments.length, args = new Array(_len3), _key6 = 0; _key6 < _len3; _key6++) { args[_key6] = arguments[_key6]; } return (0, _get2.default)((0, _getPrototypeOf2.default)(ParseUser.prototype), "fetch", this).apply(this, args).then(function () { if (_this6.isCurrent()) { return _CoreManager.default.getUserController().updateUserOnDisk(_this6); } return _this6; }); } /** * Wrap the default fetchWithInclude behavior with functionality to save to local * storage if this is current user. * * @param {...any} args * @returns {Parse.User} */ }, { key: "fetchWithInclude", value: function () /*: Promise*/ { var _this7 = this; for (var _len4 = arguments.length, args = new Array(_len4), _key7 = 0; _key7 < _len4; _key7++) { args[_key7] = arguments[_key7]; } return (0, _get2.default)((0, _getPrototypeOf2.default)(ParseUser.prototype), "fetchWithInclude", this).apply(this, args).then(function () { if (_this7.isCurrent()) { return _CoreManager.default.getUserController().updateUserOnDisk(_this7); } return _this7; }); } /** * Verify whether a given password is the password of the current user. * * @param {string} password A password to be verified * @param {object} options * @returns {Promise} A promise that is fulfilled with a user * when the password is correct. */ }, { key: "verifyPassword", value: function (password /*: string*/ , options /*:: ?: RequestOptions*/ ) /*: Promise*/ { var username = this.getUsername() || ''; return ParseUser.verifyPassword(username, password, options); } }], [{ key: "readOnlyAttributes", value: function () { return ['sessionToken']; } /** * Adds functionality to the existing Parse.User class. * * @param {object} protoProps A set of properties to add to the prototype * @param {object} classProps A set of static properties to add to the class * @static * @returns {Parse.User} The newly extended Parse.User class */ }, { key: "extend", value: function (protoProps /*: { [prop: string]: any }*/ , classProps /*: { [prop: string]: any }*/ ) { if (protoProps) { for (var _prop in protoProps) { if (_prop !== 'className') { (0, _defineProperty.default)(ParseUser.prototype, _prop, { value: protoProps[_prop], enumerable: false, writable: true, configurable: true }); } } } if (classProps) { for (var _prop2 in classProps) { if (_prop2 !== 'className') { (0, _defineProperty.default)(ParseUser, _prop2, { value: classProps[_prop2], enumerable: false, writable: true, configurable: true }); } } } return ParseUser; } /** * Retrieves the currently logged in ParseUser with a valid session, * either from memory or localStorage, if necessary. * * @static * @returns {Parse.Object} The currently logged in Parse.User. */ }, { key: "current", value: function () /*: ?ParseUser*/ { if (!canUseCurrentUser) { return null; } var controller = _CoreManager.default.getUserController(); return controller.currentUser(); } /** * Retrieves the currently logged in ParseUser from asynchronous Storage. * * @static * @returns {Promise} A Promise that is resolved with the currently * logged in Parse User */ }, { key: "currentAsync", value: function () /*: Promise*/ { if (!canUseCurrentUser) { return _promise.default.resolve(null); } var controller = _CoreManager.default.getUserController(); return controller.currentUserAsync(); } /** * Signs up a new user with a username (or email) and password. * This will create a new Parse.User on the server, and also persist the * session in localStorage so that you can access the user using * {@link #current}. * * @param {string} username The username (or email) to sign up with. * @param {string} password The password to sign up with. * @param {object} attrs Extra fields to set on the new user. * @param {object} options * @static * @returns {Promise} A promise that is fulfilled with the user when * the signup completes. */ }, { key: "signUp", value: function (username /*: string*/ , password /*: string*/ , attrs /*: AttributeMap*/ , options /*:: ?: FullOptions*/ ) { attrs = attrs || {}; attrs.username = username; attrs.password = password; var user = new this(attrs); return user.signUp({}, options); } /** * Logs in a user with a username (or email) and password. On success, this * saves the session to disk, so you can retrieve the currently logged in * user using current. * * @param {string} username The username (or email) to log in with. * @param {string} password The password to log in with. * @param {object} options * @static * @returns {Promise} A promise that is fulfilled with the user when * the login completes. */ }, { key: "logIn", value: function (username /*: string*/ , password /*: string*/ , options /*:: ?: FullOptions*/ ) { if (typeof username !== 'string') { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Username must be a string.')); } if (typeof password !== 'string') { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Password must be a string.')); } var user = new this(); user._finishFetch({ username: username, password: password }); return user.logIn(options); } }, { key: "loginOrSignup", value: function (username /*: string*/ , password /*: string*/ ) { var _this8 = this; return this.logIn(username, password).catch(function (err) { if (err.code === 101) { var newUser = new _this8(); newUser.set('username', username); newUser.set('password', password); return newUser.signUp(); } throw err; }); } /** * Logs in a user with a session token. On success, this saves the session * to disk, so you can retrieve the currently logged in user using * current. * * @param {string} sessionToken The sessionToken to log in with. * @param {object} options * @static * @returns {Promise} A promise that is fulfilled with the user when * the login completes. */ }, { key: "become", value: function (sessionToken /*: string*/ , options /*:: ?: RequestOptions*/ ) { if (!canUseCurrentUser) { throw new Error('It is not memory-safe to become a user in a server environment'); } options = options || {}; var becomeOptions /*: RequestOptions*/ = { sessionToken: sessionToken }; if (options.hasOwnProperty('useMasterKey')) { becomeOptions.useMasterKey = options.useMasterKey; } var controller = _CoreManager.default.getUserController(); var user = new this(); return controller.become(user, becomeOptions); } /** * Retrieves a user with a session token. * * @param {string} sessionToken The sessionToken to get user with. * @param {object} options * @static * @returns {Promise} A promise that is fulfilled with the user is fetched. */ }, { key: "me", value: function (sessionToken /*: string*/ ) { var options /*:: ?: RequestOptions*/ = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {}; var controller = _CoreManager.default.getUserController(); var meOptions /*: RequestOptions*/ = { sessionToken: sessionToken }; if (options.useMasterKey) { meOptions.useMasterKey = options.useMasterKey; } var user = new this(); return controller.me(user, meOptions); } /** * Logs in a user with a session token. On success, this saves the session * to disk, so you can retrieve the currently logged in user using * current. If there is no session token the user will not logged in. * * @param {object} userJSON The JSON map of the User's data * @static * @returns {Promise} A promise that is fulfilled with the user when * the login completes. */ }, { key: "hydrate", value: function (userJSON /*: AttributeMap*/ ) { var controller = _CoreManager.default.getUserController(); var user = new this(); return controller.hydrate(user, userJSON); } /** * Static version of {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.User.html#linkWith linkWith} * * @param provider * @param options * @param saveOpts * @static * @returns {Promise} */ }, { key: "logInWith", value: function (provider /*: any*/ , options /*: { authData?: AuthData }*/ , saveOpts /*:: ?: FullOptions*/ ) /*: Promise*/ { var user = new this(); return user.linkWith(provider, options, saveOpts); } /** * Logs out the currently logged in user session. This will remove the * session from disk, log out of linked services, and future calls to * current will return null. * * @param {object} options * @static * @returns {Promise} A promise that is resolved when the session is * destroyed on the server. */ }, { key: "logOut", value: function () { var options /*: RequestOptions*/ = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {}; var controller = _CoreManager.default.getUserController(); return controller.logOut(options); } /** * Requests a password reset email to be sent to the specified email address * associated with the user account. This email allows the user to securely * reset their password on the Parse site. * * @param {string} email The email address associated with the user that * forgot their password. * @param {object} options * @static * @returns {Promise} */ }, { key: "requestPasswordReset", value: function (email /*: string*/ , options /*:: ?: RequestOptions*/ ) { options = options || {}; var requestOptions = {}; if (options.hasOwnProperty('useMasterKey')) { requestOptions.useMasterKey = options.useMasterKey; } var controller = _CoreManager.default.getUserController(); return controller.requestPasswordReset(email, requestOptions); } /** * Request an email verification. * * @param {string} email The email address associated with the user that * forgot their password. * @param {object} options * @static * @returns {Promise} */ }, { key: "requestEmailVerification", value: function (email /*: string*/ , options /*:: ?: RequestOptions*/ ) { options = options || {}; var requestOptions = {}; if (options.hasOwnProperty('useMasterKey')) { requestOptions.useMasterKey = options.useMasterKey; } var controller = _CoreManager.default.getUserController(); return controller.requestEmailVerification(email, requestOptions); } /** * Verify whether a given password is the password of the current user. * * @param {string} username A username to be used for identificaiton * @param {string} password A password to be verified * @param {object} options * @static * @returns {Promise} A promise that is fulfilled with a user * when the password is correct. */ }, { key: "verifyPassword", value: function (username /*: string*/ , password /*: string*/ , options /*:: ?: RequestOptions*/ ) { if (typeof username !== 'string') { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Username must be a string.')); } if (typeof password !== 'string') { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Password must be a string.')); } options = options || {}; var verificationOption = {}; if (options.hasOwnProperty('useMasterKey')) { verificationOption.useMasterKey = options.useMasterKey; } var controller = _CoreManager.default.getUserController(); return controller.verifyPassword(username, password, verificationOption); } /** * Allow someone to define a custom User class without className * being rewritten to _User. The default behavior is to rewrite * User to _User for legacy reasons. This allows developers to * override that behavior. * * @param {boolean} isAllowed Whether or not to allow custom User class * @static */ }, { key: "allowCustomUserClass", value: function (isAllowed /*: boolean*/ ) { _CoreManager.default.set('PERFORM_USER_REWRITE', !isAllowed); } /** * Allows a legacy application to start using revocable sessions. If the * current session token is not revocable, a request will be made for a new, * revocable session. * It is not necessary to call this method from cloud code unless you are * handling user signup or login from the server side. In a cloud code call, * this function will not attempt to upgrade the current token. * * @param {object} options * @static * @returns {Promise} A promise that is resolved when the process has * completed. If a replacement session token is requested, the promise * will be resolved after a new token has been fetched. */ }, { key: "enableRevocableSession", value: function (options /*:: ?: RequestOptions*/ ) { options = options || {}; _CoreManager.default.set('FORCE_REVOCABLE_SESSION', true); if (canUseCurrentUser) { var current = ParseUser.current(); if (current) { return current._upgradeToRevocableSession(options); } } return _promise.default.resolve(); } /** * Enables the use of become or the current user in a server * environment. These features are disabled by default, since they depend on * global objects that are not memory-safe for most servers. * * @static */ }, { key: "enableUnsafeCurrentUser", value: function () { canUseCurrentUser = true; } /** * Disables the use of become or the current user in any environment. * These features are disabled on servers by default, since they depend on * global objects that are not memory-safe for most servers. * * @static */ }, { key: "disableUnsafeCurrentUser", value: function () { canUseCurrentUser = false; } /** * When registering users with {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.User.html#linkWith linkWith} a basic auth provider * is automatically created for you. * * For advanced authentication, you can register an Auth provider to * implement custom authentication, deauthentication. * * @param provider * @see {@link https://parseplatform.org/Parse-SDK-JS/api/master/AuthProvider.html AuthProvider} * @see {@link https://docs.parseplatform.org/js/guide/#custom-authentication-module Custom Authentication Module} * @static */ }, { key: "_registerAuthenticationProvider", value: function (provider /*: any*/ ) { authProviders[provider.getAuthType()] = provider; // Synchronize the current user with the auth provider. ParseUser.currentAsync().then(function (current) { if (current) { current._synchronizeAuthData(provider.getAuthType()); } }); } /** * @param provider * @param options * @param saveOpts * @deprecated since 2.9.0 see {@link https://parseplatform.org/Parse-SDK-JS/api/master/Parse.User.html#logInWith logInWith} * @static * @returns {Promise} */ }, { key: "_logInWith", value: function (provider /*: any*/ , options /*: { authData?: AuthData }*/ , saveOpts /*:: ?: FullOptions*/ ) { var user = new this(); return user.linkWith(provider, options, saveOpts); } }, { key: "_clearCache", value: function () { currentUserCache = null; currentUserCacheMatchesDisk = false; } }, { key: "_setCurrentUserCache", value: function (user /*: ParseUser*/ ) { currentUserCache = user; } }]); return ParseUser; }(_ParseObject2.default); _ParseObject2.default.registerSubclass('_User', ParseUser); var DefaultController = { updateUserOnDisk: function (user) { var path = _Storage.default.generatePath(CURRENT_USER_KEY); var json = user.toJSON(); delete json.password; json.className = '_User'; var userData = (0, _stringify.default)(json); if (_CoreManager.default.get('ENCRYPTED_USER')) { var crypto = _CoreManager.default.getCryptoController(); userData = crypto.encrypt(json, _CoreManager.default.get('ENCRYPTED_KEY')); } return _Storage.default.setItemAsync(path, userData).then(function () { return user; }); }, removeUserFromDisk: function () { var path = _Storage.default.generatePath(CURRENT_USER_KEY); currentUserCacheMatchesDisk = true; currentUserCache = null; return _Storage.default.removeItemAsync(path); }, setCurrentUser: function (user) { var _this9 = this; return (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee() { var currentUser; return _regenerator.default.wrap(function (_context) { while (1) { switch (_context.prev = _context.next) { case 0: _context.next = 2; return _this9.currentUserAsync(); case 2: currentUser = _context.sent; if (!(currentUser && !user.equals(currentUser) && _AnonymousUtils.default.isLinked(currentUser))) { _context.next = 6; break; } _context.next = 6; return currentUser.destroy({ sessionToken: currentUser.getSessionToken() }); case 6: currentUserCache = user; user._cleanupAuthData(); user._synchronizeAllAuthData(); return _context.abrupt("return", DefaultController.updateUserOnDisk(user)); case 10: case "end": return _context.stop(); } } }, _callee); }))(); }, currentUser: function () /*: ?ParseUser*/ { if (currentUserCache) { return currentUserCache; } if (currentUserCacheMatchesDisk) { return null; } if (_Storage.default.async()) { throw new Error('Cannot call currentUser() when using a platform with an async ' + 'storage system. Call currentUserAsync() instead.'); } var path = _Storage.default.generatePath(CURRENT_USER_KEY); var userData = _Storage.default.getItem(path); currentUserCacheMatchesDisk = true; if (!userData) { currentUserCache = null; return null; } if (_CoreManager.default.get('ENCRYPTED_USER')) { var crypto = _CoreManager.default.getCryptoController(); userData = crypto.decrypt(userData, _CoreManager.default.get('ENCRYPTED_KEY')); } userData = JSON.parse(userData); if (!userData.className) { userData.className = '_User'; } if (userData._id) { if (userData.objectId !== userData._id) { userData.objectId = userData._id; } delete userData._id; } if (userData._sessionToken) { userData.sessionToken = userData._sessionToken; delete userData._sessionToken; } var current = _ParseObject2.default.fromJSON(userData); currentUserCache = current; current._synchronizeAllAuthData(); return current; }, currentUserAsync: function () /*: Promise*/ { if (currentUserCache) { return _promise.default.resolve(currentUserCache); } if (currentUserCacheMatchesDisk) { return _promise.default.resolve(null); } var path = _Storage.default.generatePath(CURRENT_USER_KEY); return _Storage.default.getItemAsync(path).then(function (userData) { currentUserCacheMatchesDisk = true; if (!userData) { currentUserCache = null; return _promise.default.resolve(null); } if (_CoreManager.default.get('ENCRYPTED_USER')) { var crypto = _CoreManager.default.getCryptoController(); userData = crypto.decrypt(userData.toString(), _CoreManager.default.get('ENCRYPTED_KEY')); } userData = JSON.parse(userData); if (!userData.className) { userData.className = '_User'; } if (userData._id) { if (userData.objectId !== userData._id) { userData.objectId = userData._id; } delete userData._id; } if (userData._sessionToken) { userData.sessionToken = userData._sessionToken; delete userData._sessionToken; } var current = _ParseObject2.default.fromJSON(userData); currentUserCache = current; current._synchronizeAllAuthData(); return _promise.default.resolve(current); }); }, signUp: function (user /*: ParseUser*/ , attrs /*: AttributeMap*/ , options /*: RequestOptions*/ ) /*: Promise*/ { var username = attrs && attrs.username || user.get('username'); var password = attrs && attrs.password || user.get('password'); if (!username || !username.length) { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Cannot sign up user with an empty username.')); } if (!password || !password.length) { return _promise.default.reject(new _ParseError.default(_ParseError.default.OTHER_CAUSE, 'Cannot sign up user with an empty password.')); } return user.save(attrs, options).then(function () { // Clear the password field user._finishFetch({ password: undefined }); if (canUseCurrentUser) { return DefaultController.setCurrentUser(user); } return user; }); }, logIn: function (user /*: ParseUser*/ , options /*: RequestOptions*/ ) /*: Promise*/ { var RESTController = _CoreManager.default.getRESTController(); var stateController = _CoreManager.default.getObjectStateController(); var auth = { username: user.get('username'), password: user.get('password') }; return RESTController.request(options.usePost ? 'POST' : 'GET', 'login', auth, options).then(function (response) { user._migrateId(response.objectId); user._setExisted(true); stateController.setPendingOp(user._getStateIdentifier(), 'username', undefined); stateController.setPendingOp(user._getStateIdentifier(), 'password', undefined); response.password = undefined; user._finishFetch(response); if (!canUseCurrentUser) { // We can't set the current user, so just return the one we logged in return _promise.default.resolve(user); } return DefaultController.setCurrentUser(user); }); }, become: function (user /*: ParseUser*/ , options /*: RequestOptions*/ ) /*: Promise*/ { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', 'users/me', {}, options).then(function (response) { user._finishFetch(response); user._setExisted(true); return DefaultController.setCurrentUser(user); }); }, hydrate: function (user /*: ParseUser*/ , userJSON /*: AttributeMap*/ ) /*: Promise*/ { user._finishFetch(userJSON); user._setExisted(true); if (userJSON.sessionToken && canUseCurrentUser) { return DefaultController.setCurrentUser(user); } return _promise.default.resolve(user); }, me: function (user /*: ParseUser*/ , options /*: RequestOptions*/ ) /*: Promise*/ { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', 'users/me', {}, options).then(function (response) { user._finishFetch(response); user._setExisted(true); return user; }); }, logOut: function (options /*: RequestOptions*/ ) /*: Promise*/ { _MoralisWeb.default.cleanup(); var RESTController = _CoreManager.default.getRESTController(); if (options.sessionToken) { return RESTController.request('POST', 'logout', {}, options); } return DefaultController.currentUserAsync().then(function (currentUser) { var path = _Storage.default.generatePath(CURRENT_USER_KEY); var promise = _Storage.default.removeItemAsync(path); if (currentUser !== null) { var isAnonymous = _AnonymousUtils.default.isLinked(currentUser); var currentSession = currentUser.getSessionToken(); if (currentSession && (0, _isRevocableSession.default)(currentSession)) { promise = promise.then(function () { if (isAnonymous) { return currentUser.destroy({ sessionToken: currentSession }); } }).then(function () { return RESTController.request('POST', 'logout', {}, { sessionToken: currentSession }); }); } currentUser._logOutWithAll(); currentUser._finishFetch({ sessionToken: undefined }); } currentUserCacheMatchesDisk = true; currentUserCache = null; return promise; }); }, requestPasswordReset: function (email /*: string*/ , options /*: RequestOptions*/ ) { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('POST', 'requestPasswordReset', { email: email }, options); }, upgradeToRevocableSession: function (user /*: ParseUser*/ , options /*: RequestOptions*/ ) { var token = user.getSessionToken(); if (!token) { return _promise.default.reject(new _ParseError.default(_ParseError.default.SESSION_MISSING, 'Cannot upgrade a user with no session token')); } options.sessionToken = token; var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('POST', 'upgradeToRevocableSession', {}, options).then(function (result) { var session = new _ParseSession.default(); session._finishFetch(result); user._finishFetch({ sessionToken: session.getSessionToken() }); if (user.isCurrent()) { return DefaultController.setCurrentUser(user); } return _promise.default.resolve(user); }); }, linkWith: function (user /*: ParseUser*/ , authData /*: AuthData*/ , options /*: FullOptions*/ ) { return user.save({ authData: authData }, options).then(function () { if (canUseCurrentUser) { return DefaultController.setCurrentUser(user); } return user; }); }, verifyPassword: function (username /*: string*/ , password /*: string*/ , options /*: RequestOptions*/ ) { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('GET', 'verifyPassword', { username: username, password: password }, options); }, requestEmailVerification: function (email /*: string*/ , options /*: RequestOptions*/ ) { var RESTController = _CoreManager.default.getRESTController(); return RESTController.request('POST', 'verificationEmailRequest', { email: email }, options); } }; _CoreManager.default.setUserController(DefaultController); var _default = ParseUser; exports.default = _default; },{"./AnonymousUtils":2,"./CoreManager":4,"./MoralisWeb3":20,"./ParseError":28,"./ParseObject":35,"./ParseSession":42,"./Storage":47,"./isRevocableSession":60,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/reflect/construct":100,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/get":133,"@babel/runtime-corejs3/helpers/getPrototypeOf":134,"@babel/runtime-corejs3/helpers/inherits":135,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/possibleConstructorReturn":143,"@babel/runtime-corejs3/helpers/typeof":148,"@babel/runtime-corejs3/regenerator":152}],44:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.send = send; var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _ParseQuery = _interopRequireDefault(_dereq_("./ParseQuery")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Contains functions to deal with Push in Parse. * * @class Parse.Push * @static * @hideconstructor */ /** * Sends a push notification. * **Available in Cloud Code only.** * * See {@link https://docs.parseplatform.org/js/guide/#push-notifications Push Notification Guide} * * @function send * @name Parse.Push.send * @param {object} data - The data of the push notification. Valid fields * are: *
      *
    1. channels - An Array of channels to push to.
    2. *
    3. push_time - A Date object for when to send the push.
    4. *
    5. expiration_time - A Date object for when to expire * the push.
    6. *
    7. expiration_interval - The seconds from now to expire the push.
    8. *
    9. where - A Parse.Query over Parse.Installation that is used to match * a set of installations to push to.
    10. *
    11. data - The data to send as part of the push.
    12. *
        * @returns {Promise} A promise that is fulfilled when the push request * completes. */ function send(data /*: PushData*/ ) /*: Promise*/ { if (data.where && data.where instanceof _ParseQuery.default) { data.where = data.where.toJSON().where; } if (data.push_time && (0, _typeof2.default)(data.push_time) === 'object') { data.push_time = data.push_time.toJSON(); } if (data.expiration_time && (0, _typeof2.default)(data.expiration_time) === 'object') { data.expiration_time = data.expiration_time.toJSON(); } if (data.expiration_time && data.expiration_interval) { throw new Error('expiration_time and expiration_interval cannot both be set.'); } return _CoreManager.default.getPushController().send(data); } var DefaultController = { send: function (data /*: PushData*/ ) { return _CoreManager.default.getRESTController().request('POST', 'push', data, { useMasterKey: true }); } }; _CoreManager.default.setPushController(DefaultController); },{"./CoreManager":4,"./ParseQuery":38,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],45:[function(_dereq_,module,exports){ (function (process){(function (){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _Object$defineProperties = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-properties"); var _Object$getOwnPropertyDescriptors = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors"); var _forEachInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _filterInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/instance/filter"); var _Object$getOwnPropertySymbols = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols"); var _Object$keys = _dereq_("@babel/runtime-corejs3/core-js-stable/object/keys"); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _setTimeout2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/set-timeout")); var _includes = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/includes")); var _stringify = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/json/stringify")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _ParseError = _interopRequireDefault(_dereq_("./ParseError")); var _promiseUtils = _dereq_("./promiseUtils"); function ownKeys(object, enumerableOnly) { var keys = _Object$keys(object); if (_Object$getOwnPropertySymbols) { var symbols = _Object$getOwnPropertySymbols(object); if (enumerableOnly) { symbols = _filterInstanceProperty(symbols).call(symbols, function (sym) { return _Object$getOwnPropertyDescriptor(object, sym).enumerable; }); } keys.push.apply(keys, symbols); } return keys; } function _objectSpread(target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i] != null ? arguments[i] : {}; if (i % 2) { var _context5; _forEachInstanceProperty(_context5 = ownKeys(Object(source), true)).call(_context5, function (key) { (0, _defineProperty2.default)(target, key, source[key]); }); } else if (_Object$getOwnPropertyDescriptors) { _Object$defineProperties(target, _Object$getOwnPropertyDescriptors(source)); } else { var _context6; _forEachInstanceProperty(_context6 = ownKeys(Object(source))).call(_context6, function (key) { _Object$defineProperty(target, key, _Object$getOwnPropertyDescriptor(source, key)); }); } } return target; } /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /* global XMLHttpRequest, XDomainRequest */ var uuidv4 = _dereq_('uuid/v4'); var XHR = null; if (typeof XMLHttpRequest !== 'undefined') { XHR = XMLHttpRequest; } var useXDomainRequest = false; if (typeof XDomainRequest !== 'undefined' && !('withCredentials' in new XMLHttpRequest())) { useXDomainRequest = true; } function ajaxIE9(method /*: string*/ , url /*: string*/ , data /*: any*/ , headers /*:: ?: any*/ , options /*:: ?: FullOptions*/ ) { return new _promise.default(function (resolve, reject) { var xdr = new XDomainRequest(); xdr.onload = function () { var response; try { response = JSON.parse(xdr.responseText); } catch (e) { reject(e); } if (response) { resolve({ response: response }); } }; xdr.onerror = xdr.ontimeout = function () { // Let's fake a real error message. var fakeResponse = { responseText: (0, _stringify.default)({ code: _ParseError.default.X_DOMAIN_REQUEST, error: "IE's XDomainRequest does not supply error info." }) }; reject(fakeResponse); }; xdr.onprogress = function () { if (options && typeof options.progress === 'function') { options.progress(xdr.responseText); } }; xdr.open(method, url); xdr.send(data); if (options && typeof options.requestTask === 'function') { options.requestTask(xdr); } }); } var RESTController = { ajax: function (method /*: string*/ , url /*: string*/ , data /*: any*/ , headers /*:: ?: any*/ , options /*:: ?: FullOptions*/ ) { var _context; if (useXDomainRequest) { return ajaxIE9(method, url, data, headers, options); } var promise = (0, _promiseUtils.resolvingPromise)(); var isIdempotent = _CoreManager.default.get('IDEMPOTENCY') && (0, _includes.default)(_context = ['POST', 'PUT']).call(_context, method); var requestId = isIdempotent ? uuidv4() : ''; var attempts = 0; var dispatch = function dispatch() { if (XHR == null) { throw new Error('Cannot make a request: No definition of XMLHttpRequest was found.'); } var handled = false; var xhr = new XHR(); xhr.onreadystatechange = function () { if (xhr.readyState !== 4 || handled || xhr._aborted) { return; } handled = true; if (xhr.status >= 200 && xhr.status < 300) { var response; try { response = JSON.parse(xhr.responseText); if (typeof xhr.getResponseHeader === 'function') { var _context2; if ((0, _includes.default)(_context2 = xhr.getAllResponseHeaders() || '').call(_context2, 'x-parse-job-status-id: ')) { response = xhr.getResponseHeader('x-parse-job-status-id'); } } } catch (e) { promise.reject(e.toString()); } if (response) { promise.resolve({ response: response, status: xhr.status, xhr: xhr }); } } else if (xhr.status >= 500 || xhr.status === 0) { // retry on 5XX or node-xmlhttprequest error if (++attempts < _CoreManager.default.get('REQUEST_ATTEMPT_LIMIT')) { // Exponentially-growing random delay var delay = Math.round(Math.random() * 125 * Math.pow(2, attempts)); (0, _setTimeout2.default)(dispatch, delay); } else if (xhr.status === 0) { promise.reject('Unable to connect to the Parse API'); } else { // After the retry limit is reached, fail promise.reject(xhr); } } else { promise.reject(xhr); } }; headers = headers || {}; if (typeof headers['Content-Type'] !== 'string') { // Avoid pre-flight headers['Content-Type'] = 'text/plain'; } if (_CoreManager.default.get('IS_NODE')) { var _context3; headers['User-Agent'] = (0, _concat.default)(_context3 = "Parse/".concat(_CoreManager.default.get('VERSION'), " (NodeJS ")).call(_context3, process.versions.node, ")"); } if (isIdempotent) { headers['X-Parse-Request-Id'] = requestId; } if (_CoreManager.default.get('SERVER_AUTH_TYPE') && _CoreManager.default.get('SERVER_AUTH_TOKEN')) { var _context4; headers.Authorization = (0, _concat.default)(_context4 = "".concat(_CoreManager.default.get('SERVER_AUTH_TYPE'), " ")).call(_context4, _CoreManager.default.get('SERVER_AUTH_TOKEN')); } var customHeaders = _CoreManager.default.get('REQUEST_HEADERS'); for (var key in customHeaders) { headers[key] = customHeaders[key]; } function handleProgress(type, event) { if (options && typeof options.progress === 'function') { if (event.lengthComputable) { options.progress(event.loaded / event.total, event.loaded, event.total, { type: type }); } else { options.progress(null, null, null, { type: type }); } } } xhr.onprogress = function (event) { handleProgress('download', event); }; if (xhr.upload) { xhr.upload.onprogress = function (event) { handleProgress('upload', event); }; } xhr.open(method, url, true); for (var h in headers) { xhr.setRequestHeader(h, headers[h]); } xhr.onabort = function () { promise.resolve({ response: { results: [] }, status: 0, xhr: xhr }); }; xhr.send(data); if (options && typeof options.requestTask === 'function') { options.requestTask(xhr); } }; dispatch(); return promise; }, request: function (method /*: string*/ , path /*: string*/ , data /*: mixed*/ , options /*:: ?: RequestOptions*/ ) { options = options || {}; var url = _CoreManager.default.get('SERVER_URL'); if (url[url.length - 1] !== '/') { url += '/'; } url += path; var payload = {}; if (data && (0, _typeof2.default)(data) === 'object') { for (var k in data) { payload[k] = data[k]; } } // Add context var _options = options, context = _options.context; if (context !== undefined) { payload._context = context; } if (method !== 'POST') { payload._method = method; method = 'POST'; } payload._ApplicationId = _CoreManager.default.get('APPLICATION_ID'); var jsKey = _CoreManager.default.get('JAVASCRIPT_KEY'); if (jsKey) { payload._JavaScriptKey = jsKey; } payload._ClientVersion = _CoreManager.default.get('VERSION'); var _options2 = options, useMasterKey = _options2.useMasterKey; if (typeof useMasterKey === 'undefined') { useMasterKey = _CoreManager.default.get('USE_MASTER_KEY'); } if (useMasterKey) { if (_CoreManager.default.get('MASTER_KEY')) { delete payload._JavaScriptKey; payload._MasterKey = _CoreManager.default.get('MASTER_KEY'); } } if (_CoreManager.default.get('FORCE_REVOCABLE_SESSION')) { payload._RevocableSession = '1'; } var _options3 = options, installationId = _options3.installationId; var installationIdPromise; if (installationId && typeof installationId === 'string') { installationIdPromise = _promise.default.resolve(installationId); } else { var installationController = _CoreManager.default.getInstallationController(); installationIdPromise = installationController.currentInstallationId(); } return installationIdPromise.then(function (iid) { payload._InstallationId = iid; var userController = _CoreManager.default.getUserController(); if (options && typeof options.sessionToken === 'string') { return _promise.default.resolve(options.sessionToken); } if (userController) { return userController.currentUserAsync().then(function (user) { if (user) { return _promise.default.resolve(user.getSessionToken()); } return _promise.default.resolve(null); }); } return _promise.default.resolve(null); }).then(function (token) { if (token) { payload._SessionToken = token; } var payloadString = (0, _stringify.default)(payload); return RESTController.ajax(method, url, payloadString, {}, options).then(function (_ref) { var response = _ref.response, status = _ref.status; if (options.returnStatus) { return _objectSpread(_objectSpread({}, response), {}, { _status: status }); } return response; }); }).catch(RESTController.handleError); }, handleError: function (response) { // Transform the error into an instance of ParseError by trying to parse // the error string as JSON var error; if (response && response.responseText) { try { var errorJSON = JSON.parse(response.responseText); error = new _ParseError.default(errorJSON.code, errorJSON.error); } catch (e) { // If we fail to parse the error text, that's okay. error = new _ParseError.default(_ParseError.default.INVALID_JSON, "Received an error with invalid JSON from Parse: ".concat(response.responseText)); } } else { var message = response.message ? response.message : response; error = new _ParseError.default(_ParseError.default.CONNECTION_FAILED, "XMLHttpRequest failed: ".concat((0, _stringify.default)(message))); } return _promise.default.reject(error); }, _setXHR: function (xhr /*: any*/ ) { XHR = xhr; }, _getXHR: function () { return XHR; } }; module.exports = RESTController; }).call(this)}).call(this,_dereq_('_process')) },{"./CoreManager":4,"./ParseError":28,"./promiseUtils":62,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/filter":71,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/includes":74,"@babel/runtime-corejs3/core-js-stable/json/stringify":84,"@babel/runtime-corejs3/core-js-stable/object/define-properties":88,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptors":93,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-symbols":94,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/core-js-stable/set-timeout":101,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148,"_process":183,"uuid/v4":534}],46:[function(_dereq_,module,exports){ "use strict"; var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _typeof = _dereq_("@babel/runtime-corejs3/helpers/typeof"); var _WeakMap = _dereq_("@babel/runtime-corejs3/core-js-stable/weak-map"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.clearAllState = clearAllState; exports.commitServerChanges = commitServerChanges; exports.duplicateState = duplicateState; exports.enqueueTask = enqueueTask; exports.estimateAttribute = estimateAttribute; exports.estimateAttributes = estimateAttributes; exports.getObjectCache = getObjectCache; exports.getPendingOps = getPendingOps; exports.getServerData = getServerData; exports.getState = getState; exports.initializeState = initializeState; exports.mergeFirstPendingState = mergeFirstPendingState; exports.popPendingState = popPendingState; exports.pushPendingState = pushPendingState; exports.removeState = removeState; exports.setPendingOp = setPendingOp; exports.setServerData = setServerData; var ObjectStateMutations = _interopRequireWildcard(_dereq_("./ObjectStateMutations")); function _getRequireWildcardCache(nodeInterop) { if (typeof _WeakMap !== "function") return null; var cacheBabelInterop = new _WeakMap(); var cacheNodeInterop = new _WeakMap(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); } function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = _Object$defineProperty && _Object$getOwnPropertyDescriptor ? _Object$getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { _Object$defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; } /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var objectState /*: { [className: string]: { [id: string]: State, }, }*/ = {}; function getState(obj /*: ObjectIdentifier*/ ) /*: ?State*/ { var classData = objectState[obj.className]; if (classData) { return classData[obj.id] || null; } return null; } function initializeState(obj /*: ObjectIdentifier*/ , initial /*:: ?: State*/ ) /*: State*/ { var state = getState(obj); if (state) { return state; } if (!objectState[obj.className]) { objectState[obj.className] = {}; } if (!initial) { initial = ObjectStateMutations.defaultState(); } state = objectState[obj.className][obj.id] = initial; return state; } function removeState(obj /*: ObjectIdentifier*/ ) /*: ?State*/ { var state = getState(obj); if (state === null) { return null; } delete objectState[obj.className][obj.id]; return state; } function getServerData(obj /*: ObjectIdentifier*/ ) /*: AttributeMap*/ { var state = getState(obj); if (state) { return state.serverData; } return {}; } function setServerData(obj /*: ObjectIdentifier*/ , attributes /*: AttributeMap*/ ) { var _initializeState = initializeState(obj), serverData = _initializeState.serverData; ObjectStateMutations.setServerData(serverData, attributes); } function getPendingOps(obj /*: ObjectIdentifier*/ ) /*: Array*/ { var state = getState(obj); if (state) { return state.pendingOps; } return [{}]; } function setPendingOp(obj /*: ObjectIdentifier*/ , attr /*: string*/ , op /*: ?Op*/ ) { var _initializeState2 = initializeState(obj), pendingOps = _initializeState2.pendingOps; ObjectStateMutations.setPendingOp(pendingOps, attr, op); } function pushPendingState(obj /*: ObjectIdentifier*/ ) { var _initializeState3 = initializeState(obj), pendingOps = _initializeState3.pendingOps; ObjectStateMutations.pushPendingState(pendingOps); } function popPendingState(obj /*: ObjectIdentifier*/ ) /*: OpsMap*/ { var _initializeState4 = initializeState(obj), pendingOps = _initializeState4.pendingOps; return ObjectStateMutations.popPendingState(pendingOps); } function mergeFirstPendingState(obj /*: ObjectIdentifier*/ ) { var pendingOps = getPendingOps(obj); ObjectStateMutations.mergeFirstPendingState(pendingOps); } function getObjectCache(obj /*: ObjectIdentifier*/ ) /*: ObjectCache*/ { var state = getState(obj); if (state) { return state.objectCache; } return {}; } function estimateAttribute(obj /*: ObjectIdentifier*/ , attr /*: string*/ ) /*: mixed*/ { var serverData = getServerData(obj); var pendingOps = getPendingOps(obj); return ObjectStateMutations.estimateAttribute(serverData, pendingOps, obj.className, obj.id, attr); } function estimateAttributes(obj /*: ObjectIdentifier*/ ) /*: AttributeMap*/ { var serverData = getServerData(obj); var pendingOps = getPendingOps(obj); return ObjectStateMutations.estimateAttributes(serverData, pendingOps, obj.className, obj.id); } function commitServerChanges(obj /*: ObjectIdentifier*/ , changes /*: AttributeMap*/ ) { var state = initializeState(obj); ObjectStateMutations.commitServerChanges(state.serverData, state.objectCache, changes); } function enqueueTask(obj /*: ObjectIdentifier*/ , task /*: () => Promise*/ ) /*: Promise*/ { var state = initializeState(obj); return state.tasks.enqueue(task); } function clearAllState() { objectState = {}; } function duplicateState(source /*: { id: string }*/ , dest /*: { id: string }*/ ) { dest.id = source.id; } },{"./ObjectStateMutations":22,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/weak-map":104,"@babel/runtime-corejs3/helpers/typeof":148}],47:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var Storage = { async: function () /*: boolean*/ { var controller = _CoreManager.default.getStorageController(); return !!controller.async; }, getItem: function (path /*: string*/ ) /*: ?string*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { throw new Error('Synchronous storage is not supported by the current storage controller'); } return controller.getItem(path); }, getItemAsync: function (path /*: string*/ ) /*: Promise*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { return controller.getItemAsync(path); } return _promise.default.resolve(controller.getItem(path)); }, setItem: function (path /*: string*/ , value /*: string*/ ) /*: void*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { throw new Error('Synchronous storage is not supported by the current storage controller'); } return controller.setItem(path, value); }, setItemAsync: function (path /*: string*/ , value /*: string*/ ) /*: Promise*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { return controller.setItemAsync(path, value); } return _promise.default.resolve(controller.setItem(path, value)); }, removeItem: function (path /*: string*/ ) /*: void*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { throw new Error('Synchronous storage is not supported by the current storage controller'); } return controller.removeItem(path); }, removeItemAsync: function (path /*: string*/ ) /*: Promise*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { return controller.removeItemAsync(path); } return _promise.default.resolve(controller.removeItem(path)); }, getAllKeys: function () /*: Array*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { throw new Error('Synchronous storage is not supported by the current storage controller'); } return controller.getAllKeys(); }, getAllKeysAsync: function () /*: Promise>*/ { var controller = _CoreManager.default.getStorageController(); if (controller.async === 1) { return controller.getAllKeysAsync(); } return _promise.default.resolve(controller.getAllKeys()); }, generatePath: function (path /*: string*/ ) /*: string*/ { var _context; if (!_CoreManager.default.get('APPLICATION_ID')) { throw new Error('You need to call Parse.initialize before using Parse.'); } if (typeof path !== 'string') { throw new Error('Tried to get a Storage path that was not a String.'); } if (path[0] === '/') { path = path.substr(1); } return (0, _concat.default)(_context = "Parse/".concat(_CoreManager.default.get('APPLICATION_ID'), "/")).call(_context, path); }, _clear: function () { var controller = _CoreManager.default.getStorageController(); if (controller.hasOwnProperty('clear')) { controller.clear(); } } }; module.exports = Storage; _CoreManager.default.setStorageController(_dereq_('./StorageController.browser')); },{"./CoreManager":4,"./StorageController.browser":48,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],48:[function(_dereq_,module,exports){ "use strict"; /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow * @private */ /* global localStorage */ var StorageController = { async: 0, getItem: function (path /*: string*/ ) /*: ?string*/ { return localStorage.getItem(path); }, setItem: function (path /*: string*/ , value /*: string*/ ) { try { localStorage.setItem(path, value); } catch (e) { // Quota exceeded, possibly due to Safari Private Browsing mode // eslint-disable-next-line no-console console.log(e.message); } }, removeItem: function (path /*: string*/ ) { localStorage.removeItem(path); }, getAllKeys: function () { var keys = []; for (var i = 0; i < localStorage.length; i += 1) { keys.push(localStorage.key(i)); } return keys; }, clear: function () { localStorage.clear(); } }; module.exports = StorageController; },{}],49:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _defineProperty2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/defineProperty")); var _promiseUtils = _dereq_("./promiseUtils"); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var TaskQueue = /*#__PURE__*/function () { function TaskQueue() { (0, _classCallCheck2.default)(this, TaskQueue); (0, _defineProperty2.default)(this, "queue", void 0); this.queue = []; } (0, _createClass2.default)(TaskQueue, [{ key: "enqueue", value: function (task /*: () => Promise*/ ) /*: Promise*/ { var _this = this; var taskComplete = new _promiseUtils.resolvingPromise(); this.queue.push({ task: task, _completion: taskComplete }); if (this.queue.length === 1) { task().then(function () { _this._dequeue(); taskComplete.resolve(); }, function (error) { _this._dequeue(); taskComplete.reject(error); }); } return taskComplete; } }, { key: "_dequeue", value: function () { var _this2 = this; this.queue.shift(); if (this.queue.length) { var next = this.queue[0]; next.task().then(function () { _this2._dequeue(); next._completion.resolve(); }, function (error) { _this2._dequeue(); next._completion.reject(error); }); } } }]); return TaskQueue; }(); module.exports = TaskQueue; },{"./promiseUtils":62,"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/defineProperty":132,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],50:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _isInteger = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/number/is-integer")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var supportedTypes = ['native', 'erc20', 'erc721', 'erc1155']; var ERC1155TransferABI = [{ inputs: [{ internalType: 'address', name: 'from', type: 'address' }, { internalType: 'address', name: 'to', type: 'address' }, { internalType: 'uint256', name: 'id', type: 'uint256' }, { internalType: 'uint256', name: 'value', type: 'uint256' }, { internalType: 'bytes', name: 'data', type: 'bytes' }], outputs: [{ name: '', type: 'bool' }], name: 'safeTransferFrom', type: 'function', constant: false, payable: false }, { inputs: [{ internalType: 'address', name: 'from', type: 'address' }, { internalType: 'address', name: 'to', type: 'address' }, { internalType: 'uint256', name: 'id', type: 'uint256' }, { internalType: 'uint256', name: 'value', type: 'uint256' }], outputs: [{ name: '', type: 'bool' }], name: 'transferFrom', type: 'function', constant: false, payable: false }]; var ERC721TransferABI = [{ inputs: [{ internalType: 'address', name: 'from', type: 'address' }, { internalType: 'address', name: 'to', type: 'address' }, { internalType: 'uint256', name: 'tokenId', type: 'uint256' }], outputs: [{ name: '', type: 'bool' }], name: 'safeTransferFrom', type: 'function', constant: false, payable: false }, { inputs: [{ internalType: 'address', name: 'from', type: 'address' }, { internalType: 'address', name: 'to', type: 'address' }, { internalType: 'uint256', name: 'tokenId', type: 'uint256' }], outputs: [{ name: '', type: 'bool' }], name: 'transferFrom', type: 'function', constant: false, payable: false }]; var ERC20TransferABI = [{ constant: false, inputs: [{ name: '_to', type: 'address' }, { name: '_value', type: 'uint256' }], name: 'transfer', outputs: [{ name: '', type: 'bool' }], payable: false, stateMutability: 'nonpayable', type: 'function' }, { constant: true, inputs: [{ name: '_owner', type: 'address' }], name: 'balanceOf', outputs: [{ name: 'balance', type: 'uint256' }], payable: false, stateMutability: 'view', type: 'function' }]; var tokenParams = { native: { receiver: '', amount: '' }, erc20: { contractAddress: '', receiver: '', amount: '' }, erc721: { contractAddress: '', receiver: '', tokenId: '' }, erc1155: { contractAddress: '', receiver: '', tokenId: '', amount: '' } }; var isNotEmpty = function (value) { return typeof value !== 'undefined' && value ? true : false; }; var validateInput = function (type, payload) { var errors = []; var parameters = tokenParams[type]; for (var _i = 0, _Object$keys = (0, _keys.default)(parameters); _i < _Object$keys.length; _i++) { var key = _Object$keys[_i]; if (!isNotEmpty(payload[key])) { errors.push("".concat(key, " is required")); } } if (errors.length > 0) { throw errors; } }; var isSupportedType = function (type) { if ((0, _indexOf.default)(supportedTypes).call(supportedTypes, type) === -1) throw 'Unsupported type'; return true; }; var isUint256 = function (tokenId) { if (!(0, _isInteger.default)(+tokenId) || +tokenId < 0) throw new Error('Invalid token Id'); return true; }; module.exports = { abi: { erc1155: ERC1155TransferABI, erc721: ERC721TransferABI, erc20: ERC20TransferABI }, validateInput: validateInput, isSupportedType: isSupportedType, isNotEmpty: isNotEmpty, isUint256: isUint256 }; },{"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/number/is-integer":86,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],51:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); var _typeof = _dereq_("@babel/runtime-corejs3/helpers/typeof"); var _WeakMap2 = _dereq_("@babel/runtime-corejs3/core-js-stable/weak-map"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.clearAllState = clearAllState; exports.commitServerChanges = commitServerChanges; exports.duplicateState = duplicateState; exports.enqueueTask = enqueueTask; exports.estimateAttribute = estimateAttribute; exports.estimateAttributes = estimateAttributes; exports.getObjectCache = getObjectCache; exports.getPendingOps = getPendingOps; exports.getServerData = getServerData; exports.getState = getState; exports.initializeState = initializeState; exports.mergeFirstPendingState = mergeFirstPendingState; exports.popPendingState = popPendingState; exports.pushPendingState = pushPendingState; exports.removeState = removeState; exports.setPendingOp = setPendingOp; exports.setServerData = setServerData; var _weakMap = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/weak-map")); var ObjectStateMutations = _interopRequireWildcard(_dereq_("./ObjectStateMutations")); var _TaskQueue = _interopRequireDefault(_dereq_("./TaskQueue")); function _getRequireWildcardCache(nodeInterop) { if (typeof _WeakMap2 !== "function") return null; var cacheBabelInterop = new _WeakMap2(); var cacheNodeInterop = new _WeakMap2(); return (_getRequireWildcardCache = function (nodeInterop) { return nodeInterop ? cacheNodeInterop : cacheBabelInterop; })(nodeInterop); } function _interopRequireWildcard(obj, nodeInterop) { if (!nodeInterop && obj && obj.__esModule) { return obj; } if (obj === null || _typeof(obj) !== "object" && typeof obj !== "function") { return { default: obj }; } var cache = _getRequireWildcardCache(nodeInterop); if (cache && cache.has(obj)) { return cache.get(obj); } var newObj = {}; for (var key in obj) { if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) { var desc = _Object$defineProperty && _Object$getOwnPropertyDescriptor ? _Object$getOwnPropertyDescriptor(obj, key) : null; if (desc && (desc.get || desc.set)) { _Object$defineProperty(newObj, key, desc); } else { newObj[key] = obj[key]; } } } newObj.default = obj; if (cache) { cache.set(obj, newObj); } return newObj; } /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var objectState = new _weakMap.default(); function getState(obj /*: ParseObject*/ ) /*: ?State*/ { var classData = objectState.get(obj); return classData || null; } function initializeState(obj /*: ParseObject*/ , initial /*:: ?: State*/ ) /*: State*/ { var state = getState(obj); if (state) { return state; } if (!initial) { initial = { serverData: {}, pendingOps: [{}], objectCache: {}, tasks: new _TaskQueue.default(), existed: false }; } state = initial; objectState.set(obj, state); return state; } function removeState(obj /*: ParseObject*/ ) /*: ?State*/ { var state = getState(obj); if (state === null) { return null; } objectState.delete(obj); return state; } function getServerData(obj /*: ParseObject*/ ) /*: AttributeMap*/ { var state = getState(obj); if (state) { return state.serverData; } return {}; } function setServerData(obj /*: ParseObject*/ , attributes /*: AttributeMap*/ ) { var _initializeState = initializeState(obj), serverData = _initializeState.serverData; ObjectStateMutations.setServerData(serverData, attributes); } function getPendingOps(obj /*: ParseObject*/ ) /*: Array*/ { var state = getState(obj); if (state) { return state.pendingOps; } return [{}]; } function setPendingOp(obj /*: ParseObject*/ , attr /*: string*/ , op /*: ?Op*/ ) { var _initializeState2 = initializeState(obj), pendingOps = _initializeState2.pendingOps; ObjectStateMutations.setPendingOp(pendingOps, attr, op); } function pushPendingState(obj /*: ParseObject*/ ) { var _initializeState3 = initializeState(obj), pendingOps = _initializeState3.pendingOps; ObjectStateMutations.pushPendingState(pendingOps); } function popPendingState(obj /*: ParseObject*/ ) /*: OpsMap*/ { var _initializeState4 = initializeState(obj), pendingOps = _initializeState4.pendingOps; return ObjectStateMutations.popPendingState(pendingOps); } function mergeFirstPendingState(obj /*: ParseObject*/ ) { var pendingOps = getPendingOps(obj); ObjectStateMutations.mergeFirstPendingState(pendingOps); } function getObjectCache(obj /*: ParseObject*/ ) /*: ObjectCache*/ { var state = getState(obj); if (state) { return state.objectCache; } return {}; } function estimateAttribute(obj /*: ParseObject*/ , attr /*: string*/ ) /*: mixed*/ { var serverData = getServerData(obj); var pendingOps = getPendingOps(obj); return ObjectStateMutations.estimateAttribute(serverData, pendingOps, obj.className, obj.id, attr); } function estimateAttributes(obj /*: ParseObject*/ ) /*: AttributeMap*/ { var serverData = getServerData(obj); var pendingOps = getPendingOps(obj); return ObjectStateMutations.estimateAttributes(serverData, pendingOps, obj.className, obj.id); } function commitServerChanges(obj /*: ParseObject*/ , changes /*: AttributeMap*/ ) { var state = initializeState(obj); ObjectStateMutations.commitServerChanges(state.serverData, state.objectCache, changes); } function enqueueTask(obj /*: ParseObject*/ , task /*: () => Promise*/ ) /*: Promise*/ { var state = initializeState(obj); return state.tasks.enqueue(task); } function duplicateState(source /*: ParseObject*/ , dest /*: ParseObject*/ ) /*: void*/ { var oldState = initializeState(source); var newState = initializeState(dest); for (var key in oldState.serverData) { newState.serverData[key] = oldState.serverData[key]; } for (var index = 0; index < oldState.pendingOps.length; index++) { for (var _key in oldState.pendingOps[index]) { newState.pendingOps[index][_key] = oldState.pendingOps[index][_key]; } } for (var _key2 in oldState.objectCache) { newState.objectCache[_key2] = oldState.objectCache[_key2]; } newState.existed = oldState.existed; } function clearAllState() { objectState = new _weakMap.default(); } },{"./ObjectStateMutations":22,"./TaskQueue":49,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/get-own-property-descriptor":92,"@babel/runtime-corejs3/core-js-stable/weak-map":104,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],52:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _classCallCheck2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/classCallCheck")); var _createClass2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/createClass")); var _web = _interopRequireDefault(_dereq_("web3")); /* global window */ var MWeb3 = typeof _web.default === 'function' ? _web.default : window.Web3; var UnitConverter = /*#__PURE__*/function () { function UnitConverter() { (0, _classCallCheck2.default)(this, UnitConverter); } (0, _createClass2.default)(UnitConverter, null, [{ key: "ETH", value: function (value) { return MWeb3.utils.toWei("".concat(value), 'ether'); } }, { key: "Token", value: function (value, decimals) { return MWeb3.utils.toBN("0x".concat((+value * Math.pow(10, decimals)).toString(16))); } }, { key: "FromWei", value: function (value, decimals) { return +value / Math.pow(10, decimals !== null && decimals !== void 0 ? decimals : 18); } }]); return UnitConverter; }(); module.exports = UnitConverter; },{"@babel/runtime-corejs3/helpers/classCallCheck":129,"@babel/runtime-corejs3/helpers/createClass":131,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"web3":183}],53:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = arrayContainsObject; var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function arrayContainsObject(array /*: Array*/ , object /*: ParseObject*/ ) /*: boolean*/ { if ((0, _indexOf.default)(array).call(array, object) > -1) { return true; } for (var i = 0; i < array.length; i++) { if (array[i] instanceof _ParseObject.default && array[i].className === object.className && array[i]._getId() === object._getId()) { return true; } } return false; } },{"./ParseObject":35,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],54:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = canBeSerialized; var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function canBeSerialized(obj /*: ParseObject*/ ) /*: boolean*/ { if (!(obj instanceof _ParseObject.default)) { return true; } var attributes = obj.attributes; for (var attr in attributes) { var val = attributes[attr]; if (!canBeSerializedHelper(val)) { return false; } } return true; } function canBeSerializedHelper(value /*: any*/ ) /*: boolean*/ { if ((0, _typeof2.default)(value) !== 'object') { return true; } if (value instanceof _ParseRelation.default) { return true; } if (value instanceof _ParseObject.default) { return !!value.id; } if (value instanceof _ParseFile.default) { if (value.url()) { return true; } return false; } if ((0, _isArray.default)(value)) { for (var i = 0; i < value.length; i++) { if (!canBeSerializedHelper(value[i])) { return false; } } return true; } for (var k in value) { if (!canBeSerializedHelper(value[k])) { return false; } } return true; } },{"./ParseFile":29,"./ParseObject":35,"./ParseRelation":39,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],55:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = createSigningData; var _regenerator = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/regenerator")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _asyncToGenerator2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/asyncToGenerator")); var _CoreManager = _interopRequireDefault(_dereq_("./CoreManager")); var _Cloud = _dereq_("./Cloud"); /** * Creates the data for the authentication message by extending the message * with a unique string with applicationId and current time */ function createSigningData() { return _createSigningData.apply(this, arguments); } function _createSigningData() { _createSigningData = (0, _asyncToGenerator2.default)( /*#__PURE__*/_regenerator.default.mark(function _callee(message) { var data, _context, _context2, _yield$run, dateTime, applicationId; return _regenerator.default.wrap(function (_context3) { while (1) { switch (_context3.prev = _context3.next) { case 0: _context3.prev = 0; _context3.next = 3; return (0, _Cloud.run)('getServerTime'); case 3: _yield$run = _context3.sent; dateTime = _yield$run.dateTime; applicationId = _CoreManager.default.get('APPLICATION_ID'); data = (0, _concat.default)(_context = (0, _concat.default)(_context2 = "".concat(message, "\n\nId: ")).call(_context2, applicationId, ":")).call(_context, dateTime); _context3.next = 12; break; case 9: _context3.prev = 9; _context3.t0 = _context3["catch"](0); data = "".concat(message); case 12: return _context3.abrupt("return", data); case 13: case "end": return _context3.stop(); } } }, _callee, null, [[0, 9]]); })); return _createSigningData.apply(this, arguments); } },{"./Cloud":3,"./CoreManager":4,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/asyncToGenerator":128,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/regenerator":152}],56:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = decode; var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _ParseGeoPoint = _interopRequireDefault(_dereq_("./ParseGeoPoint")); var _ParsePolygon = _interopRequireDefault(_dereq_("./ParsePolygon")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseOp = _dereq_("./ParseOp"); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ // eslint-disable-line no-unused-vars function decode(value /*: any*/ ) /*: any*/ { if (value === null || (0, _typeof2.default)(value) !== 'object') { return value; } if ((0, _isArray.default)(value)) { var dup = []; (0, _forEach.default)(value).call(value, function (v, i) { dup[i] = decode(v); }); return dup; } if (typeof value.__op === 'string') { return (0, _ParseOp.opFromJSON)(value); } if (value.__type === 'Pointer' && value.className) { return _ParseObject.default.fromJSON(value); } if (value.__type === 'Object' && value.className) { return _ParseObject.default.fromJSON(value); } if (value.__type === 'Relation') { // The parent and key fields will be populated by the parent var relation = new _ParseRelation.default(null, null); relation.targetClassName = value.className; return relation; } if (value.__type === 'Date') { return new Date(value.iso); } if (value.__type === 'File') { return _ParseFile.default.fromJSON(value); } if (value.__type === 'GeoPoint') { return new _ParseGeoPoint.default({ latitude: value.latitude, longitude: value.longitude }); } if (value.__type === 'Polygon') { return new _ParsePolygon.default(value.coordinates); } var copy = {}; for (var k in value) { copy[k] = decode(value[k]); } return copy; } },{"./ParseACL":25,"./ParseFile":29,"./ParseGeoPoint":32,"./ParseObject":35,"./ParseOp":36,"./ParsePolygon":37,"./ParseRelation":39,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],57:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = _default; var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _map = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/map")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _startsWith = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/starts-with")); var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _ParseGeoPoint = _interopRequireDefault(_dereq_("./ParseGeoPoint")); var _ParsePolygon = _interopRequireDefault(_dereq_("./ParsePolygon")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseOp = _dereq_("./ParseOp"); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function encode(value /*: mixed*/ , disallowObjects /*: boolean*/ , forcePointers /*: boolean*/ , seen /*: Array*/ , offline /*: boolean*/ ) /*: any*/ { if (value instanceof _ParseObject.default) { var _context; if (disallowObjects) { throw new Error('Parse Objects not allowed here'); } var seenEntry = value.id ? (0, _concat.default)(_context = "".concat(value.className, ":")).call(_context, value.id) : value; if (forcePointers || !seen || (0, _indexOf.default)(seen).call(seen, seenEntry) > -1 || value.dirty() || (0, _keys.default)(value._getServerData()).length < 1) { var _context2; if (offline && (0, _startsWith.default)(_context2 = value._getId()).call(_context2, 'local')) { return value.toOfflinePointer(); } return value.toPointer(); } seen = (0, _concat.default)(seen).call(seen, seenEntry); return value._toFullJSON(seen, offline); } if (value instanceof _ParseOp.Op || value instanceof _ParseACL.default || value instanceof _ParseGeoPoint.default || value instanceof _ParsePolygon.default || value instanceof _ParseRelation.default) { return value.toJSON(); } if (value instanceof _ParseFile.default) { if (!value.url()) { throw new Error('Tried to encode an unsaved file.'); } return value.toJSON(); } if (Object.prototype.toString.call(value) === '[object Date]') { if (isNaN(value)) { throw new Error('Tried to encode an invalid date.'); } return { __type: 'Date', iso: value /*: any*/ .toJSON() }; } if (Object.prototype.toString.call(value) === '[object RegExp]' && typeof value.source === 'string') { return value.source; } if ((0, _isArray.default)(value)) { return (0, _map.default)(value).call(value, function (v) { return encode(v, disallowObjects, forcePointers, seen, offline); }); } if (value && (0, _typeof2.default)(value) === 'object') { var output = {}; for (var k in value) { output[k] = encode(value[k], disallowObjects, forcePointers, seen, offline); } return output; } return value; } function _default(value /*: mixed*/ , disallowObjects /*:: ?: boolean*/ , forcePointers /*:: ?: boolean*/ , seen /*:: ?: Array*/ , offline /*:: ?: boolean*/ ) /*: any*/ { return encode(value, !!disallowObjects, !!forcePointers, seen || [], offline); } },{"./ParseACL":25,"./ParseFile":29,"./ParseGeoPoint":32,"./ParseObject":35,"./ParseOp":36,"./ParsePolygon":37,"./ParseRelation":39,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/instance/map":77,"@babel/runtime-corejs3/core-js-stable/instance/starts-with":82,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],58:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = equals; var _keys = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/object/keys")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _ParseACL = _interopRequireDefault(_dereq_("./ParseACL")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _ParseGeoPoint = _interopRequireDefault(_dereq_("./ParseGeoPoint")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ function equals(a, b) { var toString = Object.prototype.toString; if (toString.call(a) === '[object Date]' || toString.call(b) === '[object Date]') { var dateA = new Date(a); var dateB = new Date(b); return +dateA === +dateB; } if ((0, _typeof2.default)(a) !== (0, _typeof2.default)(b)) { return false; } if (!a || (0, _typeof2.default)(a) !== 'object') { // a is a primitive return a === b; } if ((0, _isArray.default)(a) || (0, _isArray.default)(b)) { if (!(0, _isArray.default)(a) || !(0, _isArray.default)(b)) { return false; } if (a.length !== b.length) { return false; } for (var i = a.length; i--;) { if (!equals(a[i], b[i])) { return false; } } return true; } if (a instanceof _ParseACL.default || a instanceof _ParseFile.default || a instanceof _ParseGeoPoint.default || a instanceof _ParseObject.default) { return a.equals(b); } if (b instanceof _ParseObject.default) { if (a.__type === 'Object' || a.__type === 'Pointer') { return a.objectId === b.id && a.className === b.className; } } if ((0, _keys.default)(a).length !== (0, _keys.default)(b).length) { return false; } for (var k in a) { if (!equals(a[k], b[k])) { return false; } } return true; } },{"./ParseACL":25,"./ParseFile":29,"./ParseGeoPoint":32,"./ParseObject":35,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/object/keys":96,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],59:[function(_dereq_,module,exports){ "use strict"; var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = escape; /* * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ var encoded = { '&': '&', '<': '<', '>': '>', '/': '/', "'": ''', '"': '"' }; function escape(str /*: string*/ ) /*: string*/ { return str.replace(/[&<>/'"]/g, function (char) { return encoded[char]; }); } },{"@babel/runtime-corejs3/core-js-stable/object/define-property":89}],60:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = isRevocableSession; var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function isRevocableSession(token /*: string*/ ) /*: boolean*/ { return (0, _indexOf.default)(token).call(token, 'r:') > -1; } },{"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],61:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = parseDate; var _parseInt2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/parse-int")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function parseDate(iso8601 /*: string*/ ) /*: ?Date*/ { var regexp = new RegExp('^([0-9]{1,4})-([0-9]{1,2})-([0-9]{1,2})' + 'T' + '([0-9]{1,2}):([0-9]{1,2}):([0-9]{1,2})' + '(.([0-9]+))?' + 'Z$'); var match = regexp.exec(iso8601); if (!match) { return null; } var year = (0, _parseInt2.default)(match[1]) || 0; var month = ((0, _parseInt2.default)(match[2]) || 1) - 1; var day = (0, _parseInt2.default)(match[3]) || 0; var hour = (0, _parseInt2.default)(match[4]) || 0; var minute = (0, _parseInt2.default)(match[5]) || 0; var second = (0, _parseInt2.default)(match[6]) || 0; var milli = (0, _parseInt2.default)(match[8]) || 0; return new Date(Date.UTC(year, month, day, hour, minute, second, milli)); } },{"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/parse-int":98,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],62:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.continueWhile = continueWhile; exports.resolvingPromise = resolvingPromise; exports.when = when; var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _promise = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/promise")); // Create Deferred Promise function resolvingPromise() { var res; var rej; var promise = new _promise.default(function (resolve, reject) { res = resolve; rej = reject; }); promise.resolve = res; promise.reject = rej; return promise; } function when(promises) { var objects; var arrayArgument = (0, _isArray.default)(promises); if (arrayArgument) { objects = promises; } else { objects = arguments; } var total = objects.length; var hadError = false; var results = []; var returnValue = arrayArgument ? [results] : results; var errors = []; results.length = objects.length; errors.length = objects.length; if (total === 0) { return _promise.default.resolve(returnValue); } var promise = new resolvingPromise(); var resolveOne = function () { total--; if (total <= 0) { if (hadError) { promise.reject(errors); } else { promise.resolve(returnValue); } } }; var chain = function (object, index) { if (object && typeof object.then === 'function') { object.then(function (result) { results[index] = result; resolveOne(); }, function (error) { errors[index] = error; hadError = true; resolveOne(); }); } else { results[index] = object; resolveOne(); } }; for (var i = 0; i < objects.length; i++) { chain(objects[i], i); } return promise; } function continueWhile(test, emitter) { if (test()) { return emitter().then(function () { return continueWhile(test, emitter); }); } return _promise.default.resolve(); } },{"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/core-js-stable/promise":99,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],63:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = unique; var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _arrayContainsObject = _interopRequireDefault(_dereq_("./arrayContainsObject")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ function unique /*:: */ (arr /*: Array*/ ) /*: Array*/ { var uniques = []; (0, _forEach.default)(arr).call(arr, function (value) { if (value instanceof _ParseObject.default) { if (!(0, _arrayContainsObject.default)(uniques, value)) { uniques.push(value); } } else { if ((0, _indexOf.default)(uniques).call(uniques, value) < 0) { uniques.push(value); } } }); return uniques; } },{"./ParseObject":35,"./arrayContainsObject":53,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136}],64:[function(_dereq_,module,exports){ "use strict"; var _interopRequireDefault = _dereq_("@babel/runtime-corejs3/helpers/interopRequireDefault"); var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js-stable/object/define-property"); _Object$defineProperty(exports, "__esModule", { value: true }); exports.default = unsavedChildren; var _forEach = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/for-each")); var _isArray = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/array/is-array")); var _indexOf = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/index-of")); var _typeof2 = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/helpers/typeof")); var _concat = _interopRequireDefault(_dereq_("@babel/runtime-corejs3/core-js-stable/instance/concat")); var _ParseFile = _interopRequireDefault(_dereq_("./ParseFile")); var _ParseObject = _interopRequireDefault(_dereq_("./ParseObject")); var _ParseRelation = _interopRequireDefault(_dereq_("./ParseRelation")); /** * Copyright (c) 2015-present, Parse, LLC. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @flow */ /** * Return an array of unsaved children, which are either Parse Objects or Files. * If it encounters any dirty Objects without Ids, it will throw an exception. * * @param {Parse.Object} obj * @param {boolean} allowDeepUnsaved * @returns {Array} */ function unsavedChildren(obj /*: ParseObject*/ , allowDeepUnsaved /*:: ?: boolean*/ ) /*: Array*/ { var _context; var encountered = { objects: {}, files: [] }; var identifier = (0, _concat.default)(_context = "".concat(obj.className, ":")).call(_context, obj._getId()); encountered.objects[identifier] = obj.dirty() ? obj : true; var attributes = obj.attributes; for (var attr in attributes) { if ((0, _typeof2.default)(attributes[attr]) === 'object') { traverse(attributes[attr], encountered, false, !!allowDeepUnsaved); } } var unsaved = []; for (var id in encountered.objects) { if (id !== identifier && encountered.objects[id] !== true) { unsaved.push(encountered.objects[id]); } } return (0, _concat.default)(unsaved).call(unsaved, encountered.files); } function traverse(obj /*: ParseObject*/ , encountered /*: EncounterMap*/ , shouldThrow /*: boolean*/ , allowDeepUnsaved /*: boolean*/ ) { if (obj instanceof _ParseObject.default) { var _context2; if (!obj.id && shouldThrow) { throw new Error('Cannot create a pointer to an unsaved Object.'); } var _identifier = (0, _concat.default)(_context2 = "".concat(obj.className, ":")).call(_context2, obj._getId()); if (!encountered.objects[_identifier]) { encountered.objects[_identifier] = obj.dirty() ? obj : true; var attributes = obj.attributes; for (var attr in attributes) { if ((0, _typeof2.default)(attributes[attr]) === 'object') { traverse(attributes[attr], encountered, !allowDeepUnsaved, allowDeepUnsaved); } } } return; } if (obj instanceof _ParseFile.default) { var _context3; if (!obj.url() && (0, _indexOf.default)(_context3 = encountered.files).call(_context3, obj) < 0) { encountered.files.push(obj); } return; } if (obj instanceof _ParseRelation.default) { return; } if ((0, _isArray.default)(obj)) { (0, _forEach.default)(obj).call(obj, function (el) { if ((0, _typeof2.default)(el) === 'object') { traverse(el, encountered, shouldThrow, allowDeepUnsaved); } }); } for (var k in obj) { if ((0, _typeof2.default)(obj[k]) === 'object') { traverse(obj[k], encountered, shouldThrow, allowDeepUnsaved); } } } },{"./ParseFile":29,"./ParseObject":35,"./ParseRelation":39,"@babel/runtime-corejs3/core-js-stable/array/is-array":66,"@babel/runtime-corejs3/core-js-stable/instance/concat":68,"@babel/runtime-corejs3/core-js-stable/instance/for-each":73,"@babel/runtime-corejs3/core-js-stable/instance/index-of":75,"@babel/runtime-corejs3/core-js-stable/object/define-property":89,"@babel/runtime-corejs3/helpers/interopRequireDefault":136,"@babel/runtime-corejs3/helpers/typeof":148}],65:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/array/from"); },{"core-js-pure/stable/array/from":478}],66:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/array/is-array"); },{"core-js-pure/stable/array/is-array":479}],67:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/bind"); },{"core-js-pure/stable/instance/bind":484}],68:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/concat"); },{"core-js-pure/stable/instance/concat":485}],69:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/entries"); },{"core-js-pure/stable/instance/entries":486}],70:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/every"); },{"core-js-pure/stable/instance/every":487}],71:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/filter"); },{"core-js-pure/stable/instance/filter":488}],72:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/find"); },{"core-js-pure/stable/instance/find":489}],73:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/for-each"); },{"core-js-pure/stable/instance/for-each":490}],74:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/includes"); },{"core-js-pure/stable/instance/includes":491}],75:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/index-of"); },{"core-js-pure/stable/instance/index-of":492}],76:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/keys"); },{"core-js-pure/stable/instance/keys":493}],77:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/map"); },{"core-js-pure/stable/instance/map":494}],78:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/reduce"); },{"core-js-pure/stable/instance/reduce":495}],79:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/slice"); },{"core-js-pure/stable/instance/slice":496}],80:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/sort"); },{"core-js-pure/stable/instance/sort":497}],81:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/splice"); },{"core-js-pure/stable/instance/splice":498}],82:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/starts-with"); },{"core-js-pure/stable/instance/starts-with":499}],83:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/instance/values"); },{"core-js-pure/stable/instance/values":500}],84:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/json/stringify"); },{"core-js-pure/stable/json/stringify":501}],85:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/map"); },{"core-js-pure/stable/map":502}],86:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/number/is-integer"); },{"core-js-pure/stable/number/is-integer":503}],87:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/create"); },{"core-js-pure/stable/object/create":504}],88:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/define-properties"); },{"core-js-pure/stable/object/define-properties":505}],89:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/define-property"); },{"core-js-pure/stable/object/define-property":506}],90:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/entries"); },{"core-js-pure/stable/object/entries":507}],91:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/freeze"); },{"core-js-pure/stable/object/freeze":508}],92:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/get-own-property-descriptor"); },{"core-js-pure/stable/object/get-own-property-descriptor":509}],93:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/get-own-property-descriptors"); },{"core-js-pure/stable/object/get-own-property-descriptors":510}],94:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/get-own-property-symbols"); },{"core-js-pure/stable/object/get-own-property-symbols":511}],95:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/get-prototype-of"); },{"core-js-pure/stable/object/get-prototype-of":512}],96:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/keys"); },{"core-js-pure/stable/object/keys":513}],97:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/object/values"); },{"core-js-pure/stable/object/values":514}],98:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/parse-int"); },{"core-js-pure/stable/parse-int":515}],99:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/promise"); },{"core-js-pure/stable/promise":516}],100:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/reflect/construct"); },{"core-js-pure/stable/reflect/construct":517}],101:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/set-timeout"); },{"core-js-pure/stable/set-timeout":518}],102:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/set"); },{"core-js-pure/stable/set":519}],103:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/symbol"); },{"core-js-pure/stable/symbol":520}],104:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/stable/weak-map"); },{"core-js-pure/stable/weak-map":521}],105:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/array/from"); },{"core-js-pure/features/array/from":240}],106:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/array/is-array"); },{"core-js-pure/features/array/is-array":241}],107:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/get-iterator-method"); },{"core-js-pure/features/get-iterator-method":242}],108:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/get-iterator"); },{"core-js-pure/features/get-iterator":243}],109:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/instance/bind"); },{"core-js-pure/features/instance/bind":244}],110:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/instance/index-of"); },{"core-js-pure/features/instance/index-of":245}],111:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/instance/slice"); },{"core-js-pure/features/instance/slice":246}],112:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/is-iterable"); },{"core-js-pure/features/is-iterable":247}],113:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/map"); },{"core-js-pure/features/map":248}],114:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/object/create"); },{"core-js-pure/features/object/create":249}],115:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/object/define-property"); },{"core-js-pure/features/object/define-property":250}],116:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/object/get-own-property-descriptor"); },{"core-js-pure/features/object/get-own-property-descriptor":251}],117:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/object/get-prototype-of"); },{"core-js-pure/features/object/get-prototype-of":252}],118:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/object/set-prototype-of"); },{"core-js-pure/features/object/set-prototype-of":253}],119:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/promise"); },{"core-js-pure/features/promise":254}],120:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/reflect/construct"); },{"core-js-pure/features/reflect/construct":255}],121:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/reflect/get"); },{"core-js-pure/features/reflect/get":256}],122:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/symbol"); },{"core-js-pure/features/symbol":257}],123:[function(_dereq_,module,exports){ module.exports = _dereq_("core-js-pure/features/symbol/iterator"); },{"core-js-pure/features/symbol/iterator":258}],124:[function(_dereq_,module,exports){ function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; } module.exports = _arrayLikeToArray; },{}],125:[function(_dereq_,module,exports){ var _Array$isArray = _dereq_("@babel/runtime-corejs3/core-js/array/is-array"); function _arrayWithHoles(arr) { if (_Array$isArray(arr)) return arr; } module.exports = _arrayWithHoles; },{"@babel/runtime-corejs3/core-js/array/is-array":106}],126:[function(_dereq_,module,exports){ var _Array$isArray = _dereq_("@babel/runtime-corejs3/core-js/array/is-array"); var arrayLikeToArray = _dereq_("./arrayLikeToArray"); function _arrayWithoutHoles(arr) { if (_Array$isArray(arr)) return arrayLikeToArray(arr); } module.exports = _arrayWithoutHoles; },{"./arrayLikeToArray":124,"@babel/runtime-corejs3/core-js/array/is-array":106}],127:[function(_dereq_,module,exports){ function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; } module.exports = _assertThisInitialized; },{}],128:[function(_dereq_,module,exports){ var _Promise = _dereq_("@babel/runtime-corejs3/core-js/promise"); function asyncGeneratorStep(gen, resolve, reject, _next, _throw, key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { _Promise.resolve(value).then(_next, _throw); } } function _asyncToGenerator(fn) { return function () { var self = this, args = arguments; return new _Promise(function (resolve, reject) { var gen = fn.apply(self, args); function _next(value) { asyncGeneratorStep(gen, resolve, reject, _next, _throw, "next", value); } function _throw(err) { asyncGeneratorStep(gen, resolve, reject, _next, _throw, "throw", err); } _next(undefined); }); }; } module.exports = _asyncToGenerator; },{"@babel/runtime-corejs3/core-js/promise":119}],129:[function(_dereq_,module,exports){ function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } module.exports = _classCallCheck; },{}],130:[function(_dereq_,module,exports){ var _bindInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js/instance/bind"); var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js/reflect/construct"); var setPrototypeOf = _dereq_("./setPrototypeOf"); var isNativeReflectConstruct = _dereq_("./isNativeReflectConstruct"); function _construct(Parent, args, Class) { if (isNativeReflectConstruct()) { module.exports = _construct = _Reflect$construct; } else { module.exports = _construct = function _construct(Parent, args, Class) { var a = [null]; a.push.apply(a, args); var Constructor = _bindInstanceProperty(Function).apply(Parent, a); var instance = new Constructor(); if (Class) setPrototypeOf(instance, Class.prototype); return instance; }; } return _construct.apply(null, arguments); } module.exports = _construct; },{"./isNativeReflectConstruct":138,"./setPrototypeOf":144,"@babel/runtime-corejs3/core-js/instance/bind":109,"@babel/runtime-corejs3/core-js/reflect/construct":120}],131:[function(_dereq_,module,exports){ var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js/object/define-property"); function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; _Object$defineProperty(target, descriptor.key, descriptor); } } function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; } module.exports = _createClass; },{"@babel/runtime-corejs3/core-js/object/define-property":115}],132:[function(_dereq_,module,exports){ var _Object$defineProperty = _dereq_("@babel/runtime-corejs3/core-js/object/define-property"); function _defineProperty(obj, key, value) { if (key in obj) { _Object$defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; } module.exports = _defineProperty; },{"@babel/runtime-corejs3/core-js/object/define-property":115}],133:[function(_dereq_,module,exports){ var _Object$getOwnPropertyDescriptor = _dereq_("@babel/runtime-corejs3/core-js/object/get-own-property-descriptor"); var _Reflect$get = _dereq_("@babel/runtime-corejs3/core-js/reflect/get"); var superPropBase = _dereq_("./superPropBase"); function _get(target, property, receiver) { if (typeof Reflect !== "undefined" && _Reflect$get) { module.exports = _get = _Reflect$get; } else { module.exports = _get = function _get(target, property, receiver) { var base = superPropBase(target, property); if (!base) return; var desc = _Object$getOwnPropertyDescriptor(base, property); if (desc.get) { return desc.get.call(receiver); } return desc.value; }; } return _get(target, property, receiver || target); } module.exports = _get; },{"./superPropBase":146,"@babel/runtime-corejs3/core-js/object/get-own-property-descriptor":116,"@babel/runtime-corejs3/core-js/reflect/get":121}],134:[function(_dereq_,module,exports){ var _Object$getPrototypeOf = _dereq_("@babel/runtime-corejs3/core-js/object/get-prototype-of"); var _Object$setPrototypeOf = _dereq_("@babel/runtime-corejs3/core-js/object/set-prototype-of"); function _getPrototypeOf(o) { module.exports = _getPrototypeOf = _Object$setPrototypeOf ? _Object$getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || _Object$getPrototypeOf(o); }; return _getPrototypeOf(o); } module.exports = _getPrototypeOf; },{"@babel/runtime-corejs3/core-js/object/get-prototype-of":117,"@babel/runtime-corejs3/core-js/object/set-prototype-of":118}],135:[function(_dereq_,module,exports){ var _Object$create = _dereq_("@babel/runtime-corejs3/core-js/object/create"); var setPrototypeOf = _dereq_("./setPrototypeOf"); function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } subClass.prototype = _Object$create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) setPrototypeOf(subClass, superClass); } module.exports = _inherits; },{"./setPrototypeOf":144,"@babel/runtime-corejs3/core-js/object/create":114}],136:[function(_dereq_,module,exports){ function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { "default": obj }; } module.exports = _interopRequireDefault; },{}],137:[function(_dereq_,module,exports){ var _indexOfInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js/instance/index-of"); function _isNativeFunction(fn) { var _context; return _indexOfInstanceProperty(_context = Function.toString.call(fn)).call(_context, "[native code]") !== -1; } module.exports = _isNativeFunction; },{"@babel/runtime-corejs3/core-js/instance/index-of":110}],138:[function(_dereq_,module,exports){ var _Reflect$construct = _dereq_("@babel/runtime-corejs3/core-js/reflect/construct"); function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !_Reflect$construct) return false; if (_Reflect$construct.sham) return false; if (typeof Proxy === "function") return true; try { Date.prototype.toString.call(_Reflect$construct(Date, [], function () {})); return true; } catch (e) { return false; } } module.exports = _isNativeReflectConstruct; },{"@babel/runtime-corejs3/core-js/reflect/construct":120}],139:[function(_dereq_,module,exports){ var _Array$from = _dereq_("@babel/runtime-corejs3/core-js/array/from"); var _isIterable = _dereq_("@babel/runtime-corejs3/core-js/is-iterable"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js/symbol"); function _iterableToArray(iter) { if (typeof _Symbol !== "undefined" && _isIterable(Object(iter))) return _Array$from(iter); } module.exports = _iterableToArray; },{"@babel/runtime-corejs3/core-js/array/from":105,"@babel/runtime-corejs3/core-js/is-iterable":112,"@babel/runtime-corejs3/core-js/symbol":122}],140:[function(_dereq_,module,exports){ var _getIterator = _dereq_("@babel/runtime-corejs3/core-js/get-iterator"); var _isIterable = _dereq_("@babel/runtime-corejs3/core-js/is-iterable"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js/symbol"); function _iterableToArrayLimit(arr, i) { if (typeof _Symbol === "undefined" || !_isIterable(Object(arr))) return; var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = _getIterator(arr), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"] != null) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } module.exports = _iterableToArrayLimit; },{"@babel/runtime-corejs3/core-js/get-iterator":108,"@babel/runtime-corejs3/core-js/is-iterable":112,"@babel/runtime-corejs3/core-js/symbol":122}],141:[function(_dereq_,module,exports){ function _nonIterableRest() { throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } module.exports = _nonIterableRest; },{}],142:[function(_dereq_,module,exports){ function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); } module.exports = _nonIterableSpread; },{}],143:[function(_dereq_,module,exports){ var _typeof = _dereq_("@babel/runtime-corejs3/helpers/typeof"); var assertThisInitialized = _dereq_("./assertThisInitialized"); function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === "object" || typeof call === "function")) { return call; } return assertThisInitialized(self); } module.exports = _possibleConstructorReturn; },{"./assertThisInitialized":127,"@babel/runtime-corejs3/helpers/typeof":148}],144:[function(_dereq_,module,exports){ var _Object$setPrototypeOf = _dereq_("@babel/runtime-corejs3/core-js/object/set-prototype-of"); function _setPrototypeOf(o, p) { module.exports = _setPrototypeOf = _Object$setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); } module.exports = _setPrototypeOf; },{"@babel/runtime-corejs3/core-js/object/set-prototype-of":118}],145:[function(_dereq_,module,exports){ var arrayWithHoles = _dereq_("./arrayWithHoles"); var iterableToArrayLimit = _dereq_("./iterableToArrayLimit"); var unsupportedIterableToArray = _dereq_("./unsupportedIterableToArray"); var nonIterableRest = _dereq_("./nonIterableRest"); function _slicedToArray(arr, i) { return arrayWithHoles(arr) || iterableToArrayLimit(arr, i) || unsupportedIterableToArray(arr, i) || nonIterableRest(); } module.exports = _slicedToArray; },{"./arrayWithHoles":125,"./iterableToArrayLimit":140,"./nonIterableRest":141,"./unsupportedIterableToArray":149}],146:[function(_dereq_,module,exports){ var getPrototypeOf = _dereq_("./getPrototypeOf"); function _superPropBase(object, property) { while (!Object.prototype.hasOwnProperty.call(object, property)) { object = getPrototypeOf(object); if (object === null) break; } return object; } module.exports = _superPropBase; },{"./getPrototypeOf":134}],147:[function(_dereq_,module,exports){ var arrayWithoutHoles = _dereq_("./arrayWithoutHoles"); var iterableToArray = _dereq_("./iterableToArray"); var unsupportedIterableToArray = _dereq_("./unsupportedIterableToArray"); var nonIterableSpread = _dereq_("./nonIterableSpread"); function _toConsumableArray(arr) { return arrayWithoutHoles(arr) || iterableToArray(arr) || unsupportedIterableToArray(arr) || nonIterableSpread(); } module.exports = _toConsumableArray; },{"./arrayWithoutHoles":126,"./iterableToArray":139,"./nonIterableSpread":142,"./unsupportedIterableToArray":149}],148:[function(_dereq_,module,exports){ var _Symbol$iterator = _dereq_("@babel/runtime-corejs3/core-js/symbol/iterator"); var _Symbol = _dereq_("@babel/runtime-corejs3/core-js/symbol"); function _typeof(obj) { "@babel/helpers - typeof"; if (typeof _Symbol === "function" && typeof _Symbol$iterator === "symbol") { module.exports = _typeof = function _typeof(obj) { return typeof obj; }; } else { module.exports = _typeof = function _typeof(obj) { return obj && typeof _Symbol === "function" && obj.constructor === _Symbol && obj !== _Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } module.exports = _typeof; },{"@babel/runtime-corejs3/core-js/symbol":122,"@babel/runtime-corejs3/core-js/symbol/iterator":123}],149:[function(_dereq_,module,exports){ var _Array$from = _dereq_("@babel/runtime-corejs3/core-js/array/from"); var _sliceInstanceProperty = _dereq_("@babel/runtime-corejs3/core-js/instance/slice"); var arrayLikeToArray = _dereq_("./arrayLikeToArray"); function _unsupportedIterableToArray(o, minLen) { var _context; if (!o) return; if (typeof o === "string") return arrayLikeToArray(o, minLen); var n = _sliceInstanceProperty(_context = Object.prototype.toString.call(o)).call(_context, 8, -1); if (n === "Object" && o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return _Array$from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return arrayLikeToArray(o, minLen); } module.exports = _unsupportedIterableToArray; },{"./arrayLikeToArray":124,"@babel/runtime-corejs3/core-js/array/from":105,"@babel/runtime-corejs3/core-js/instance/slice":111}],150:[function(_dereq_,module,exports){ var _Object$create = _dereq_("@babel/runtime-corejs3/core-js/object/create"); var _Map = _dereq_("@babel/runtime-corejs3/core-js/map"); var getPrototypeOf = _dereq_("./getPrototypeOf"); var setPrototypeOf = _dereq_("./setPrototypeOf"); var isNativeFunction = _dereq_("./isNativeFunction"); var construct = _dereq_("./construct"); function _wrapNativeSuper(Class) { var _cache = typeof _Map === "function" ? new _Map() : undefined; module.exports = _wrapNativeSuper = function _wrapNativeSuper(Class) { if (Class === null || !isNativeFunction(Class)) return Class; if (typeof Class !== "function") { throw new TypeError("Super expression must either be null or a function"); } if (typeof _cache !== "undefined") { if (_cache.has(Class)) return _cache.get(Class); _cache.set(Class, Wrapper); } function Wrapper() { return construct(Class, arguments, getPrototypeOf(this).constructor); } Wrapper.prototype = _Object$create(Class.prototype, { constructor: { value: Wrapper, enumerable: false, writable: true, configurable: true } }); return setPrototypeOf(Wrapper, Class); }; return _wrapNativeSuper(Class); } module.exports = _wrapNativeSuper; },{"./construct":130,"./getPrototypeOf":134,"./isNativeFunction":137,"./setPrototypeOf":144,"@babel/runtime-corejs3/core-js/map":113,"@babel/runtime-corejs3/core-js/object/create":114}],151:[function(_dereq_,module,exports){ /** * Copyright (c) 2014-present, Facebook, Inc. * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ var runtime = (function (exports) { "use strict"; var Op = Object.prototype; var hasOwn = Op.hasOwnProperty; var undefined; // More compressible than void 0. var $Symbol = typeof Symbol === "function" ? Symbol : {}; var iteratorSymbol = $Symbol.iterator || "@@iterator"; var asyncIteratorSymbol = $Symbol.asyncIterator || "@@asyncIterator"; var toStringTagSymbol = $Symbol.toStringTag || "@@toStringTag"; function define(obj, key, value) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); return obj[key]; } try { // IE 8 has a broken Object.defineProperty that only works on DOM objects. define({}, ""); } catch (err) { define = function(obj, key, value) { return obj[key] = value; }; } function wrap(innerFn, outerFn, self, tryLocsList) { // If outerFn provided and outerFn.prototype is a Generator, then outerFn.prototype instanceof Generator. var protoGenerator = outerFn && outerFn.prototype instanceof Generator ? outerFn : Generator; var generator = Object.create(protoGenerator.prototype); var context = new Context(tryLocsList || []); // The ._invoke method unifies the implementations of the .next, // .throw, and .return methods. generator._invoke = makeInvokeMethod(innerFn, self, context); return generator; } exports.wrap = wrap; // Try/catch helper to minimize deoptimizations. Returns a completion // record like context.tryEntries[i].completion. This interface could // have been (and was previously) designed to take a closure to be // invoked without arguments, but in all the cases we care about we // already have an existing method we want to call, so there's no need // to create a new function object. We can even get away with assuming // the method takes exactly one argument, since that happens to be true // in every case, so we don't have to touch the arguments object. The // only additional allocation required is the completion record, which // has a stable shape and so hopefully should be cheap to allocate. function tryCatch(fn, obj, arg) { try { return { type: "normal", arg: fn.call(obj, arg) }; } catch (err) { return { type: "throw", arg: err }; } } var GenStateSuspendedStart = "suspendedStart"; var GenStateSuspendedYield = "suspendedYield"; var GenStateExecuting = "executing"; var GenStateCompleted = "completed"; // Returning this object from the innerFn has the same effect as // breaking out of the dispatch switch statement. var ContinueSentinel = {}; // Dummy constructor functions that we use as the .constructor and // .constructor.prototype properties for functions that return Generator // objects. For full spec compliance, you may wish to configure your // minifier not to mangle the names of these two functions. function Generator() {} function GeneratorFunction() {} function GeneratorFunctionPrototype() {} // This is a polyfill for %IteratorPrototype% for environments that // don't natively support it. var IteratorPrototype = {}; IteratorPrototype[iteratorSymbol] = function () { return this; }; var getProto = Object.getPrototypeOf; var NativeIteratorPrototype = getProto && getProto(getProto(values([]))); if (NativeIteratorPrototype && NativeIteratorPrototype !== Op && hasOwn.call(NativeIteratorPrototype, iteratorSymbol)) { // This environment has a native %IteratorPrototype%; use it instead // of the polyfill. IteratorPrototype = NativeIteratorPrototype; } var Gp = GeneratorFunctionPrototype.prototype = Generator.prototype = Object.create(IteratorPrototype); GeneratorFunction.prototype = Gp.constructor = GeneratorFunctionPrototype; GeneratorFunctionPrototype.constructor = GeneratorFunction; GeneratorFunction.displayName = define( GeneratorFunctionPrototype, toStringTagSymbol, "GeneratorFunction" ); // Helper for defining the .next, .throw, and .return methods of the // Iterator interface in terms of a single ._invoke method. function defineIteratorMethods(prototype) { ["next", "throw", "return"].forEach(function(method) { define(prototype, method, function(arg) { return this._invoke(method, arg); }); }); } exports.isGeneratorFunction = function(genFun) { var ctor = typeof genFun === "function" && genFun.constructor; return ctor ? ctor === GeneratorFunction || // For the native GeneratorFunction constructor, the best we can // do is to check its .name property. (ctor.displayName || ctor.name) === "GeneratorFunction" : false; }; exports.mark = function(genFun) { if (Object.setPrototypeOf) { Object.setPrototypeOf(genFun, GeneratorFunctionPrototype); } else { genFun.__proto__ = GeneratorFunctionPrototype; define(genFun, toStringTagSymbol, "GeneratorFunction"); } genFun.prototype = Object.create(Gp); return genFun; }; // Within the body of any async function, `await x` is transformed to // `yield regeneratorRuntime.awrap(x)`, so that the runtime can test // `hasOwn.call(value, "__await")` to determine if the yielded value is // meant to be awaited. exports.awrap = function(arg) { return { __await: arg }; }; function AsyncIterator(generator, PromiseImpl) { function invoke(method, arg, resolve, reject) { var record = tryCatch(generator[method], generator, arg); if (record.type === "throw") { reject(record.arg); } else { var result = record.arg; var value = result.value; if (value && typeof value === "object" && hasOwn.call(value, "__await")) { return PromiseImpl.resolve(value.__await).then(function(value) { invoke("next", value, resolve, reject); }, function(err) { invoke("throw", err, resolve, reject); }); } return PromiseImpl.resolve(value).then(function(unwrapped) { // When a yielded Promise is resolved, its final value becomes // the .value of the Promise<{value,done}> result for the // current iteration. result.value = unwrapped; resolve(result); }, function(error) { // If a rejected Promise was yielded, throw the rejection back // into the async generator function so it can be handled there. return invoke("throw", error, resolve, reject); }); } } var previousPromise; function enqueue(method, arg) { function callInvokeWithMethodAndArg() { return new PromiseImpl(function(resolve, reject) { invoke(method, arg, resolve, reject); }); } return previousPromise = // If enqueue has been called before, then we want to wait until // all previous Promises have been resolved before calling invoke, // so that results are always delivered in the correct order. If // enqueue has not been called before, then it is important to // call invoke immediately, without waiting on a callback to fire, // so that the async generator function has the opportunity to do // any necessary setup in a predictable way. This predictability // is why the Promise constructor synchronously invokes its // executor callback, and why async functions synchronously // execute code before the first await. Since we implement simple // async functions in terms of async generators, it is especially // important to get this right, even though it requires care. previousPromise ? previousPromise.then( callInvokeWithMethodAndArg, // Avoid propagating failures to Promises returned by later // invocations of the iterator. callInvokeWithMethodAndArg ) : callInvokeWithMethodAndArg(); } // Define the unified helper method that is used to implement .next, // .throw, and .return (see defineIteratorMethods). this._invoke = enqueue; } defineIteratorMethods(AsyncIterator.prototype); AsyncIterator.prototype[asyncIteratorSymbol] = function () { return this; }; exports.AsyncIterator = AsyncIterator; // Note that simple async functions are implemented on top of // AsyncIterator objects; they just return a Promise for the value of // the final result produced by the iterator. exports.async = function(innerFn, outerFn, self, tryLocsList, PromiseImpl) { if (PromiseImpl === void 0) PromiseImpl = Promise; var iter = new AsyncIterator( wrap(innerFn, outerFn, self, tryLocsList), PromiseImpl ); return exports.isGeneratorFunction(outerFn) ? iter // If outerFn is a generator, return the full iterator. : iter.next().then(function(result) { return result.done ? result.value : iter.next(); }); }; function makeInvokeMethod(innerFn, self, context) { var state = GenStateSuspendedStart; return function invoke(method, arg) { if (state === GenStateExecuting) { throw new Error("Generator is already running"); } if (state === GenStateCompleted) { if (method === "throw") { throw arg; } // Be forgiving, per 25.3.3.3.3 of the spec: // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-generatorresume return doneResult(); } context.method = method; context.arg = arg; while (true) { var delegate = context.delegate; if (delegate) { var delegateResult = maybeInvokeDelegate(delegate, context); if (delegateResult) { if (delegateResult === ContinueSentinel) continue; return delegateResult; } } if (context.method === "next") { // Setting context._sent for legacy support of Babel's // function.sent implementation. context.sent = context._sent = context.arg; } else if (context.method === "throw") { if (state === GenStateSuspendedStart) { state = GenStateCompleted; throw context.arg; } context.dispatchException(context.arg); } else if (context.method === "return") { context.abrupt("return", context.arg); } state = GenStateExecuting; var record = tryCatch(innerFn, self, context); if (record.type === "normal") { // If an exception is thrown from innerFn, we leave state === // GenStateExecuting and loop back for another invocation. state = context.done ? GenStateCompleted : GenStateSuspendedYield; if (record.arg === ContinueSentinel) { continue; } return { value: record.arg, done: context.done }; } else if (record.type === "throw") { state = GenStateCompleted; // Dispatch the exception by looping back around to the // context.dispatchException(context.arg) call above. context.method = "throw"; context.arg = record.arg; } } }; } // Call delegate.iterator[context.method](context.arg) and handle the // result, either by returning a { value, done } result from the // delegate iterator, or by modifying context.method and context.arg, // setting context.delegate to null, and returning the ContinueSentinel. function maybeInvokeDelegate(delegate, context) { var method = delegate.iterator[context.method]; if (method === undefined) { // A .throw or .return when the delegate iterator has no .throw // method always terminates the yield* loop. context.delegate = null; if (context.method === "throw") { // Note: ["return"] must be used for ES3 parsing compatibility. if (delegate.iterator["return"]) { // If the delegate iterator has a return method, give it a // chance to clean up. context.method = "return"; context.arg = undefined; maybeInvokeDelegate(delegate, context); if (context.method === "throw") { // If maybeInvokeDelegate(context) changed context.method from // "return" to "throw", let that override the TypeError below. return ContinueSentinel; } } context.method = "throw"; context.arg = new TypeError( "The iterator does not provide a 'throw' method"); } return ContinueSentinel; } var record = tryCatch(method, delegate.iterator, context.arg); if (record.type === "throw") { context.method = "throw"; context.arg = record.arg; context.delegate = null; return ContinueSentinel; } var info = record.arg; if (! info) { context.method = "throw"; context.arg = new TypeError("iterator result is not an object"); context.delegate = null; return ContinueSentinel; } if (info.done) { // Assign the result of the finished delegate to the temporary // variable specified by delegate.resultName (see delegateYield). context[delegate.resultName] = info.value; // Resume execution at the desired location (see delegateYield). context.next = delegate.nextLoc; // If context.method was "throw" but the delegate handled the // exception, let the outer generator proceed normally. If // context.method was "next", forget context.arg since it has been // "consumed" by the delegate iterator. If context.method was // "return", allow the original .return call to continue in the // outer generator. if (context.method !== "return") { context.method = "next"; context.arg = undefined; } } else { // Re-yield the result returned by the delegate method. return info; } // The delegate iterator is finished, so forget it and continue with // the outer generator. context.delegate = null; return ContinueSentinel; } // Define Generator.prototype.{next,throw,return} in terms of the // unified ._invoke helper method. defineIteratorMethods(Gp); define(Gp, toStringTagSymbol, "Generator"); // A Generator should always return itself as the iterator object when the // @@iterator function is called on it. Some browsers' implementations of the // iterator prototype chain incorrectly implement this, causing the Generator // object to not be returned from this call. This ensures that doesn't happen. // See https://github.com/facebook/regenerator/issues/274 for more details. Gp[iteratorSymbol] = function() { return this; }; Gp.toString = function() { return "[object Generator]"; }; function pushTryEntry(locs) { var entry = { tryLoc: locs[0] }; if (1 in locs) { entry.catchLoc = locs[1]; } if (2 in locs) { entry.finallyLoc = locs[2]; entry.afterLoc = locs[3]; } this.tryEntries.push(entry); } function resetTryEntry(entry) { var record = entry.completion || {}; record.type = "normal"; delete record.arg; entry.completion = record; } function Context(tryLocsList) { // The root entry object (effectively a try statement without a catch // or a finally block) gives us a place to store values thrown from // locations where there is no enclosing try statement. this.tryEntries = [{ tryLoc: "root" }]; tryLocsList.forEach(pushTryEntry, this); this.reset(true); } exports.keys = function(object) { var keys = []; for (var key in object) { keys.push(key); } keys.reverse(); // Rather than returning an object with a next method, we keep // things simple and return the next function itself. return function next() { while (keys.length) { var key = keys.pop(); if (key in object) { next.value = key; next.done = false; return next; } } // To avoid creating an additional object, we just hang the .value // and .done properties off the next function object itself. This // also ensures that the minifier will not anonymize the function. next.done = true; return next; }; }; function values(iterable) { if (iterable) { var iteratorMethod = iterable[iteratorSymbol]; if (iteratorMethod) { return iteratorMethod.call(iterable); } if (typeof iterable.next === "function") { return iterable; } if (!isNaN(iterable.length)) { var i = -1, next = function next() { while (++i < iterable.length) { if (hasOwn.call(iterable, i)) { next.value = iterable[i]; next.done = false; return next; } } next.value = undefined; next.done = true; return next; }; return next.next = next; } } // Return an iterator with no values. return { next: doneResult }; } exports.values = values; function doneResult() { return { value: undefined, done: true }; } Context.prototype = { constructor: Context, reset: function(skipTempReset) { this.prev = 0; this.next = 0; // Resetting context._sent for legacy support of Babel's // function.sent implementation. this.sent = this._sent = undefined; this.done = false; this.delegate = null; this.method = "next"; this.arg = undefined; this.tryEntries.forEach(resetTryEntry); if (!skipTempReset) { for (var name in this) { // Not sure about the optimal order of these conditions: if (name.charAt(0) === "t" && hasOwn.call(this, name) && !isNaN(+name.slice(1))) { this[name] = undefined; } } } }, stop: function() { this.done = true; var rootEntry = this.tryEntries[0]; var rootRecord = rootEntry.completion; if (rootRecord.type === "throw") { throw rootRecord.arg; } return this.rval; }, dispatchException: function(exception) { if (this.done) { throw exception; } var context = this; function handle(loc, caught) { record.type = "throw"; record.arg = exception; context.next = loc; if (caught) { // If the dispatched exception was caught by a catch block, // then let that catch block handle the exception normally. context.method = "next"; context.arg = undefined; } return !! caught; } for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; var record = entry.completion; if (entry.tryLoc === "root") { // Exception thrown outside of any try block that could handle // it, so set the completion value of the entire function to // throw the exception. return handle("end"); } if (entry.tryLoc <= this.prev) { var hasCatch = hasOwn.call(entry, "catchLoc"); var hasFinally = hasOwn.call(entry, "finallyLoc"); if (hasCatch && hasFinally) { if (this.prev < entry.catchLoc) { return handle(entry.catchLoc, true); } else if (this.prev < entry.finallyLoc) { return handle(entry.finallyLoc); } } else if (hasCatch) { if (this.prev < entry.catchLoc) { return handle(entry.catchLoc, true); } } else if (hasFinally) { if (this.prev < entry.finallyLoc) { return handle(entry.finallyLoc); } } else { throw new Error("try statement without catch or finally"); } } } }, abrupt: function(type, arg) { for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; if (entry.tryLoc <= this.prev && hasOwn.call(entry, "finallyLoc") && this.prev < entry.finallyLoc) { var finallyEntry = entry; break; } } if (finallyEntry && (type === "break" || type === "continue") && finallyEntry.tryLoc <= arg && arg <= finallyEntry.finallyLoc) { // Ignore the finally entry if control is not jumping to a // location outside the try/catch block. finallyEntry = null; } var record = finallyEntry ? finallyEntry.completion : {}; record.type = type; record.arg = arg; if (finallyEntry) { this.method = "next"; this.next = finallyEntry.finallyLoc; return ContinueSentinel; } return this.complete(record); }, complete: function(record, afterLoc) { if (record.type === "throw") { throw record.arg; } if (record.type === "break" || record.type === "continue") { this.next = record.arg; } else if (record.type === "return") { this.rval = this.arg = record.arg; this.method = "return"; this.next = "end"; } else if (record.type === "normal" && afterLoc) { this.next = afterLoc; } return ContinueSentinel; }, finish: function(finallyLoc) { for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; if (entry.finallyLoc === finallyLoc) { this.complete(entry.completion, entry.afterLoc); resetTryEntry(entry); return ContinueSentinel; } } }, "catch": function(tryLoc) { for (var i = this.tryEntries.length - 1; i >= 0; --i) { var entry = this.tryEntries[i]; if (entry.tryLoc === tryLoc) { var record = entry.completion; if (record.type === "throw") { var thrown = record.arg; resetTryEntry(entry); } return thrown; } } // The context.catch method must only be called with a location // argument that corresponds to a known catch block. throw new Error("illegal catch attempt"); }, delegateYield: function(iterable, resultName, nextLoc) { this.delegate = { iterator: values(iterable), resultName: resultName, nextLoc: nextLoc }; if (this.method === "next") { // Deliberately forget the last sent value so that we don't // accidentally pass it on to the delegate. this.arg = undefined; } return ContinueSentinel; } }; // Regardless of whether this script is executing as a CommonJS module // or not, return the runtime object so that we can declare the variable // regeneratorRuntime in the outer scope, which allows this module to be // injected easily by `bin/regenerator --include-runtime script.js`. return exports; }( // If this script is executing as a CommonJS module, use module.exports // as the regeneratorRuntime namespace. Otherwise create a new empty // object. Either way, the resulting object will be used to initialize // the regeneratorRuntime variable at the top of this file. typeof module === "object" ? module.exports : {} )); try { regeneratorRuntime = runtime; } catch (accidentalStrictMode) { // This module should not be running in strict mode, so the above // assignment should always work unless something is misconfigured. Just // in case runtime.js accidentally runs in strict mode, we can escape // strict mode using a global Function call. This could conceivably fail // if a Content Security Policy forbids using Function, but in that case // the proper solution is to fix the accidental strict mode problem. If // you've misconfigured your bundler to force strict mode and applied a // CSP to forbid Function, and you're not willing to fix either of those // problems, please detail your unique predicament in a GitHub issue. Function("r", "regeneratorRuntime = r")(runtime); } },{}],152:[function(_dereq_,module,exports){ module.exports = _dereq_("regenerator-runtime"); },{"regenerator-runtime":151}],153:[function(_dereq_,module,exports){ "use strict"; /** * Returns a Promise that resolves to the value of window.ethereum if it is * set within the given timeout, or null. * The Promise will not reject, but an error will be thrown if invalid options * are provided. * * @param options - Options bag. * @param options.mustBeMetaMask - Whether to only look for MetaMask providers. * Default: false * @param options.silent - Whether to silence console errors. Does not affect * thrown errors. Default: false * @param options.timeout - Milliseconds to wait for 'ethereum#initialized' to * be dispatched. Default: 3000 * @returns A Promise that resolves with the Provider if it is detected within * given timeout, otherwise null. */ function detectEthereumProvider({ mustBeMetaMask = false, silent = false, timeout = 3000, } = {}) { _validateInputs(); let handled = false; return new Promise((resolve) => { if (window.ethereum) { handleEthereum(); } else { window.addEventListener('ethereum#initialized', handleEthereum, { once: true }); setTimeout(() => { handleEthereum(); }, timeout); } function handleEthereum() { if (handled) { return; } handled = true; window.removeEventListener('ethereum#initialized', handleEthereum); const { ethereum } = window; if (ethereum && (!mustBeMetaMask || ethereum.isMetaMask)) { resolve(ethereum); } else { const message = mustBeMetaMask && ethereum ? 'Non-MetaMask window.ethereum detected.' : 'Unable to detect window.ethereum.'; !silent && console.error('@metamask/detect-provider:', message); resolve(null); } } }); function _validateInputs() { if (typeof mustBeMetaMask !== 'boolean') { throw new Error(`@metamask/detect-provider: Expected option 'mustBeMetaMask' to be a boolean.`); } if (typeof silent !== 'boolean') { throw new Error(`@metamask/detect-provider: Expected option 'silent' to be a boolean.`); } if (typeof timeout !== 'number') { throw new Error(`@metamask/detect-provider: Expected option 'timeout' to be a number.`); } } } module.exports = detectEthereumProvider; },{}],154:[function(_dereq_,module,exports){ module.exports = _dereq_('./lib/axios'); },{"./lib/axios":156}],155:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); var settle = _dereq_('./../core/settle'); var cookies = _dereq_('./../helpers/cookies'); var buildURL = _dereq_('./../helpers/buildURL'); var buildFullPath = _dereq_('../core/buildFullPath'); var parseHeaders = _dereq_('./../helpers/parseHeaders'); var isURLSameOrigin = _dereq_('./../helpers/isURLSameOrigin'); var createError = _dereq_('../core/createError'); var defaults = _dereq_('../defaults'); var Cancel = _dereq_('../cancel/Cancel'); module.exports = function xhrAdapter(config) { return new Promise(function dispatchXhrRequest(resolve, reject) { var requestData = config.data; var requestHeaders = config.headers; var responseType = config.responseType; var onCanceled; function done() { if (config.cancelToken) { config.cancelToken.unsubscribe(onCanceled); } if (config.signal) { config.signal.removeEventListener('abort', onCanceled); } } if (utils.isFormData(requestData)) { delete requestHeaders['Content-Type']; // Let the browser set it } var request = new XMLHttpRequest(); // HTTP basic authentication if (config.auth) { var username = config.auth.username || ''; var password = config.auth.password ? unescape(encodeURIComponent(config.auth.password)) : ''; requestHeaders.Authorization = 'Basic ' + btoa(username + ':' + password); } var fullPath = buildFullPath(config.baseURL, config.url); request.open(config.method.toUpperCase(), buildURL(fullPath, config.params, config.paramsSerializer), true); // Set the request timeout in MS request.timeout = config.timeout; function onloadend() { if (!request) { return; } // Prepare the response var responseHeaders = 'getAllResponseHeaders' in request ? parseHeaders(request.getAllResponseHeaders()) : null; var responseData = !responseType || responseType === 'text' || responseType === 'json' ? request.responseText : request.response; var response = { data: responseData, status: request.status, statusText: request.statusText, headers: responseHeaders, config: config, request: request }; settle(function _resolve(value) { resolve(value); done(); }, function _reject(err) { reject(err); done(); }, response); // Clean up request request = null; } if ('onloadend' in request) { // Use onloadend if available request.onloadend = onloadend; } else { // Listen for ready state to emulate onloadend request.onreadystatechange = function handleLoad() { if (!request || request.readyState !== 4) { return; } // The request errored out and we didn't get a response, this will be // handled by onerror instead // With one exception: request that using file: protocol, most browsers // will return status as 0 even though it's a successful request if (request.status === 0 && !(request.responseURL && request.responseURL.indexOf('file:') === 0)) { return; } // readystate handler is calling before onerror or ontimeout handlers, // so we should call onloadend on the next 'tick' setTimeout(onloadend); }; } // Handle browser request cancellation (as opposed to a manual cancellation) request.onabort = function handleAbort() { if (!request) { return; } reject(createError('Request aborted', config, 'ECONNABORTED', request)); // Clean up request request = null; }; // Handle low level network errors request.onerror = function handleError() { // Real errors are hidden from us by the browser // onerror should only fire if it's a network error reject(createError('Network Error', config, null, request)); // Clean up request request = null; }; // Handle timeout request.ontimeout = function handleTimeout() { var timeoutErrorMessage = config.timeout ? 'timeout of ' + config.timeout + 'ms exceeded' : 'timeout exceeded'; var transitional = config.transitional || defaults.transitional; if (config.timeoutErrorMessage) { timeoutErrorMessage = config.timeoutErrorMessage; } reject(createError( timeoutErrorMessage, config, transitional.clarifyTimeoutError ? 'ETIMEDOUT' : 'ECONNABORTED', request)); // Clean up request request = null; }; // Add xsrf header // This is only done if running in a standard browser environment. // Specifically not if we're in a web worker, or react-native. if (utils.isStandardBrowserEnv()) { // Add xsrf header var xsrfValue = (config.withCredentials || isURLSameOrigin(fullPath)) && config.xsrfCookieName ? cookies.read(config.xsrfCookieName) : undefined; if (xsrfValue) { requestHeaders[config.xsrfHeaderName] = xsrfValue; } } // Add headers to the request if ('setRequestHeader' in request) { utils.forEach(requestHeaders, function setRequestHeader(val, key) { if (typeof requestData === 'undefined' && key.toLowerCase() === 'content-type') { // Remove Content-Type if data is undefined delete requestHeaders[key]; } else { // Otherwise add header to the request request.setRequestHeader(key, val); } }); } // Add withCredentials to request if needed if (!utils.isUndefined(config.withCredentials)) { request.withCredentials = !!config.withCredentials; } // Add responseType to request if needed if (responseType && responseType !== 'json') { request.responseType = config.responseType; } // Handle progress if needed if (typeof config.onDownloadProgress === 'function') { request.addEventListener('progress', config.onDownloadProgress); } // Not all browsers support upload events if (typeof config.onUploadProgress === 'function' && request.upload) { request.upload.addEventListener('progress', config.onUploadProgress); } if (config.cancelToken || config.signal) { // Handle cancellation // eslint-disable-next-line func-names onCanceled = function(cancel) { if (!request) { return; } reject(!cancel || (cancel && cancel.type) ? new Cancel('canceled') : cancel); request.abort(); request = null; }; config.cancelToken && config.cancelToken.subscribe(onCanceled); if (config.signal) { config.signal.aborted ? onCanceled() : config.signal.addEventListener('abort', onCanceled); } } if (!requestData) { requestData = null; } // Send the request request.send(requestData); }); }; },{"../cancel/Cancel":157,"../core/buildFullPath":162,"../core/createError":163,"../defaults":169,"./../core/settle":167,"./../helpers/buildURL":172,"./../helpers/cookies":174,"./../helpers/isURLSameOrigin":177,"./../helpers/parseHeaders":179,"./../utils":182}],156:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./utils'); var bind = _dereq_('./helpers/bind'); var Axios = _dereq_('./core/Axios'); var mergeConfig = _dereq_('./core/mergeConfig'); var defaults = _dereq_('./defaults'); /** * Create an instance of Axios * * @param {Object} defaultConfig The default config for the instance * @return {Axios} A new instance of Axios */ function createInstance(defaultConfig) { var context = new Axios(defaultConfig); var instance = bind(Axios.prototype.request, context); // Copy axios.prototype to instance utils.extend(instance, Axios.prototype, context); // Copy context to instance utils.extend(instance, context); // Factory for creating new instances instance.create = function create(instanceConfig) { return createInstance(mergeConfig(defaultConfig, instanceConfig)); }; return instance; } // Create the default instance to be exported var axios = createInstance(defaults); // Expose Axios class to allow class inheritance axios.Axios = Axios; // Expose Cancel & CancelToken axios.Cancel = _dereq_('./cancel/Cancel'); axios.CancelToken = _dereq_('./cancel/CancelToken'); axios.isCancel = _dereq_('./cancel/isCancel'); axios.VERSION = _dereq_('./env/data').version; // Expose all/spread axios.all = function all(promises) { return Promise.all(promises); }; axios.spread = _dereq_('./helpers/spread'); // Expose isAxiosError axios.isAxiosError = _dereq_('./helpers/isAxiosError'); module.exports = axios; // Allow use of default import syntax in TypeScript module.exports.default = axios; },{"./cancel/Cancel":157,"./cancel/CancelToken":158,"./cancel/isCancel":159,"./core/Axios":160,"./core/mergeConfig":166,"./defaults":169,"./env/data":170,"./helpers/bind":171,"./helpers/isAxiosError":176,"./helpers/spread":180,"./utils":182}],157:[function(_dereq_,module,exports){ 'use strict'; /** * A `Cancel` is an object that is thrown when an operation is canceled. * * @class * @param {string=} message The message. */ function Cancel(message) { this.message = message; } Cancel.prototype.toString = function toString() { return 'Cancel' + (this.message ? ': ' + this.message : ''); }; Cancel.prototype.__CANCEL__ = true; module.exports = Cancel; },{}],158:[function(_dereq_,module,exports){ 'use strict'; var Cancel = _dereq_('./Cancel'); /** * A `CancelToken` is an object that can be used to request cancellation of an operation. * * @class * @param {Function} executor The executor function. */ function CancelToken(executor) { if (typeof executor !== 'function') { throw new TypeError('executor must be a function.'); } var resolvePromise; this.promise = new Promise(function promiseExecutor(resolve) { resolvePromise = resolve; }); var token = this; // eslint-disable-next-line func-names this.promise.then(function(cancel) { if (!token._listeners) return; var i; var l = token._listeners.length; for (i = 0; i < l; i++) { token._listeners[i](cancel); } token._listeners = null; }); // eslint-disable-next-line func-names this.promise.then = function(onfulfilled) { var _resolve; // eslint-disable-next-line func-names var promise = new Promise(function(resolve) { token.subscribe(resolve); _resolve = resolve; }).then(onfulfilled); promise.cancel = function reject() { token.unsubscribe(_resolve); }; return promise; }; executor(function cancel(message) { if (token.reason) { // Cancellation has already been requested return; } token.reason = new Cancel(message); resolvePromise(token.reason); }); } /** * Throws a `Cancel` if cancellation has been requested. */ CancelToken.prototype.throwIfRequested = function throwIfRequested() { if (this.reason) { throw this.reason; } }; /** * Subscribe to the cancel signal */ CancelToken.prototype.subscribe = function subscribe(listener) { if (this.reason) { listener(this.reason); return; } if (this._listeners) { this._listeners.push(listener); } else { this._listeners = [listener]; } }; /** * Unsubscribe from the cancel signal */ CancelToken.prototype.unsubscribe = function unsubscribe(listener) { if (!this._listeners) { return; } var index = this._listeners.indexOf(listener); if (index !== -1) { this._listeners.splice(index, 1); } }; /** * Returns an object that contains a new `CancelToken` and a function that, when called, * cancels the `CancelToken`. */ CancelToken.source = function source() { var cancel; var token = new CancelToken(function executor(c) { cancel = c; }); return { token: token, cancel: cancel }; }; module.exports = CancelToken; },{"./Cancel":157}],159:[function(_dereq_,module,exports){ 'use strict'; module.exports = function isCancel(value) { return !!(value && value.__CANCEL__); }; },{}],160:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); var buildURL = _dereq_('../helpers/buildURL'); var InterceptorManager = _dereq_('./InterceptorManager'); var dispatchRequest = _dereq_('./dispatchRequest'); var mergeConfig = _dereq_('./mergeConfig'); var validator = _dereq_('../helpers/validator'); var validators = validator.validators; /** * Create a new instance of Axios * * @param {Object} instanceConfig The default config for the instance */ function Axios(instanceConfig) { this.defaults = instanceConfig; this.interceptors = { request: new InterceptorManager(), response: new InterceptorManager() }; } /** * Dispatch a request * * @param {Object} config The config specific for this request (merged with this.defaults) */ Axios.prototype.request = function request(config) { /*eslint no-param-reassign:0*/ // Allow for axios('example/url'[, config]) a la fetch API if (typeof config === 'string') { config = arguments[1] || {}; config.url = arguments[0]; } else { config = config || {}; } config = mergeConfig(this.defaults, config); // Set config.method if (config.method) { config.method = config.method.toLowerCase(); } else if (this.defaults.method) { config.method = this.defaults.method.toLowerCase(); } else { config.method = 'get'; } var transitional = config.transitional; if (transitional !== undefined) { validator.assertOptions(transitional, { silentJSONParsing: validators.transitional(validators.boolean), forcedJSONParsing: validators.transitional(validators.boolean), clarifyTimeoutError: validators.transitional(validators.boolean) }, false); } // filter out skipped interceptors var requestInterceptorChain = []; var synchronousRequestInterceptors = true; this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor) { if (typeof interceptor.runWhen === 'function' && interceptor.runWhen(config) === false) { return; } synchronousRequestInterceptors = synchronousRequestInterceptors && interceptor.synchronous; requestInterceptorChain.unshift(interceptor.fulfilled, interceptor.rejected); }); var responseInterceptorChain = []; this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) { responseInterceptorChain.push(interceptor.fulfilled, interceptor.rejected); }); var promise; if (!synchronousRequestInterceptors) { var chain = [dispatchRequest, undefined]; Array.prototype.unshift.apply(chain, requestInterceptorChain); chain = chain.concat(responseInterceptorChain); promise = Promise.resolve(config); while (chain.length) { promise = promise.then(chain.shift(), chain.shift()); } return promise; } var newConfig = config; while (requestInterceptorChain.length) { var onFulfilled = requestInterceptorChain.shift(); var onRejected = requestInterceptorChain.shift(); try { newConfig = onFulfilled(newConfig); } catch (error) { onRejected(error); break; } } try { promise = dispatchRequest(newConfig); } catch (error) { return Promise.reject(error); } while (responseInterceptorChain.length) { promise = promise.then(responseInterceptorChain.shift(), responseInterceptorChain.shift()); } return promise; }; Axios.prototype.getUri = function getUri(config) { config = mergeConfig(this.defaults, config); return buildURL(config.url, config.params, config.paramsSerializer).replace(/^\?/, ''); }; // Provide aliases for supported request methods utils.forEach(['delete', 'get', 'head', 'options'], function forEachMethodNoData(method) { /*eslint func-names:0*/ Axios.prototype[method] = function(url, config) { return this.request(mergeConfig(config || {}, { method: method, url: url, data: (config || {}).data })); }; }); utils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) { /*eslint func-names:0*/ Axios.prototype[method] = function(url, data, config) { return this.request(mergeConfig(config || {}, { method: method, url: url, data: data })); }; }); module.exports = Axios; },{"../helpers/buildURL":172,"../helpers/validator":181,"./../utils":182,"./InterceptorManager":161,"./dispatchRequest":164,"./mergeConfig":166}],161:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); function InterceptorManager() { this.handlers = []; } /** * Add a new interceptor to the stack * * @param {Function} fulfilled The function to handle `then` for a `Promise` * @param {Function} rejected The function to handle `reject` for a `Promise` * * @return {Number} An ID used to remove interceptor later */ InterceptorManager.prototype.use = function use(fulfilled, rejected, options) { this.handlers.push({ fulfilled: fulfilled, rejected: rejected, synchronous: options ? options.synchronous : false, runWhen: options ? options.runWhen : null }); return this.handlers.length - 1; }; /** * Remove an interceptor from the stack * * @param {Number} id The ID that was returned by `use` */ InterceptorManager.prototype.eject = function eject(id) { if (this.handlers[id]) { this.handlers[id] = null; } }; /** * Iterate over all the registered interceptors * * This method is particularly useful for skipping over any * interceptors that may have become `null` calling `eject`. * * @param {Function} fn The function to call for each interceptor */ InterceptorManager.prototype.forEach = function forEach(fn) { utils.forEach(this.handlers, function forEachHandler(h) { if (h !== null) { fn(h); } }); }; module.exports = InterceptorManager; },{"./../utils":182}],162:[function(_dereq_,module,exports){ 'use strict'; var isAbsoluteURL = _dereq_('../helpers/isAbsoluteURL'); var combineURLs = _dereq_('../helpers/combineURLs'); /** * Creates a new URL by combining the baseURL with the requestedURL, * only when the requestedURL is not already an absolute URL. * If the requestURL is absolute, this function returns the requestedURL untouched. * * @param {string} baseURL The base URL * @param {string} requestedURL Absolute or relative URL to combine * @returns {string} The combined full path */ module.exports = function buildFullPath(baseURL, requestedURL) { if (baseURL && !isAbsoluteURL(requestedURL)) { return combineURLs(baseURL, requestedURL); } return requestedURL; }; },{"../helpers/combineURLs":173,"../helpers/isAbsoluteURL":175}],163:[function(_dereq_,module,exports){ 'use strict'; var enhanceError = _dereq_('./enhanceError'); /** * Create an Error with the specified message, config, error code, request and response. * * @param {string} message The error message. * @param {Object} config The config. * @param {string} [code] The error code (for example, 'ECONNABORTED'). * @param {Object} [request] The request. * @param {Object} [response] The response. * @returns {Error} The created error. */ module.exports = function createError(message, config, code, request, response) { var error = new Error(message); return enhanceError(error, config, code, request, response); }; },{"./enhanceError":165}],164:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); var transformData = _dereq_('./transformData'); var isCancel = _dereq_('../cancel/isCancel'); var defaults = _dereq_('../defaults'); var Cancel = _dereq_('../cancel/Cancel'); /** * Throws a `Cancel` if cancellation has been requested. */ function throwIfCancellationRequested(config) { if (config.cancelToken) { config.cancelToken.throwIfRequested(); } if (config.signal && config.signal.aborted) { throw new Cancel('canceled'); } } /** * Dispatch a request to the server using the configured adapter. * * @param {object} config The config that is to be used for the request * @returns {Promise} The Promise to be fulfilled */ module.exports = function dispatchRequest(config) { throwIfCancellationRequested(config); // Ensure headers exist config.headers = config.headers || {}; // Transform request data config.data = transformData.call( config, config.data, config.headers, config.transformRequest ); // Flatten headers config.headers = utils.merge( config.headers.common || {}, config.headers[config.method] || {}, config.headers ); utils.forEach( ['delete', 'get', 'head', 'post', 'put', 'patch', 'common'], function cleanHeaderConfig(method) { delete config.headers[method]; } ); var adapter = config.adapter || defaults.adapter; return adapter(config).then(function onAdapterResolution(response) { throwIfCancellationRequested(config); // Transform response data response.data = transformData.call( config, response.data, response.headers, config.transformResponse ); return response; }, function onAdapterRejection(reason) { if (!isCancel(reason)) { throwIfCancellationRequested(config); // Transform response data if (reason && reason.response) { reason.response.data = transformData.call( config, reason.response.data, reason.response.headers, config.transformResponse ); } } return Promise.reject(reason); }); }; },{"../cancel/Cancel":157,"../cancel/isCancel":159,"../defaults":169,"./../utils":182,"./transformData":168}],165:[function(_dereq_,module,exports){ 'use strict'; /** * Update an Error with the specified config, error code, and response. * * @param {Error} error The error to update. * @param {Object} config The config. * @param {string} [code] The error code (for example, 'ECONNABORTED'). * @param {Object} [request] The request. * @param {Object} [response] The response. * @returns {Error} The error. */ module.exports = function enhanceError(error, config, code, request, response) { error.config = config; if (code) { error.code = code; } error.request = request; error.response = response; error.isAxiosError = true; error.toJSON = function toJSON() { return { // Standard message: this.message, name: this.name, // Microsoft description: this.description, number: this.number, // Mozilla fileName: this.fileName, lineNumber: this.lineNumber, columnNumber: this.columnNumber, stack: this.stack, // Axios config: this.config, code: this.code, status: this.response && this.response.status ? this.response.status : null }; }; return error; }; },{}],166:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('../utils'); /** * Config-specific merge-function which creates a new config-object * by merging two configuration objects together. * * @param {Object} config1 * @param {Object} config2 * @returns {Object} New object resulting from merging config2 to config1 */ module.exports = function mergeConfig(config1, config2) { // eslint-disable-next-line no-param-reassign config2 = config2 || {}; var config = {}; function getMergedValue(target, source) { if (utils.isPlainObject(target) && utils.isPlainObject(source)) { return utils.merge(target, source); } else if (utils.isPlainObject(source)) { return utils.merge({}, source); } else if (utils.isArray(source)) { return source.slice(); } return source; } // eslint-disable-next-line consistent-return function mergeDeepProperties(prop) { if (!utils.isUndefined(config2[prop])) { return getMergedValue(config1[prop], config2[prop]); } else if (!utils.isUndefined(config1[prop])) { return getMergedValue(undefined, config1[prop]); } } // eslint-disable-next-line consistent-return function valueFromConfig2(prop) { if (!utils.isUndefined(config2[prop])) { return getMergedValue(undefined, config2[prop]); } } // eslint-disable-next-line consistent-return function defaultToConfig2(prop) { if (!utils.isUndefined(config2[prop])) { return getMergedValue(undefined, config2[prop]); } else if (!utils.isUndefined(config1[prop])) { return getMergedValue(undefined, config1[prop]); } } // eslint-disable-next-line consistent-return function mergeDirectKeys(prop) { if (prop in config2) { return getMergedValue(config1[prop], config2[prop]); } else if (prop in config1) { return getMergedValue(undefined, config1[prop]); } } var mergeMap = { 'url': valueFromConfig2, 'method': valueFromConfig2, 'data': valueFromConfig2, 'baseURL': defaultToConfig2, 'transformRequest': defaultToConfig2, 'transformResponse': defaultToConfig2, 'paramsSerializer': defaultToConfig2, 'timeout': defaultToConfig2, 'timeoutMessage': defaultToConfig2, 'withCredentials': defaultToConfig2, 'adapter': defaultToConfig2, 'responseType': defaultToConfig2, 'xsrfCookieName': defaultToConfig2, 'xsrfHeaderName': defaultToConfig2, 'onUploadProgress': defaultToConfig2, 'onDownloadProgress': defaultToConfig2, 'decompress': defaultToConfig2, 'maxContentLength': defaultToConfig2, 'maxBodyLength': defaultToConfig2, 'transport': defaultToConfig2, 'httpAgent': defaultToConfig2, 'httpsAgent': defaultToConfig2, 'cancelToken': defaultToConfig2, 'socketPath': defaultToConfig2, 'responseEncoding': defaultToConfig2, 'validateStatus': mergeDirectKeys }; utils.forEach(Object.keys(config1).concat(Object.keys(config2)), function computeConfigValue(prop) { var merge = mergeMap[prop] || mergeDeepProperties; var configValue = merge(prop); (utils.isUndefined(configValue) && merge !== mergeDirectKeys) || (config[prop] = configValue); }); return config; }; },{"../utils":182}],167:[function(_dereq_,module,exports){ 'use strict'; var createError = _dereq_('./createError'); /** * Resolve or reject a Promise based on response status. * * @param {Function} resolve A function that resolves the promise. * @param {Function} reject A function that rejects the promise. * @param {object} response The response. */ module.exports = function settle(resolve, reject, response) { var validateStatus = response.config.validateStatus; if (!response.status || !validateStatus || validateStatus(response.status)) { resolve(response); } else { reject(createError( 'Request failed with status code ' + response.status, response.config, null, response.request, response )); } }; },{"./createError":163}],168:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); var defaults = _dereq_('./../defaults'); /** * Transform the data for a request or a response * * @param {Object|String} data The data to be transformed * @param {Array} headers The headers for the request or response * @param {Array|Function} fns A single function or Array of functions * @returns {*} The resulting transformed data */ module.exports = function transformData(data, headers, fns) { var context = this || defaults; /*eslint no-param-reassign:0*/ utils.forEach(fns, function transform(fn) { data = fn.call(context, data, headers); }); return data; }; },{"./../defaults":169,"./../utils":182}],169:[function(_dereq_,module,exports){ (function (process){(function (){ 'use strict'; var utils = _dereq_('./utils'); var normalizeHeaderName = _dereq_('./helpers/normalizeHeaderName'); var enhanceError = _dereq_('./core/enhanceError'); var DEFAULT_CONTENT_TYPE = { 'Content-Type': 'application/x-www-form-urlencoded' }; function setContentTypeIfUnset(headers, value) { if (!utils.isUndefined(headers) && utils.isUndefined(headers['Content-Type'])) { headers['Content-Type'] = value; } } function getDefaultAdapter() { var adapter; if (typeof XMLHttpRequest !== 'undefined') { // For browsers use XHR adapter adapter = _dereq_('./adapters/xhr'); } else if (typeof process !== 'undefined' && Object.prototype.toString.call(process) === '[object process]') { // For node use HTTP adapter adapter = _dereq_('./adapters/http'); } return adapter; } function stringifySafely(rawValue, parser, encoder) { if (utils.isString(rawValue)) { try { (parser || JSON.parse)(rawValue); return utils.trim(rawValue); } catch (e) { if (e.name !== 'SyntaxError') { throw e; } } } return (encoder || JSON.stringify)(rawValue); } var defaults = { transitional: { silentJSONParsing: true, forcedJSONParsing: true, clarifyTimeoutError: false }, adapter: getDefaultAdapter(), transformRequest: [function transformRequest(data, headers) { normalizeHeaderName(headers, 'Accept'); normalizeHeaderName(headers, 'Content-Type'); if (utils.isFormData(data) || utils.isArrayBuffer(data) || utils.isBuffer(data) || utils.isStream(data) || utils.isFile(data) || utils.isBlob(data) ) { return data; } if (utils.isArrayBufferView(data)) { return data.buffer; } if (utils.isURLSearchParams(data)) { setContentTypeIfUnset(headers, 'application/x-www-form-urlencoded;charset=utf-8'); return data.toString(); } if (utils.isObject(data) || (headers && headers['Content-Type'] === 'application/json')) { setContentTypeIfUnset(headers, 'application/json'); return stringifySafely(data); } return data; }], transformResponse: [function transformResponse(data) { var transitional = this.transitional || defaults.transitional; var silentJSONParsing = transitional && transitional.silentJSONParsing; var forcedJSONParsing = transitional && transitional.forcedJSONParsing; var strictJSONParsing = !silentJSONParsing && this.responseType === 'json'; if (strictJSONParsing || (forcedJSONParsing && utils.isString(data) && data.length)) { try { return JSON.parse(data); } catch (e) { if (strictJSONParsing) { if (e.name === 'SyntaxError') { throw enhanceError(e, this, 'E_JSON_PARSE'); } throw e; } } } return data; }], /** * A timeout in milliseconds to abort a request. If set to 0 (default) a * timeout is not created. */ timeout: 0, xsrfCookieName: 'XSRF-TOKEN', xsrfHeaderName: 'X-XSRF-TOKEN', maxContentLength: -1, maxBodyLength: -1, validateStatus: function validateStatus(status) { return status >= 200 && status < 300; }, headers: { common: { 'Accept': 'application/json, text/plain, */*' } } }; utils.forEach(['delete', 'get', 'head'], function forEachMethodNoData(method) { defaults.headers[method] = {}; }); utils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) { defaults.headers[method] = utils.merge(DEFAULT_CONTENT_TYPE); }); module.exports = defaults; }).call(this)}).call(this,_dereq_('_process')) },{"./adapters/http":155,"./adapters/xhr":155,"./core/enhanceError":165,"./helpers/normalizeHeaderName":178,"./utils":182,"_process":183}],170:[function(_dereq_,module,exports){ module.exports = { "version": "0.23.0" }; },{}],171:[function(_dereq_,module,exports){ 'use strict'; module.exports = function bind(fn, thisArg) { return function wrap() { var args = new Array(arguments.length); for (var i = 0; i < args.length; i++) { args[i] = arguments[i]; } return fn.apply(thisArg, args); }; }; },{}],172:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); function encode(val) { return encodeURIComponent(val). replace(/%3A/gi, ':'). replace(/%24/g, '$'). replace(/%2C/gi, ','). replace(/%20/g, '+'). replace(/%5B/gi, '['). replace(/%5D/gi, ']'); } /** * Build a URL by appending params to the end * * @param {string} url The base of the url (e.g., http://www.google.com) * @param {object} [params] The params to be appended * @returns {string} The formatted url */ module.exports = function buildURL(url, params, paramsSerializer) { /*eslint no-param-reassign:0*/ if (!params) { return url; } var serializedParams; if (paramsSerializer) { serializedParams = paramsSerializer(params); } else if (utils.isURLSearchParams(params)) { serializedParams = params.toString(); } else { var parts = []; utils.forEach(params, function serialize(val, key) { if (val === null || typeof val === 'undefined') { return; } if (utils.isArray(val)) { key = key + '[]'; } else { val = [val]; } utils.forEach(val, function parseValue(v) { if (utils.isDate(v)) { v = v.toISOString(); } else if (utils.isObject(v)) { v = JSON.stringify(v); } parts.push(encode(key) + '=' + encode(v)); }); }); serializedParams = parts.join('&'); } if (serializedParams) { var hashmarkIndex = url.indexOf('#'); if (hashmarkIndex !== -1) { url = url.slice(0, hashmarkIndex); } url += (url.indexOf('?') === -1 ? '?' : '&') + serializedParams; } return url; }; },{"./../utils":182}],173:[function(_dereq_,module,exports){ 'use strict'; /** * Creates a new URL by combining the specified URLs * * @param {string} baseURL The base URL * @param {string} relativeURL The relative URL * @returns {string} The combined URL */ module.exports = function combineURLs(baseURL, relativeURL) { return relativeURL ? baseURL.replace(/\/+$/, '') + '/' + relativeURL.replace(/^\/+/, '') : baseURL; }; },{}],174:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); module.exports = ( utils.isStandardBrowserEnv() ? // Standard browser envs support document.cookie (function standardBrowserEnv() { return { write: function write(name, value, expires, path, domain, secure) { var cookie = []; cookie.push(name + '=' + encodeURIComponent(value)); if (utils.isNumber(expires)) { cookie.push('expires=' + new Date(expires).toGMTString()); } if (utils.isString(path)) { cookie.push('path=' + path); } if (utils.isString(domain)) { cookie.push('domain=' + domain); } if (secure === true) { cookie.push('secure'); } document.cookie = cookie.join('; '); }, read: function read(name) { var match = document.cookie.match(new RegExp('(^|;\\s*)(' + name + ')=([^;]*)')); return (match ? decodeURIComponent(match[3]) : null); }, remove: function remove(name) { this.write(name, '', Date.now() - 86400000); } }; })() : // Non standard browser env (web workers, react-native) lack needed support. (function nonStandardBrowserEnv() { return { write: function write() {}, read: function read() { return null; }, remove: function remove() {} }; })() ); },{"./../utils":182}],175:[function(_dereq_,module,exports){ 'use strict'; /** * Determines whether the specified URL is absolute * * @param {string} url The URL to test * @returns {boolean} True if the specified URL is absolute, otherwise false */ module.exports = function isAbsoluteURL(url) { // A URL is considered absolute if it begins with "://" or "//" (protocol-relative URL). // RFC 3986 defines scheme name as a sequence of characters beginning with a letter and followed // by any combination of letters, digits, plus, period, or hyphen. return /^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(url); }; },{}],176:[function(_dereq_,module,exports){ 'use strict'; /** * Determines whether the payload is an error thrown by Axios * * @param {*} payload The value to test * @returns {boolean} True if the payload is an error thrown by Axios, otherwise false */ module.exports = function isAxiosError(payload) { return (typeof payload === 'object') && (payload.isAxiosError === true); }; },{}],177:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); module.exports = ( utils.isStandardBrowserEnv() ? // Standard browser envs have full support of the APIs needed to test // whether the request URL is of the same origin as current location. (function standardBrowserEnv() { var msie = /(msie|trident)/i.test(navigator.userAgent); var urlParsingNode = document.createElement('a'); var originURL; /** * Parse a URL to discover it's components * * @param {String} url The URL to be parsed * @returns {Object} */ function resolveURL(url) { var href = url; if (msie) { // IE needs attribute set twice to normalize properties urlParsingNode.setAttribute('href', href); href = urlParsingNode.href; } urlParsingNode.setAttribute('href', href); // urlParsingNode provides the UrlUtils interface - http://url.spec.whatwg.org/#urlutils return { href: urlParsingNode.href, protocol: urlParsingNode.protocol ? urlParsingNode.protocol.replace(/:$/, '') : '', host: urlParsingNode.host, search: urlParsingNode.search ? urlParsingNode.search.replace(/^\?/, '') : '', hash: urlParsingNode.hash ? urlParsingNode.hash.replace(/^#/, '') : '', hostname: urlParsingNode.hostname, port: urlParsingNode.port, pathname: (urlParsingNode.pathname.charAt(0) === '/') ? urlParsingNode.pathname : '/' + urlParsingNode.pathname }; } originURL = resolveURL(window.location.href); /** * Determine if a URL shares the same origin as the current location * * @param {String} requestURL The URL to test * @returns {boolean} True if URL shares the same origin, otherwise false */ return function isURLSameOrigin(requestURL) { var parsed = (utils.isString(requestURL)) ? resolveURL(requestURL) : requestURL; return (parsed.protocol === originURL.protocol && parsed.host === originURL.host); }; })() : // Non standard browser envs (web workers, react-native) lack needed support. (function nonStandardBrowserEnv() { return function isURLSameOrigin() { return true; }; })() ); },{"./../utils":182}],178:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('../utils'); module.exports = function normalizeHeaderName(headers, normalizedName) { utils.forEach(headers, function processHeader(value, name) { if (name !== normalizedName && name.toUpperCase() === normalizedName.toUpperCase()) { headers[normalizedName] = value; delete headers[name]; } }); }; },{"../utils":182}],179:[function(_dereq_,module,exports){ 'use strict'; var utils = _dereq_('./../utils'); // Headers whose duplicates are ignored by node // c.f. https://nodejs.org/api/http.html#http_message_headers var ignoreDuplicateOf = [ 'age', 'authorization', 'content-length', 'content-type', 'etag', 'expires', 'from', 'host', 'if-modified-since', 'if-unmodified-since', 'last-modified', 'location', 'max-forwards', 'proxy-authorization', 'referer', 'retry-after', 'user-agent' ]; /** * Parse headers into an object * * ``` * Date: Wed, 27 Aug 2014 08:58:49 GMT * Content-Type: application/json * Connection: keep-alive * Transfer-Encoding: chunked * ``` * * @param {String} headers Headers needing to be parsed * @returns {Object} Headers parsed into an object */ module.exports = function parseHeaders(headers) { var parsed = {}; var key; var val; var i; if (!headers) { return parsed; } utils.forEach(headers.split('\n'), function parser(line) { i = line.indexOf(':'); key = utils.trim(line.substr(0, i)).toLowerCase(); val = utils.trim(line.substr(i + 1)); if (key) { if (parsed[key] && ignoreDuplicateOf.indexOf(key) >= 0) { return; } if (key === 'set-cookie') { parsed[key] = (parsed[key] ? parsed[key] : []).concat([val]); } else { parsed[key] = parsed[key] ? parsed[key] + ', ' + val : val; } } }); return parsed; }; },{"./../utils":182}],180:[function(_dereq_,module,exports){ 'use strict'; /** * Syntactic sugar for invoking a function and expanding an array for arguments. * * Common use case would be to use `Function.prototype.apply`. * * ```js * function f(x, y, z) {} * var args = [1, 2, 3]; * f.apply(null, args); * ``` * * With `spread` this example can be re-written. * * ```js * spread(function(x, y, z) {})([1, 2, 3]); * ``` * * @param {Function} callback * @returns {Function} */ module.exports = function spread(callback) { return function wrap(arr) { return callback.apply(null, arr); }; }; },{}],181:[function(_dereq_,module,exports){ 'use strict'; var VERSION = _dereq_('../env/data').version; var validators = {}; // eslint-disable-next-line func-names ['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach(function(type, i) { validators[type] = function validator(thing) { return typeof thing === type || 'a' + (i < 1 ? 'n ' : ' ') + type; }; }); var deprecatedWarnings = {}; /** * Transitional option validator * @param {function|boolean?} validator - set to false if the transitional option has been removed * @param {string?} version - deprecated version / removed since version * @param {string?} message - some message with additional info * @returns {function} */ validators.transitional = function transitional(validator, version, message) { function formatMessage(opt, desc) { return '[Axios v' + VERSION + '] Transitional option \'' + opt + '\'' + desc + (message ? '. ' + message : ''); } // eslint-disable-next-line func-names return function(value, opt, opts) { if (validator === false) { throw new Error(formatMessage(opt, ' has been removed' + (version ? ' in ' + version : ''))); } if (version && !deprecatedWarnings[opt]) { deprecatedWarnings[opt] = true; // eslint-disable-next-line no-console console.warn( formatMessage( opt, ' has been deprecated since v' + version + ' and will be removed in the near future' ) ); } return validator ? validator(value, opt, opts) : true; }; }; /** * Assert object's properties type * @param {object} options * @param {object} schema * @param {boolean?} allowUnknown */ function assertOptions(options, schema, allowUnknown) { if (typeof options !== 'object') { throw new TypeError('options must be an object'); } var keys = Object.keys(options); var i = keys.length; while (i-- > 0) { var opt = keys[i]; var validator = schema[opt]; if (validator) { var value = options[opt]; var result = value === undefined || validator(value, opt, options); if (result !== true) { throw new TypeError('option ' + opt + ' must be ' + result); } continue; } if (allowUnknown !== true) { throw Error('Unknown option ' + opt); } } } module.exports = { assertOptions: assertOptions, validators: validators }; },{"../env/data":170}],182:[function(_dereq_,module,exports){ 'use strict'; var bind = _dereq_('./helpers/bind'); // utils is a library of generic helper functions non-specific to axios var toString = Object.prototype.toString; /** * Determine if a value is an Array * * @param {Object} val The value to test * @returns {boolean} True if value is an Array, otherwise false */ function isArray(val) { return toString.call(val) === '[object Array]'; } /** * Determine if a value is undefined * * @param {Object} val The value to test * @returns {boolean} True if the value is undefined, otherwise false */ function isUndefined(val) { return typeof val === 'undefined'; } /** * Determine if a value is a Buffer * * @param {Object} val The value to test * @returns {boolean} True if value is a Buffer, otherwise false */ function isBuffer(val) { return val !== null && !isUndefined(val) && val.constructor !== null && !isUndefined(val.constructor) && typeof val.constructor.isBuffer === 'function' && val.constructor.isBuffer(val); } /** * Determine if a value is an ArrayBuffer * * @param {Object} val The value to test * @returns {boolean} True if value is an ArrayBuffer, otherwise false */ function isArrayBuffer(val) { return toString.call(val) === '[object ArrayBuffer]'; } /** * Determine if a value is a FormData * * @param {Object} val The value to test * @returns {boolean} True if value is an FormData, otherwise false */ function isFormData(val) { return (typeof FormData !== 'undefined') && (val instanceof FormData); } /** * Determine if a value is a view on an ArrayBuffer * * @param {Object} val The value to test * @returns {boolean} True if value is a view on an ArrayBuffer, otherwise false */ function isArrayBufferView(val) { var result; if ((typeof ArrayBuffer !== 'undefined') && (ArrayBuffer.isView)) { result = ArrayBuffer.isView(val); } else { result = (val) && (val.buffer) && (val.buffer instanceof ArrayBuffer); } return result; } /** * Determine if a value is a String * * @param {Object} val The value to test * @returns {boolean} True if value is a String, otherwise false */ function isString(val) { return typeof val === 'string'; } /** * Determine if a value is a Number * * @param {Object} val The value to test * @returns {boolean} True if value is a Number, otherwise false */ function isNumber(val) { return typeof val === 'number'; } /** * Determine if a value is an Object * * @param {Object} val The value to test * @returns {boolean} True if value is an Object, otherwise false */ function isObject(val) { return val !== null && typeof val === 'object'; } /** * Determine if a value is a plain Object * * @param {Object} val The value to test * @return {boolean} True if value is a plain Object, otherwise false */ function isPlainObject(val) { if (toString.call(val) !== '[object Object]') { return false; } var prototype = Object.getPrototypeOf(val); return prototype === null || prototype === Object.prototype; } /** * Determine if a value is a Date * * @param {Object} val The value to test * @returns {boolean} True if value is a Date, otherwise false */ function isDate(val) { return toString.call(val) === '[object Date]'; } /** * Determine if a value is a File * * @param {Object} val The value to test * @returns {boolean} True if value is a File, otherwise false */ function isFile(val) { return toString.call(val) === '[object File]'; } /** * Determine if a value is a Blob * * @param {Object} val The value to test * @returns {boolean} True if value is a Blob, otherwise false */ function isBlob(val) { return toString.call(val) === '[object Blob]'; } /** * Determine if a value is a Function * * @param {Object} val The value to test * @returns {boolean} True if value is a Function, otherwise false */ function isFunction(val) { return toString.call(val) === '[object Function]'; } /** * Determine if a value is a Stream * * @param {Object} val The value to test * @returns {boolean} True if value is a Stream, otherwise false */ function isStream(val) { return isObject(val) && isFunction(val.pipe); } /** * Determine if a value is a URLSearchParams object * * @param {Object} val The value to test * @returns {boolean} True if value is a URLSearchParams object, otherwise false */ function isURLSearchParams(val) { return typeof URLSearchParams !== 'undefined' && val instanceof URLSearchParams; } /** * Trim excess whitespace off the beginning and end of a string * * @param {String} str The String to trim * @returns {String} The String freed of excess whitespace */ function trim(str) { return str.trim ? str.trim() : str.replace(/^\s+|\s+$/g, ''); } /** * Determine if we're running in a standard browser environment * * This allows axios to run in a web worker, and react-native. * Both environments support XMLHttpRequest, but not fully standard globals. * * web workers: * typeof window -> undefined * typeof document -> undefined * * react-native: * navigator.product -> 'ReactNative' * nativescript * navigator.product -> 'NativeScript' or 'NS' */ function isStandardBrowserEnv() { if (typeof navigator !== 'undefined' && (navigator.product === 'ReactNative' || navigator.product === 'NativeScript' || navigator.product === 'NS')) { return false; } return ( typeof window !== 'undefined' && typeof document !== 'undefined' ); } /** * Iterate over an Array or an Object invoking a function for each item. * * If `obj` is an Array callback will be called passing * the value, index, and complete array for each item. * * If 'obj' is an Object callback will be called passing * the value, key, and complete object for each property. * * @param {Object|Array} obj The object to iterate * @param {Function} fn The callback to invoke for each item */ function forEach(obj, fn) { // Don't bother if no value provided if (obj === null || typeof obj === 'undefined') { return; } // Force an array if not already something iterable if (typeof obj !== 'object') { /*eslint no-param-reassign:0*/ obj = [obj]; } if (isArray(obj)) { // Iterate over array values for (var i = 0, l = obj.length; i < l; i++) { fn.call(null, obj[i], i, obj); } } else { // Iterate over object keys for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) { fn.call(null, obj[key], key, obj); } } } } /** * Accepts varargs expecting each argument to be an object, then * immutably merges the properties of each object and returns result. * * When multiple objects contain the same key the later object in * the arguments list will take precedence. * * Example: * * ```js * var result = merge({foo: 123}, {foo: 456}); * console.log(result.foo); // outputs 456 * ``` * * @param {Object} obj1 Object to merge * @returns {Object} Result of all merge properties */ function merge(/* obj1, obj2, obj3, ... */) { var result = {}; function assignValue(val, key) { if (isPlainObject(result[key]) && isPlainObject(val)) { result[key] = merge(result[key], val); } else if (isPlainObject(val)) { result[key] = merge({}, val); } else if (isArray(val)) { result[key] = val.slice(); } else { result[key] = val; } } for (var i = 0, l = arguments.length; i < l; i++) { forEach(arguments[i], assignValue); } return result; } /** * Extends object a by mutably adding to it the properties of object b. * * @param {Object} a The object to be extended * @param {Object} b The object to copy properties from * @param {Object} thisArg The object to bind function to * @return {Object} The resulting value of object a */ function extend(a, b, thisArg) { forEach(b, function assignValue(val, key) { if (thisArg && typeof val === 'function') { a[key] = bind(val, thisArg); } else { a[key] = val; } }); return a; } /** * Remove byte order marker. This catches EF BB BF (the UTF-8 BOM) * * @param {string} content with BOM * @return {string} content value without BOM */ function stripBOM(content) { if (content.charCodeAt(0) === 0xFEFF) { content = content.slice(1); } return content; } module.exports = { isArray: isArray, isArrayBuffer: isArrayBuffer, isBuffer: isBuffer, isFormData: isFormData, isArrayBufferView: isArrayBufferView, isString: isString, isNumber: isNumber, isObject: isObject, isPlainObject: isPlainObject, isUndefined: isUndefined, isDate: isDate, isFile: isFile, isBlob: isBlob, isFunction: isFunction, isStream: isStream, isURLSearchParams: isURLSearchParams, isStandardBrowserEnv: isStandardBrowserEnv, forEach: forEach, merge: merge, extend: extend, trim: trim, stripBOM: stripBOM }; },{"./helpers/bind":171}],183:[function(_dereq_,module,exports){ },{}],184:[function(_dereq_,module,exports){ _dereq_('../../modules/es.string.iterator'); _dereq_('../../modules/es.array.from'); var path = _dereq_('../../internals/path'); module.exports = path.Array.from; },{"../../internals/path":356,"../../modules/es.array.from":391,"../../modules/es.string.iterator":429}],185:[function(_dereq_,module,exports){ _dereq_('../../modules/es.array.is-array'); var path = _dereq_('../../internals/path'); module.exports = path.Array.isArray; },{"../../internals/path":356,"../../modules/es.array.is-array":394}],186:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.concat'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').concat; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.concat":386}],187:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.iterator'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').entries; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.iterator":395}],188:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.every'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').every; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.every":387}],189:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.filter'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').filter; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.filter":388}],190:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.find'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').find; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.find":389}],191:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.for-each'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').forEach; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.for-each":390}],192:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.includes'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').includes; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.includes":392}],193:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.index-of'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').indexOf; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.index-of":393}],194:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.iterator'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').keys; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.iterator":395}],195:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.map'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').map; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.map":396}],196:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.reduce'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').reduce; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.reduce":397}],197:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.slice'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').slice; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.slice":398}],198:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.sort'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').sort; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.sort":399}],199:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.splice'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').splice; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.splice":400}],200:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.array.iterator'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Array').values; },{"../../../internals/entry-virtual":299,"../../../modules/es.array.iterator":395}],201:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.function.bind'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('Function').bind; },{"../../../internals/entry-virtual":299,"../../../modules/es.function.bind":401}],202:[function(_dereq_,module,exports){ var bind = _dereq_('../function/virtual/bind'); var FunctionPrototype = Function.prototype; module.exports = function (it) { var own = it.bind; return it === FunctionPrototype || (it instanceof Function && own === FunctionPrototype.bind) ? bind : own; }; },{"../function/virtual/bind":201}],203:[function(_dereq_,module,exports){ var concat = _dereq_('../array/virtual/concat'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.concat; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.concat) ? concat : own; }; },{"../array/virtual/concat":186}],204:[function(_dereq_,module,exports){ var every = _dereq_('../array/virtual/every'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.every; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.every) ? every : own; }; },{"../array/virtual/every":188}],205:[function(_dereq_,module,exports){ var filter = _dereq_('../array/virtual/filter'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.filter; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.filter) ? filter : own; }; },{"../array/virtual/filter":189}],206:[function(_dereq_,module,exports){ var find = _dereq_('../array/virtual/find'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.find; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.find) ? find : own; }; },{"../array/virtual/find":190}],207:[function(_dereq_,module,exports){ var arrayIncludes = _dereq_('../array/virtual/includes'); var stringIncludes = _dereq_('../string/virtual/includes'); var ArrayPrototype = Array.prototype; var StringPrototype = String.prototype; module.exports = function (it) { var own = it.includes; if (it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.includes)) return arrayIncludes; if (typeof it === 'string' || it === StringPrototype || (it instanceof String && own === StringPrototype.includes)) { return stringIncludes; } return own; }; },{"../array/virtual/includes":192,"../string/virtual/includes":235}],208:[function(_dereq_,module,exports){ var indexOf = _dereq_('../array/virtual/index-of'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.indexOf; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.indexOf) ? indexOf : own; }; },{"../array/virtual/index-of":193}],209:[function(_dereq_,module,exports){ var map = _dereq_('../array/virtual/map'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.map; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.map) ? map : own; }; },{"../array/virtual/map":195}],210:[function(_dereq_,module,exports){ var reduce = _dereq_('../array/virtual/reduce'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.reduce; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.reduce) ? reduce : own; }; },{"../array/virtual/reduce":196}],211:[function(_dereq_,module,exports){ var slice = _dereq_('../array/virtual/slice'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.slice; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.slice) ? slice : own; }; },{"../array/virtual/slice":197}],212:[function(_dereq_,module,exports){ var sort = _dereq_('../array/virtual/sort'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.sort; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.sort) ? sort : own; }; },{"../array/virtual/sort":198}],213:[function(_dereq_,module,exports){ var splice = _dereq_('../array/virtual/splice'); var ArrayPrototype = Array.prototype; module.exports = function (it) { var own = it.splice; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.splice) ? splice : own; }; },{"../array/virtual/splice":199}],214:[function(_dereq_,module,exports){ var startsWith = _dereq_('../string/virtual/starts-with'); var StringPrototype = String.prototype; module.exports = function (it) { var own = it.startsWith; return typeof it === 'string' || it === StringPrototype || (it instanceof String && own === StringPrototype.startsWith) ? startsWith : own; }; },{"../string/virtual/starts-with":236}],215:[function(_dereq_,module,exports){ _dereq_('../../modules/es.json.stringify'); var core = _dereq_('../../internals/path'); if (!core.JSON) core.JSON = { stringify: JSON.stringify }; // eslint-disable-next-line no-unused-vars module.exports = function stringify(it, replacer, space) { return core.JSON.stringify.apply(null, arguments); }; },{"../../internals/path":356,"../../modules/es.json.stringify":402}],216:[function(_dereq_,module,exports){ _dereq_('../../modules/es.map'); _dereq_('../../modules/es.object.to-string'); _dereq_('../../modules/es.string.iterator'); _dereq_('../../modules/web.dom-collections.iterator'); var path = _dereq_('../../internals/path'); module.exports = path.Map; },{"../../internals/path":356,"../../modules/es.map":404,"../../modules/es.object.to-string":417,"../../modules/es.string.iterator":429,"../../modules/web.dom-collections.iterator":476}],217:[function(_dereq_,module,exports){ _dereq_('../../modules/es.number.is-integer'); var path = _dereq_('../../internals/path'); module.exports = path.Number.isInteger; },{"../../internals/path":356,"../../modules/es.number.is-integer":406}],218:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.create'); var path = _dereq_('../../internals/path'); var Object = path.Object; module.exports = function create(P, D) { return Object.create(P, D); }; },{"../../internals/path":356,"../../modules/es.object.create":407}],219:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.define-properties'); var path = _dereq_('../../internals/path'); var Object = path.Object; var defineProperties = module.exports = function defineProperties(T, D) { return Object.defineProperties(T, D); }; if (Object.defineProperties.sham) defineProperties.sham = true; },{"../../internals/path":356,"../../modules/es.object.define-properties":408}],220:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.define-property'); var path = _dereq_('../../internals/path'); var Object = path.Object; var defineProperty = module.exports = function defineProperty(it, key, desc) { return Object.defineProperty(it, key, desc); }; if (Object.defineProperty.sham) defineProperty.sham = true; },{"../../internals/path":356,"../../modules/es.object.define-property":409}],221:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.entries'); var path = _dereq_('../../internals/path'); module.exports = path.Object.entries; },{"../../internals/path":356,"../../modules/es.object.entries":410}],222:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.freeze'); var path = _dereq_('../../internals/path'); module.exports = path.Object.freeze; },{"../../internals/path":356,"../../modules/es.object.freeze":411}],223:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.get-own-property-descriptor'); var path = _dereq_('../../internals/path'); var Object = path.Object; var getOwnPropertyDescriptor = module.exports = function getOwnPropertyDescriptor(it, key) { return Object.getOwnPropertyDescriptor(it, key); }; if (Object.getOwnPropertyDescriptor.sham) getOwnPropertyDescriptor.sham = true; },{"../../internals/path":356,"../../modules/es.object.get-own-property-descriptor":412}],224:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.get-own-property-descriptors'); var path = _dereq_('../../internals/path'); module.exports = path.Object.getOwnPropertyDescriptors; },{"../../internals/path":356,"../../modules/es.object.get-own-property-descriptors":413}],225:[function(_dereq_,module,exports){ _dereq_('../../modules/es.symbol'); var path = _dereq_('../../internals/path'); module.exports = path.Object.getOwnPropertySymbols; },{"../../internals/path":356,"../../modules/es.symbol":436}],226:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.get-prototype-of'); var path = _dereq_('../../internals/path'); module.exports = path.Object.getPrototypeOf; },{"../../internals/path":356,"../../modules/es.object.get-prototype-of":414}],227:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.keys'); var path = _dereq_('../../internals/path'); module.exports = path.Object.keys; },{"../../internals/path":356,"../../modules/es.object.keys":415}],228:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.set-prototype-of'); var path = _dereq_('../../internals/path'); module.exports = path.Object.setPrototypeOf; },{"../../internals/path":356,"../../modules/es.object.set-prototype-of":416}],229:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.values'); var path = _dereq_('../../internals/path'); module.exports = path.Object.values; },{"../../internals/path":356,"../../modules/es.object.values":418}],230:[function(_dereq_,module,exports){ _dereq_('../modules/es.parse-int'); var path = _dereq_('../internals/path'); module.exports = path.parseInt; },{"../internals/path":356,"../modules/es.parse-int":419}],231:[function(_dereq_,module,exports){ _dereq_('../../modules/es.aggregate-error'); _dereq_('../../modules/es.object.to-string'); _dereq_('../../modules/es.promise'); _dereq_('../../modules/es.promise.all-settled'); _dereq_('../../modules/es.promise.any'); _dereq_('../../modules/es.promise.finally'); _dereq_('../../modules/es.string.iterator'); _dereq_('../../modules/web.dom-collections.iterator'); var path = _dereq_('../../internals/path'); module.exports = path.Promise; },{"../../internals/path":356,"../../modules/es.aggregate-error":385,"../../modules/es.object.to-string":417,"../../modules/es.promise":423,"../../modules/es.promise.all-settled":420,"../../modules/es.promise.any":421,"../../modules/es.promise.finally":422,"../../modules/es.string.iterator":429,"../../modules/web.dom-collections.iterator":476}],232:[function(_dereq_,module,exports){ _dereq_('../../modules/es.reflect.construct'); var path = _dereq_('../../internals/path'); module.exports = path.Reflect.construct; },{"../../internals/path":356,"../../modules/es.reflect.construct":424}],233:[function(_dereq_,module,exports){ _dereq_('../../modules/es.reflect.get'); var path = _dereq_('../../internals/path'); module.exports = path.Reflect.get; },{"../../internals/path":356,"../../modules/es.reflect.get":425}],234:[function(_dereq_,module,exports){ _dereq_('../../modules/es.set'); _dereq_('../../modules/es.object.to-string'); _dereq_('../../modules/es.string.iterator'); _dereq_('../../modules/web.dom-collections.iterator'); var path = _dereq_('../../internals/path'); module.exports = path.Set; },{"../../internals/path":356,"../../modules/es.object.to-string":417,"../../modules/es.set":427,"../../modules/es.string.iterator":429,"../../modules/web.dom-collections.iterator":476}],235:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.string.includes'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('String').includes; },{"../../../internals/entry-virtual":299,"../../../modules/es.string.includes":428}],236:[function(_dereq_,module,exports){ _dereq_('../../../modules/es.string.starts-with'); var entryVirtual = _dereq_('../../../internals/entry-virtual'); module.exports = entryVirtual('String').startsWith; },{"../../../internals/entry-virtual":299,"../../../modules/es.string.starts-with":430}],237:[function(_dereq_,module,exports){ _dereq_('../../modules/es.array.concat'); _dereq_('../../modules/es.object.to-string'); _dereq_('../../modules/es.symbol'); _dereq_('../../modules/es.symbol.async-iterator'); _dereq_('../../modules/es.symbol.description'); _dereq_('../../modules/es.symbol.has-instance'); _dereq_('../../modules/es.symbol.is-concat-spreadable'); _dereq_('../../modules/es.symbol.iterator'); _dereq_('../../modules/es.symbol.match'); _dereq_('../../modules/es.symbol.match-all'); _dereq_('../../modules/es.symbol.replace'); _dereq_('../../modules/es.symbol.search'); _dereq_('../../modules/es.symbol.species'); _dereq_('../../modules/es.symbol.split'); _dereq_('../../modules/es.symbol.to-primitive'); _dereq_('../../modules/es.symbol.to-string-tag'); _dereq_('../../modules/es.symbol.unscopables'); _dereq_('../../modules/es.json.to-string-tag'); _dereq_('../../modules/es.math.to-string-tag'); _dereq_('../../modules/es.reflect.to-string-tag'); var path = _dereq_('../../internals/path'); module.exports = path.Symbol; },{"../../internals/path":356,"../../modules/es.array.concat":386,"../../modules/es.json.to-string-tag":403,"../../modules/es.math.to-string-tag":405,"../../modules/es.object.to-string":417,"../../modules/es.reflect.to-string-tag":426,"../../modules/es.symbol":436,"../../modules/es.symbol.async-iterator":431,"../../modules/es.symbol.description":432,"../../modules/es.symbol.has-instance":433,"../../modules/es.symbol.is-concat-spreadable":434,"../../modules/es.symbol.iterator":435,"../../modules/es.symbol.match":438,"../../modules/es.symbol.match-all":437,"../../modules/es.symbol.replace":439,"../../modules/es.symbol.search":440,"../../modules/es.symbol.species":441,"../../modules/es.symbol.split":442,"../../modules/es.symbol.to-primitive":443,"../../modules/es.symbol.to-string-tag":444,"../../modules/es.symbol.unscopables":445}],238:[function(_dereq_,module,exports){ _dereq_('../../modules/es.symbol.iterator'); _dereq_('../../modules/es.string.iterator'); _dereq_('../../modules/web.dom-collections.iterator'); var WrappedWellKnownSymbolModule = _dereq_('../../internals/well-known-symbol-wrapped'); module.exports = WrappedWellKnownSymbolModule.f('iterator'); },{"../../internals/well-known-symbol-wrapped":382,"../../modules/es.string.iterator":429,"../../modules/es.symbol.iterator":435,"../../modules/web.dom-collections.iterator":476}],239:[function(_dereq_,module,exports){ _dereq_('../../modules/es.object.to-string'); _dereq_('../../modules/es.weak-map'); _dereq_('../../modules/web.dom-collections.iterator'); var path = _dereq_('../../internals/path'); module.exports = path.WeakMap; },{"../../internals/path":356,"../../modules/es.object.to-string":417,"../../modules/es.weak-map":446,"../../modules/web.dom-collections.iterator":476}],240:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/array/from'); module.exports = parent; },{"../../es/array/from":184}],241:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/array/is-array'); module.exports = parent; },{"../../es/array/is-array":185}],242:[function(_dereq_,module,exports){ _dereq_('../modules/web.dom-collections.iterator'); _dereq_('../modules/es.string.iterator'); var getIteratorMethod = _dereq_('../internals/get-iterator-method'); module.exports = getIteratorMethod; },{"../internals/get-iterator-method":307,"../modules/es.string.iterator":429,"../modules/web.dom-collections.iterator":476}],243:[function(_dereq_,module,exports){ _dereq_('../modules/web.dom-collections.iterator'); _dereq_('../modules/es.string.iterator'); var getIterator = _dereq_('../internals/get-iterator'); module.exports = getIterator; },{"../internals/get-iterator":308,"../modules/es.string.iterator":429,"../modules/web.dom-collections.iterator":476}],244:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/bind'); module.exports = parent; },{"../../es/instance/bind":202}],245:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/index-of'); module.exports = parent; },{"../../es/instance/index-of":208}],246:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/slice'); module.exports = parent; },{"../../es/instance/slice":211}],247:[function(_dereq_,module,exports){ _dereq_('../modules/web.dom-collections.iterator'); _dereq_('../modules/es.string.iterator'); var isIterable = _dereq_('../internals/is-iterable'); module.exports = isIterable; },{"../internals/is-iterable":324,"../modules/es.string.iterator":429,"../modules/web.dom-collections.iterator":476}],248:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/map'); _dereq_('../../modules/esnext.map.from'); _dereq_('../../modules/esnext.map.of'); _dereq_('../../modules/esnext.map.delete-all'); _dereq_('../../modules/esnext.map.emplace'); _dereq_('../../modules/esnext.map.every'); _dereq_('../../modules/esnext.map.filter'); _dereq_('../../modules/esnext.map.find'); _dereq_('../../modules/esnext.map.find-key'); _dereq_('../../modules/esnext.map.group-by'); _dereq_('../../modules/esnext.map.includes'); _dereq_('../../modules/esnext.map.key-by'); _dereq_('../../modules/esnext.map.key-of'); _dereq_('../../modules/esnext.map.map-keys'); _dereq_('../../modules/esnext.map.map-values'); _dereq_('../../modules/esnext.map.merge'); _dereq_('../../modules/esnext.map.reduce'); _dereq_('../../modules/esnext.map.some'); _dereq_('../../modules/esnext.map.update'); // TODO: remove from `core-js@4` _dereq_('../../modules/esnext.map.upsert'); // TODO: remove from `core-js@4` _dereq_('../../modules/esnext.map.update-or-insert'); module.exports = parent; },{"../../es/map":216,"../../modules/esnext.map.delete-all":448,"../../modules/esnext.map.emplace":449,"../../modules/esnext.map.every":450,"../../modules/esnext.map.filter":451,"../../modules/esnext.map.find":453,"../../modules/esnext.map.find-key":452,"../../modules/esnext.map.from":454,"../../modules/esnext.map.group-by":455,"../../modules/esnext.map.includes":456,"../../modules/esnext.map.key-by":457,"../../modules/esnext.map.key-of":458,"../../modules/esnext.map.map-keys":459,"../../modules/esnext.map.map-values":460,"../../modules/esnext.map.merge":461,"../../modules/esnext.map.of":462,"../../modules/esnext.map.reduce":463,"../../modules/esnext.map.some":464,"../../modules/esnext.map.update":466,"../../modules/esnext.map.update-or-insert":465,"../../modules/esnext.map.upsert":467}],249:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/create'); module.exports = parent; },{"../../es/object/create":218}],250:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/define-property'); module.exports = parent; },{"../../es/object/define-property":220}],251:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/get-own-property-descriptor'); module.exports = parent; },{"../../es/object/get-own-property-descriptor":223}],252:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/get-prototype-of'); module.exports = parent; },{"../../es/object/get-prototype-of":226}],253:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/set-prototype-of'); module.exports = parent; },{"../../es/object/set-prototype-of":228}],254:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/promise'); _dereq_('../../modules/esnext.aggregate-error'); // TODO: Remove from `core-js@4` _dereq_('../../modules/esnext.promise.all-settled'); _dereq_('../../modules/esnext.promise.try'); _dereq_('../../modules/esnext.promise.any'); module.exports = parent; },{"../../es/promise":231,"../../modules/esnext.aggregate-error":447,"../../modules/esnext.promise.all-settled":468,"../../modules/esnext.promise.any":469,"../../modules/esnext.promise.try":470}],255:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/reflect/construct'); module.exports = parent; },{"../../es/reflect/construct":232}],256:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/reflect/get'); module.exports = parent; },{"../../es/reflect/get":233}],257:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/symbol'); _dereq_('../../modules/esnext.symbol.async-dispose'); _dereq_('../../modules/esnext.symbol.dispose'); _dereq_('../../modules/esnext.symbol.observable'); _dereq_('../../modules/esnext.symbol.pattern-match'); // TODO: Remove from `core-js@4` _dereq_('../../modules/esnext.symbol.replace-all'); module.exports = parent; },{"../../es/symbol":237,"../../modules/esnext.symbol.async-dispose":471,"../../modules/esnext.symbol.dispose":472,"../../modules/esnext.symbol.observable":473,"../../modules/esnext.symbol.pattern-match":474,"../../modules/esnext.symbol.replace-all":475}],258:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/symbol/iterator'); module.exports = parent; },{"../../es/symbol/iterator":238}],259:[function(_dereq_,module,exports){ module.exports = function (it) { if (typeof it != 'function') { throw TypeError(String(it) + ' is not a function'); } return it; }; },{}],260:[function(_dereq_,module,exports){ var isObject = _dereq_('../internals/is-object'); module.exports = function (it) { if (!isObject(it) && it !== null) { throw TypeError("Can't set " + String(it) + ' as a prototype'); } return it; }; },{"../internals/is-object":325}],261:[function(_dereq_,module,exports){ module.exports = function () { /* empty */ }; },{}],262:[function(_dereq_,module,exports){ module.exports = function (it, Constructor, name) { if (!(it instanceof Constructor)) { throw TypeError('Incorrect ' + (name ? name + ' ' : '') + 'invocation'); } return it; }; },{}],263:[function(_dereq_,module,exports){ var isObject = _dereq_('../internals/is-object'); module.exports = function (it) { if (!isObject(it)) { throw TypeError(String(it) + ' is not an object'); } return it; }; },{"../internals/is-object":325}],264:[function(_dereq_,module,exports){ 'use strict'; var $forEach = _dereq_('../internals/array-iteration').forEach; var arrayMethodIsStrict = _dereq_('../internals/array-method-is-strict'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var STRICT_METHOD = arrayMethodIsStrict('forEach'); var USES_TO_LENGTH = arrayMethodUsesToLength('forEach'); // `Array.prototype.forEach` method implementation // https://tc39.es/ecma262/#sec-array.prototype.foreach module.exports = (!STRICT_METHOD || !USES_TO_LENGTH) ? function forEach(callbackfn /* , thisArg */) { return $forEach(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); } : [].forEach; },{"../internals/array-iteration":267,"../internals/array-method-is-strict":269,"../internals/array-method-uses-to-length":270}],265:[function(_dereq_,module,exports){ 'use strict'; var bind = _dereq_('../internals/function-bind-context'); var toObject = _dereq_('../internals/to-object'); var callWithSafeIterationClosing = _dereq_('../internals/call-with-safe-iteration-closing'); var isArrayIteratorMethod = _dereq_('../internals/is-array-iterator-method'); var toLength = _dereq_('../internals/to-length'); var createProperty = _dereq_('../internals/create-property'); var getIteratorMethod = _dereq_('../internals/get-iterator-method'); // `Array.from` method implementation // https://tc39.es/ecma262/#sec-array.from module.exports = function from(arrayLike /* , mapfn = undefined, thisArg = undefined */) { var O = toObject(arrayLike); var C = typeof this == 'function' ? this : Array; var argumentsLength = arguments.length; var mapfn = argumentsLength > 1 ? arguments[1] : undefined; var mapping = mapfn !== undefined; var iteratorMethod = getIteratorMethod(O); var index = 0; var length, result, step, iterator, next, value; if (mapping) mapfn = bind(mapfn, argumentsLength > 2 ? arguments[2] : undefined, 2); // if the target is not iterable or it's an array with the default iterator - use a simple case if (iteratorMethod != undefined && !(C == Array && isArrayIteratorMethod(iteratorMethod))) { iterator = iteratorMethod.call(O); next = iterator.next; result = new C(); for (;!(step = next.call(iterator)).done; index++) { value = mapping ? callWithSafeIterationClosing(iterator, mapfn, [step.value, index], true) : step.value; createProperty(result, index, value); } } else { length = toLength(O.length); result = new C(length); for (;length > index; index++) { value = mapping ? mapfn(O[index], index) : O[index]; createProperty(result, index, value); } } result.length = index; return result; }; },{"../internals/call-with-safe-iteration-closing":273,"../internals/create-property":288,"../internals/function-bind-context":304,"../internals/get-iterator-method":307,"../internals/is-array-iterator-method":320,"../internals/to-length":376,"../internals/to-object":377}],266:[function(_dereq_,module,exports){ var toIndexedObject = _dereq_('../internals/to-indexed-object'); var toLength = _dereq_('../internals/to-length'); var toAbsoluteIndex = _dereq_('../internals/to-absolute-index'); // `Array.prototype.{ indexOf, includes }` methods implementation var createMethod = function (IS_INCLUDES) { return function ($this, el, fromIndex) { var O = toIndexedObject($this); var length = toLength(O.length); var index = toAbsoluteIndex(fromIndex, length); var value; // Array#includes uses SameValueZero equality algorithm // eslint-disable-next-line no-self-compare if (IS_INCLUDES && el != el) while (length > index) { value = O[index++]; // eslint-disable-next-line no-self-compare if (value != value) return true; // Array#indexOf ignores holes, Array#includes - not } else for (;length > index; index++) { if ((IS_INCLUDES || index in O) && O[index] === el) return IS_INCLUDES || index || 0; } return !IS_INCLUDES && -1; }; }; module.exports = { // `Array.prototype.includes` method // https://tc39.es/ecma262/#sec-array.prototype.includes includes: createMethod(true), // `Array.prototype.indexOf` method // https://tc39.es/ecma262/#sec-array.prototype.indexof indexOf: createMethod(false) }; },{"../internals/to-absolute-index":373,"../internals/to-indexed-object":374,"../internals/to-length":376}],267:[function(_dereq_,module,exports){ var bind = _dereq_('../internals/function-bind-context'); var IndexedObject = _dereq_('../internals/indexed-object'); var toObject = _dereq_('../internals/to-object'); var toLength = _dereq_('../internals/to-length'); var arraySpeciesCreate = _dereq_('../internals/array-species-create'); var push = [].push; // `Array.prototype.{ forEach, map, filter, some, every, find, findIndex, filterOut }` methods implementation var createMethod = function (TYPE) { var IS_MAP = TYPE == 1; var IS_FILTER = TYPE == 2; var IS_SOME = TYPE == 3; var IS_EVERY = TYPE == 4; var IS_FIND_INDEX = TYPE == 6; var IS_FILTER_OUT = TYPE == 7; var NO_HOLES = TYPE == 5 || IS_FIND_INDEX; return function ($this, callbackfn, that, specificCreate) { var O = toObject($this); var self = IndexedObject(O); var boundFunction = bind(callbackfn, that, 3); var length = toLength(self.length); var index = 0; var create = specificCreate || arraySpeciesCreate; var target = IS_MAP ? create($this, length) : IS_FILTER || IS_FILTER_OUT ? create($this, 0) : undefined; var value, result; for (;length > index; index++) if (NO_HOLES || index in self) { value = self[index]; result = boundFunction(value, index, O); if (TYPE) { if (IS_MAP) target[index] = result; // map else if (result) switch (TYPE) { case 3: return true; // some case 5: return value; // find case 6: return index; // findIndex case 2: push.call(target, value); // filter } else switch (TYPE) { case 4: return false; // every case 7: push.call(target, value); // filterOut } } } return IS_FIND_INDEX ? -1 : IS_SOME || IS_EVERY ? IS_EVERY : target; }; }; module.exports = { // `Array.prototype.forEach` method // https://tc39.es/ecma262/#sec-array.prototype.foreach forEach: createMethod(0), // `Array.prototype.map` method // https://tc39.es/ecma262/#sec-array.prototype.map map: createMethod(1), // `Array.prototype.filter` method // https://tc39.es/ecma262/#sec-array.prototype.filter filter: createMethod(2), // `Array.prototype.some` method // https://tc39.es/ecma262/#sec-array.prototype.some some: createMethod(3), // `Array.prototype.every` method // https://tc39.es/ecma262/#sec-array.prototype.every every: createMethod(4), // `Array.prototype.find` method // https://tc39.es/ecma262/#sec-array.prototype.find find: createMethod(5), // `Array.prototype.findIndex` method // https://tc39.es/ecma262/#sec-array.prototype.findIndex findIndex: createMethod(6), // `Array.prototype.filterOut` method // https://github.com/tc39/proposal-array-filtering filterOut: createMethod(7) }; },{"../internals/array-species-create":272,"../internals/function-bind-context":304,"../internals/indexed-object":316,"../internals/to-length":376,"../internals/to-object":377}],268:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var V8_VERSION = _dereq_('../internals/engine-v8-version'); var SPECIES = wellKnownSymbol('species'); module.exports = function (METHOD_NAME) { // We can't use this feature detection in V8 since it causes // deoptimization and serious performance degradation // https://github.com/zloirock/core-js/issues/677 return V8_VERSION >= 51 || !fails(function () { var array = []; var constructor = array.constructor = {}; constructor[SPECIES] = function () { return { foo: 1 }; }; return array[METHOD_NAME](Boolean).foo !== 1; }); }; },{"../internals/engine-v8-version":298,"../internals/fails":302,"../internals/well-known-symbol":383}],269:[function(_dereq_,module,exports){ 'use strict'; var fails = _dereq_('../internals/fails'); module.exports = function (METHOD_NAME, argument) { var method = [][METHOD_NAME]; return !!method && fails(function () { // eslint-disable-next-line no-useless-call,no-throw-literal method.call(null, argument || function () { throw 1; }, 1); }); }; },{"../internals/fails":302}],270:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var fails = _dereq_('../internals/fails'); var has = _dereq_('../internals/has'); var defineProperty = Object.defineProperty; var cache = {}; var thrower = function (it) { throw it; }; module.exports = function (METHOD_NAME, options) { if (has(cache, METHOD_NAME)) return cache[METHOD_NAME]; if (!options) options = {}; var method = [][METHOD_NAME]; var ACCESSORS = has(options, 'ACCESSORS') ? options.ACCESSORS : false; var argument0 = has(options, 0) ? options[0] : thrower; var argument1 = has(options, 1) ? options[1] : undefined; return cache[METHOD_NAME] = !!method && !fails(function () { if (ACCESSORS && !DESCRIPTORS) return true; var O = { length: -1 }; if (ACCESSORS) defineProperty(O, 1, { enumerable: true, get: thrower }); else O[1] = 1; method.call(O, argument0, argument1); }); }; },{"../internals/descriptors":291,"../internals/fails":302,"../internals/has":311}],271:[function(_dereq_,module,exports){ var aFunction = _dereq_('../internals/a-function'); var toObject = _dereq_('../internals/to-object'); var IndexedObject = _dereq_('../internals/indexed-object'); var toLength = _dereq_('../internals/to-length'); // `Array.prototype.{ reduce, reduceRight }` methods implementation var createMethod = function (IS_RIGHT) { return function (that, callbackfn, argumentsLength, memo) { aFunction(callbackfn); var O = toObject(that); var self = IndexedObject(O); var length = toLength(O.length); var index = IS_RIGHT ? length - 1 : 0; var i = IS_RIGHT ? -1 : 1; if (argumentsLength < 2) while (true) { if (index in self) { memo = self[index]; index += i; break; } index += i; if (IS_RIGHT ? index < 0 : length <= index) { throw TypeError('Reduce of empty array with no initial value'); } } for (;IS_RIGHT ? index >= 0 : length > index; index += i) if (index in self) { memo = callbackfn(memo, self[index], index, O); } return memo; }; }; module.exports = { // `Array.prototype.reduce` method // https://tc39.es/ecma262/#sec-array.prototype.reduce left: createMethod(false), // `Array.prototype.reduceRight` method // https://tc39.es/ecma262/#sec-array.prototype.reduceright right: createMethod(true) }; },{"../internals/a-function":259,"../internals/indexed-object":316,"../internals/to-length":376,"../internals/to-object":377}],272:[function(_dereq_,module,exports){ var isObject = _dereq_('../internals/is-object'); var isArray = _dereq_('../internals/is-array'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var SPECIES = wellKnownSymbol('species'); // `ArraySpeciesCreate` abstract operation // https://tc39.es/ecma262/#sec-arrayspeciescreate module.exports = function (originalArray, length) { var C; if (isArray(originalArray)) { C = originalArray.constructor; // cross-realm fallback if (typeof C == 'function' && (C === Array || isArray(C.prototype))) C = undefined; else if (isObject(C)) { C = C[SPECIES]; if (C === null) C = undefined; } } return new (C === undefined ? Array : C)(length === 0 ? 0 : length); }; },{"../internals/is-array":321,"../internals/is-object":325,"../internals/well-known-symbol":383}],273:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var iteratorClose = _dereq_('../internals/iterator-close'); // call something on iterator step with safe closing on error module.exports = function (iterator, fn, value, ENTRIES) { try { return ENTRIES ? fn(anObject(value)[0], value[1]) : fn(value); // 7.4.6 IteratorClose(iterator, completion) } catch (error) { iteratorClose(iterator); throw error; } }; },{"../internals/an-object":263,"../internals/iterator-close":329}],274:[function(_dereq_,module,exports){ var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var ITERATOR = wellKnownSymbol('iterator'); var SAFE_CLOSING = false; try { var called = 0; var iteratorWithReturn = { next: function () { return { done: !!called++ }; }, 'return': function () { SAFE_CLOSING = true; } }; iteratorWithReturn[ITERATOR] = function () { return this; }; // eslint-disable-next-line no-throw-literal Array.from(iteratorWithReturn, function () { throw 2; }); } catch (error) { /* empty */ } module.exports = function (exec, SKIP_CLOSING) { if (!SKIP_CLOSING && !SAFE_CLOSING) return false; var ITERATION_SUPPORT = false; try { var object = {}; object[ITERATOR] = function () { return { next: function () { return { done: ITERATION_SUPPORT = true }; } }; }; exec(object); } catch (error) { /* empty */ } return ITERATION_SUPPORT; }; },{"../internals/well-known-symbol":383}],275:[function(_dereq_,module,exports){ var toString = {}.toString; module.exports = function (it) { return toString.call(it).slice(8, -1); }; },{}],276:[function(_dereq_,module,exports){ var TO_STRING_TAG_SUPPORT = _dereq_('../internals/to-string-tag-support'); var classofRaw = _dereq_('../internals/classof-raw'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var TO_STRING_TAG = wellKnownSymbol('toStringTag'); // ES3 wrong here var CORRECT_ARGUMENTS = classofRaw(function () { return arguments; }()) == 'Arguments'; // fallback for IE11 Script Access Denied error var tryGet = function (it, key) { try { return it[key]; } catch (error) { /* empty */ } }; // getting tag from ES6+ `Object.prototype.toString` module.exports = TO_STRING_TAG_SUPPORT ? classofRaw : function (it) { var O, tag, result; return it === undefined ? 'Undefined' : it === null ? 'Null' // @@toStringTag case : typeof (tag = tryGet(O = Object(it), TO_STRING_TAG)) == 'string' ? tag // builtinTag case : CORRECT_ARGUMENTS ? classofRaw(O) // ES3 arguments fallback : (result = classofRaw(O)) == 'Object' && typeof O.callee == 'function' ? 'Arguments' : result; }; },{"../internals/classof-raw":275,"../internals/to-string-tag-support":379,"../internals/well-known-symbol":383}],277:[function(_dereq_,module,exports){ 'use strict'; var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); // https://github.com/tc39/collection-methods module.exports = function (/* ...elements */) { var collection = anObject(this); var remover = aFunction(collection['delete']); var allDeleted = true; var wasDeleted; for (var k = 0, len = arguments.length; k < len; k++) { wasDeleted = remover.call(collection, arguments[k]); allDeleted = allDeleted && wasDeleted; } return !!allDeleted; }; },{"../internals/a-function":259,"../internals/an-object":263}],278:[function(_dereq_,module,exports){ 'use strict'; // https://tc39.github.io/proposal-setmap-offrom/ var aFunction = _dereq_('../internals/a-function'); var bind = _dereq_('../internals/function-bind-context'); var iterate = _dereq_('../internals/iterate'); module.exports = function from(source /* , mapFn, thisArg */) { var length = arguments.length; var mapFn = length > 1 ? arguments[1] : undefined; var mapping, array, n, boundFunction; aFunction(this); mapping = mapFn !== undefined; if (mapping) aFunction(mapFn); if (source == undefined) return new this(); array = []; if (mapping) { n = 0; boundFunction = bind(mapFn, length > 2 ? arguments[2] : undefined, 2); iterate(source, function (nextItem) { array.push(boundFunction(nextItem, n++)); }); } else { iterate(source, array.push, { that: array }); } return new this(array); }; },{"../internals/a-function":259,"../internals/function-bind-context":304,"../internals/iterate":328}],279:[function(_dereq_,module,exports){ 'use strict'; // https://tc39.github.io/proposal-setmap-offrom/ module.exports = function of() { var length = arguments.length; var A = new Array(length); while (length--) A[length] = arguments[length]; return new this(A); }; },{}],280:[function(_dereq_,module,exports){ 'use strict'; var defineProperty = _dereq_('../internals/object-define-property').f; var create = _dereq_('../internals/object-create'); var redefineAll = _dereq_('../internals/redefine-all'); var bind = _dereq_('../internals/function-bind-context'); var anInstance = _dereq_('../internals/an-instance'); var iterate = _dereq_('../internals/iterate'); var defineIterator = _dereq_('../internals/define-iterator'); var setSpecies = _dereq_('../internals/set-species'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var fastKey = _dereq_('../internals/internal-metadata').fastKey; var InternalStateModule = _dereq_('../internals/internal-state'); var setInternalState = InternalStateModule.set; var internalStateGetterFor = InternalStateModule.getterFor; module.exports = { getConstructor: function (wrapper, CONSTRUCTOR_NAME, IS_MAP, ADDER) { var C = wrapper(function (that, iterable) { anInstance(that, C, CONSTRUCTOR_NAME); setInternalState(that, { type: CONSTRUCTOR_NAME, index: create(null), first: undefined, last: undefined, size: 0 }); if (!DESCRIPTORS) that.size = 0; if (iterable != undefined) iterate(iterable, that[ADDER], { that: that, AS_ENTRIES: IS_MAP }); }); var getInternalState = internalStateGetterFor(CONSTRUCTOR_NAME); var define = function (that, key, value) { var state = getInternalState(that); var entry = getEntry(that, key); var previous, index; // change existing entry if (entry) { entry.value = value; // create new entry } else { state.last = entry = { index: index = fastKey(key, true), key: key, value: value, previous: previous = state.last, next: undefined, removed: false }; if (!state.first) state.first = entry; if (previous) previous.next = entry; if (DESCRIPTORS) state.size++; else that.size++; // add to index if (index !== 'F') state.index[index] = entry; } return that; }; var getEntry = function (that, key) { var state = getInternalState(that); // fast case var index = fastKey(key); var entry; if (index !== 'F') return state.index[index]; // frozen object case for (entry = state.first; entry; entry = entry.next) { if (entry.key == key) return entry; } }; redefineAll(C.prototype, { // 23.1.3.1 Map.prototype.clear() // 23.2.3.2 Set.prototype.clear() clear: function clear() { var that = this; var state = getInternalState(that); var data = state.index; var entry = state.first; while (entry) { entry.removed = true; if (entry.previous) entry.previous = entry.previous.next = undefined; delete data[entry.index]; entry = entry.next; } state.first = state.last = undefined; if (DESCRIPTORS) state.size = 0; else that.size = 0; }, // 23.1.3.3 Map.prototype.delete(key) // 23.2.3.4 Set.prototype.delete(value) 'delete': function (key) { var that = this; var state = getInternalState(that); var entry = getEntry(that, key); if (entry) { var next = entry.next; var prev = entry.previous; delete state.index[entry.index]; entry.removed = true; if (prev) prev.next = next; if (next) next.previous = prev; if (state.first == entry) state.first = next; if (state.last == entry) state.last = prev; if (DESCRIPTORS) state.size--; else that.size--; } return !!entry; }, // 23.2.3.6 Set.prototype.forEach(callbackfn, thisArg = undefined) // 23.1.3.5 Map.prototype.forEach(callbackfn, thisArg = undefined) forEach: function forEach(callbackfn /* , that = undefined */) { var state = getInternalState(this); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); var entry; while (entry = entry ? entry.next : state.first) { boundFunction(entry.value, entry.key, this); // revert to the last existing entry while (entry && entry.removed) entry = entry.previous; } }, // 23.1.3.7 Map.prototype.has(key) // 23.2.3.7 Set.prototype.has(value) has: function has(key) { return !!getEntry(this, key); } }); redefineAll(C.prototype, IS_MAP ? { // 23.1.3.6 Map.prototype.get(key) get: function get(key) { var entry = getEntry(this, key); return entry && entry.value; }, // 23.1.3.9 Map.prototype.set(key, value) set: function set(key, value) { return define(this, key === 0 ? 0 : key, value); } } : { // 23.2.3.1 Set.prototype.add(value) add: function add(value) { return define(this, value = value === 0 ? 0 : value, value); } }); if (DESCRIPTORS) defineProperty(C.prototype, 'size', { get: function () { return getInternalState(this).size; } }); return C; }, setStrong: function (C, CONSTRUCTOR_NAME, IS_MAP) { var ITERATOR_NAME = CONSTRUCTOR_NAME + ' Iterator'; var getInternalCollectionState = internalStateGetterFor(CONSTRUCTOR_NAME); var getInternalIteratorState = internalStateGetterFor(ITERATOR_NAME); // add .keys, .values, .entries, [@@iterator] // 23.1.3.4, 23.1.3.8, 23.1.3.11, 23.1.3.12, 23.2.3.5, 23.2.3.8, 23.2.3.10, 23.2.3.11 defineIterator(C, CONSTRUCTOR_NAME, function (iterated, kind) { setInternalState(this, { type: ITERATOR_NAME, target: iterated, state: getInternalCollectionState(iterated), kind: kind, last: undefined }); }, function () { var state = getInternalIteratorState(this); var kind = state.kind; var entry = state.last; // revert to the last existing entry while (entry && entry.removed) entry = entry.previous; // get next entry if (!state.target || !(state.last = entry = entry ? entry.next : state.state.first)) { // or finish the iteration state.target = undefined; return { value: undefined, done: true }; } // return step by kind if (kind == 'keys') return { value: entry.key, done: false }; if (kind == 'values') return { value: entry.value, done: false }; return { value: [entry.key, entry.value], done: false }; }, IS_MAP ? 'entries' : 'values', !IS_MAP, true); // add [@@species], 23.1.2.2, 23.2.2.2 setSpecies(CONSTRUCTOR_NAME); } }; },{"../internals/an-instance":262,"../internals/define-iterator":289,"../internals/descriptors":291,"../internals/function-bind-context":304,"../internals/internal-metadata":318,"../internals/internal-state":319,"../internals/iterate":328,"../internals/object-create":341,"../internals/object-define-property":343,"../internals/redefine-all":359,"../internals/set-species":364}],281:[function(_dereq_,module,exports){ 'use strict'; var redefineAll = _dereq_('../internals/redefine-all'); var getWeakData = _dereq_('../internals/internal-metadata').getWeakData; var anObject = _dereq_('../internals/an-object'); var isObject = _dereq_('../internals/is-object'); var anInstance = _dereq_('../internals/an-instance'); var iterate = _dereq_('../internals/iterate'); var ArrayIterationModule = _dereq_('../internals/array-iteration'); var $has = _dereq_('../internals/has'); var InternalStateModule = _dereq_('../internals/internal-state'); var setInternalState = InternalStateModule.set; var internalStateGetterFor = InternalStateModule.getterFor; var find = ArrayIterationModule.find; var findIndex = ArrayIterationModule.findIndex; var id = 0; // fallback for uncaught frozen keys var uncaughtFrozenStore = function (store) { return store.frozen || (store.frozen = new UncaughtFrozenStore()); }; var UncaughtFrozenStore = function () { this.entries = []; }; var findUncaughtFrozen = function (store, key) { return find(store.entries, function (it) { return it[0] === key; }); }; UncaughtFrozenStore.prototype = { get: function (key) { var entry = findUncaughtFrozen(this, key); if (entry) return entry[1]; }, has: function (key) { return !!findUncaughtFrozen(this, key); }, set: function (key, value) { var entry = findUncaughtFrozen(this, key); if (entry) entry[1] = value; else this.entries.push([key, value]); }, 'delete': function (key) { var index = findIndex(this.entries, function (it) { return it[0] === key; }); if (~index) this.entries.splice(index, 1); return !!~index; } }; module.exports = { getConstructor: function (wrapper, CONSTRUCTOR_NAME, IS_MAP, ADDER) { var C = wrapper(function (that, iterable) { anInstance(that, C, CONSTRUCTOR_NAME); setInternalState(that, { type: CONSTRUCTOR_NAME, id: id++, frozen: undefined }); if (iterable != undefined) iterate(iterable, that[ADDER], { that: that, AS_ENTRIES: IS_MAP }); }); var getInternalState = internalStateGetterFor(CONSTRUCTOR_NAME); var define = function (that, key, value) { var state = getInternalState(that); var data = getWeakData(anObject(key), true); if (data === true) uncaughtFrozenStore(state).set(key, value); else data[state.id] = value; return that; }; redefineAll(C.prototype, { // 23.3.3.2 WeakMap.prototype.delete(key) // 23.4.3.3 WeakSet.prototype.delete(value) 'delete': function (key) { var state = getInternalState(this); if (!isObject(key)) return false; var data = getWeakData(key); if (data === true) return uncaughtFrozenStore(state)['delete'](key); return data && $has(data, state.id) && delete data[state.id]; }, // 23.3.3.4 WeakMap.prototype.has(key) // 23.4.3.4 WeakSet.prototype.has(value) has: function has(key) { var state = getInternalState(this); if (!isObject(key)) return false; var data = getWeakData(key); if (data === true) return uncaughtFrozenStore(state).has(key); return data && $has(data, state.id); } }); redefineAll(C.prototype, IS_MAP ? { // 23.3.3.3 WeakMap.prototype.get(key) get: function get(key) { var state = getInternalState(this); if (isObject(key)) { var data = getWeakData(key); if (data === true) return uncaughtFrozenStore(state).get(key); return data ? data[state.id] : undefined; } }, // 23.3.3.5 WeakMap.prototype.set(key, value) set: function set(key, value) { return define(this, key, value); } } : { // 23.4.3.1 WeakSet.prototype.add(value) add: function add(value) { return define(this, value, true); } }); return C; } }; },{"../internals/an-instance":262,"../internals/an-object":263,"../internals/array-iteration":267,"../internals/has":311,"../internals/internal-metadata":318,"../internals/internal-state":319,"../internals/is-object":325,"../internals/iterate":328,"../internals/redefine-all":359}],282:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('./export'); var global = _dereq_('../internals/global'); var InternalMetadataModule = _dereq_('../internals/internal-metadata'); var fails = _dereq_('../internals/fails'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var iterate = _dereq_('../internals/iterate'); var anInstance = _dereq_('../internals/an-instance'); var isObject = _dereq_('../internals/is-object'); var setToStringTag = _dereq_('../internals/set-to-string-tag'); var defineProperty = _dereq_('../internals/object-define-property').f; var forEach = _dereq_('../internals/array-iteration').forEach; var DESCRIPTORS = _dereq_('../internals/descriptors'); var InternalStateModule = _dereq_('../internals/internal-state'); var setInternalState = InternalStateModule.set; var internalStateGetterFor = InternalStateModule.getterFor; module.exports = function (CONSTRUCTOR_NAME, wrapper, common) { var IS_MAP = CONSTRUCTOR_NAME.indexOf('Map') !== -1; var IS_WEAK = CONSTRUCTOR_NAME.indexOf('Weak') !== -1; var ADDER = IS_MAP ? 'set' : 'add'; var NativeConstructor = global[CONSTRUCTOR_NAME]; var NativePrototype = NativeConstructor && NativeConstructor.prototype; var exported = {}; var Constructor; if (!DESCRIPTORS || typeof NativeConstructor != 'function' || !(IS_WEAK || NativePrototype.forEach && !fails(function () { new NativeConstructor().entries().next(); })) ) { // create collection constructor Constructor = common.getConstructor(wrapper, CONSTRUCTOR_NAME, IS_MAP, ADDER); InternalMetadataModule.REQUIRED = true; } else { Constructor = wrapper(function (target, iterable) { setInternalState(anInstance(target, Constructor, CONSTRUCTOR_NAME), { type: CONSTRUCTOR_NAME, collection: new NativeConstructor() }); if (iterable != undefined) iterate(iterable, target[ADDER], { that: target, AS_ENTRIES: IS_MAP }); }); var getInternalState = internalStateGetterFor(CONSTRUCTOR_NAME); forEach(['add', 'clear', 'delete', 'forEach', 'get', 'has', 'set', 'keys', 'values', 'entries'], function (KEY) { var IS_ADDER = KEY == 'add' || KEY == 'set'; if (KEY in NativePrototype && !(IS_WEAK && KEY == 'clear')) { createNonEnumerableProperty(Constructor.prototype, KEY, function (a, b) { var collection = getInternalState(this).collection; if (!IS_ADDER && IS_WEAK && !isObject(a)) return KEY == 'get' ? undefined : false; var result = collection[KEY](a === 0 ? 0 : a, b); return IS_ADDER ? this : result; }); } }); IS_WEAK || defineProperty(Constructor.prototype, 'size', { configurable: true, get: function () { return getInternalState(this).collection.size; } }); } setToStringTag(Constructor, CONSTRUCTOR_NAME, false, true); exported[CONSTRUCTOR_NAME] = Constructor; $({ global: true, forced: true }, exported); if (!IS_WEAK) common.setStrong(Constructor, CONSTRUCTOR_NAME, IS_MAP); return Constructor; }; },{"../internals/an-instance":262,"../internals/array-iteration":267,"../internals/create-non-enumerable-property":286,"../internals/descriptors":291,"../internals/fails":302,"../internals/global":310,"../internals/internal-metadata":318,"../internals/internal-state":319,"../internals/is-object":325,"../internals/iterate":328,"../internals/object-define-property":343,"../internals/set-to-string-tag":365,"./export":301}],283:[function(_dereq_,module,exports){ var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var MATCH = wellKnownSymbol('match'); module.exports = function (METHOD_NAME) { var regexp = /./; try { '/./'[METHOD_NAME](regexp); } catch (error1) { try { regexp[MATCH] = false; return '/./'[METHOD_NAME](regexp); } catch (error2) { /* empty */ } } return false; }; },{"../internals/well-known-symbol":383}],284:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); module.exports = !fails(function () { function F() { /* empty */ } F.prototype.constructor = null; return Object.getPrototypeOf(new F()) !== F.prototype; }); },{"../internals/fails":302}],285:[function(_dereq_,module,exports){ 'use strict'; var IteratorPrototype = _dereq_('../internals/iterators-core').IteratorPrototype; var create = _dereq_('../internals/object-create'); var createPropertyDescriptor = _dereq_('../internals/create-property-descriptor'); var setToStringTag = _dereq_('../internals/set-to-string-tag'); var Iterators = _dereq_('../internals/iterators'); var returnThis = function () { return this; }; module.exports = function (IteratorConstructor, NAME, next) { var TO_STRING_TAG = NAME + ' Iterator'; IteratorConstructor.prototype = create(IteratorPrototype, { next: createPropertyDescriptor(1, next) }); setToStringTag(IteratorConstructor, TO_STRING_TAG, false, true); Iterators[TO_STRING_TAG] = returnThis; return IteratorConstructor; }; },{"../internals/create-property-descriptor":287,"../internals/iterators":331,"../internals/iterators-core":330,"../internals/object-create":341,"../internals/set-to-string-tag":365}],286:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var definePropertyModule = _dereq_('../internals/object-define-property'); var createPropertyDescriptor = _dereq_('../internals/create-property-descriptor'); module.exports = DESCRIPTORS ? function (object, key, value) { return definePropertyModule.f(object, key, createPropertyDescriptor(1, value)); } : function (object, key, value) { object[key] = value; return object; }; },{"../internals/create-property-descriptor":287,"../internals/descriptors":291,"../internals/object-define-property":343}],287:[function(_dereq_,module,exports){ module.exports = function (bitmap, value) { return { enumerable: !(bitmap & 1), configurable: !(bitmap & 2), writable: !(bitmap & 4), value: value }; }; },{}],288:[function(_dereq_,module,exports){ 'use strict'; var toPrimitive = _dereq_('../internals/to-primitive'); var definePropertyModule = _dereq_('../internals/object-define-property'); var createPropertyDescriptor = _dereq_('../internals/create-property-descriptor'); module.exports = function (object, key, value) { var propertyKey = toPrimitive(key); if (propertyKey in object) definePropertyModule.f(object, propertyKey, createPropertyDescriptor(0, value)); else object[propertyKey] = value; }; },{"../internals/create-property-descriptor":287,"../internals/object-define-property":343,"../internals/to-primitive":378}],289:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var createIteratorConstructor = _dereq_('../internals/create-iterator-constructor'); var getPrototypeOf = _dereq_('../internals/object-get-prototype-of'); var setPrototypeOf = _dereq_('../internals/object-set-prototype-of'); var setToStringTag = _dereq_('../internals/set-to-string-tag'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var redefine = _dereq_('../internals/redefine'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var IS_PURE = _dereq_('../internals/is-pure'); var Iterators = _dereq_('../internals/iterators'); var IteratorsCore = _dereq_('../internals/iterators-core'); var IteratorPrototype = IteratorsCore.IteratorPrototype; var BUGGY_SAFARI_ITERATORS = IteratorsCore.BUGGY_SAFARI_ITERATORS; var ITERATOR = wellKnownSymbol('iterator'); var KEYS = 'keys'; var VALUES = 'values'; var ENTRIES = 'entries'; var returnThis = function () { return this; }; module.exports = function (Iterable, NAME, IteratorConstructor, next, DEFAULT, IS_SET, FORCED) { createIteratorConstructor(IteratorConstructor, NAME, next); var getIterationMethod = function (KIND) { if (KIND === DEFAULT && defaultIterator) return defaultIterator; if (!BUGGY_SAFARI_ITERATORS && KIND in IterablePrototype) return IterablePrototype[KIND]; switch (KIND) { case KEYS: return function keys() { return new IteratorConstructor(this, KIND); }; case VALUES: return function values() { return new IteratorConstructor(this, KIND); }; case ENTRIES: return function entries() { return new IteratorConstructor(this, KIND); }; } return function () { return new IteratorConstructor(this); }; }; var TO_STRING_TAG = NAME + ' Iterator'; var INCORRECT_VALUES_NAME = false; var IterablePrototype = Iterable.prototype; var nativeIterator = IterablePrototype[ITERATOR] || IterablePrototype['@@iterator'] || DEFAULT && IterablePrototype[DEFAULT]; var defaultIterator = !BUGGY_SAFARI_ITERATORS && nativeIterator || getIterationMethod(DEFAULT); var anyNativeIterator = NAME == 'Array' ? IterablePrototype.entries || nativeIterator : nativeIterator; var CurrentIteratorPrototype, methods, KEY; // fix native if (anyNativeIterator) { CurrentIteratorPrototype = getPrototypeOf(anyNativeIterator.call(new Iterable())); if (IteratorPrototype !== Object.prototype && CurrentIteratorPrototype.next) { if (!IS_PURE && getPrototypeOf(CurrentIteratorPrototype) !== IteratorPrototype) { if (setPrototypeOf) { setPrototypeOf(CurrentIteratorPrototype, IteratorPrototype); } else if (typeof CurrentIteratorPrototype[ITERATOR] != 'function') { createNonEnumerableProperty(CurrentIteratorPrototype, ITERATOR, returnThis); } } // Set @@toStringTag to native iterators setToStringTag(CurrentIteratorPrototype, TO_STRING_TAG, true, true); if (IS_PURE) Iterators[TO_STRING_TAG] = returnThis; } } // fix Array#{values, @@iterator}.name in V8 / FF if (DEFAULT == VALUES && nativeIterator && nativeIterator.name !== VALUES) { INCORRECT_VALUES_NAME = true; defaultIterator = function values() { return nativeIterator.call(this); }; } // define iterator if ((!IS_PURE || FORCED) && IterablePrototype[ITERATOR] !== defaultIterator) { createNonEnumerableProperty(IterablePrototype, ITERATOR, defaultIterator); } Iterators[NAME] = defaultIterator; // export additional methods if (DEFAULT) { methods = { values: getIterationMethod(VALUES), keys: IS_SET ? defaultIterator : getIterationMethod(KEYS), entries: getIterationMethod(ENTRIES) }; if (FORCED) for (KEY in methods) { if (BUGGY_SAFARI_ITERATORS || INCORRECT_VALUES_NAME || !(KEY in IterablePrototype)) { redefine(IterablePrototype, KEY, methods[KEY]); } } else $({ target: NAME, proto: true, forced: BUGGY_SAFARI_ITERATORS || INCORRECT_VALUES_NAME }, methods); } return methods; }; },{"../internals/create-iterator-constructor":285,"../internals/create-non-enumerable-property":286,"../internals/export":301,"../internals/is-pure":326,"../internals/iterators":331,"../internals/iterators-core":330,"../internals/object-get-prototype-of":348,"../internals/object-set-prototype-of":352,"../internals/redefine":360,"../internals/set-to-string-tag":365,"../internals/well-known-symbol":383}],290:[function(_dereq_,module,exports){ var path = _dereq_('../internals/path'); var has = _dereq_('../internals/has'); var wrappedWellKnownSymbolModule = _dereq_('../internals/well-known-symbol-wrapped'); var defineProperty = _dereq_('../internals/object-define-property').f; module.exports = function (NAME) { var Symbol = path.Symbol || (path.Symbol = {}); if (!has(Symbol, NAME)) defineProperty(Symbol, NAME, { value: wrappedWellKnownSymbolModule.f(NAME) }); }; },{"../internals/has":311,"../internals/object-define-property":343,"../internals/path":356,"../internals/well-known-symbol-wrapped":382}],291:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); // Detect IE8's incomplete defineProperty implementation module.exports = !fails(function () { return Object.defineProperty({}, 1, { get: function () { return 7; } })[1] != 7; }); },{"../internals/fails":302}],292:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var isObject = _dereq_('../internals/is-object'); var document = global.document; // typeof document.createElement is 'object' in old IE var EXISTS = isObject(document) && isObject(document.createElement); module.exports = function (it) { return EXISTS ? document.createElement(it) : {}; }; },{"../internals/global":310,"../internals/is-object":325}],293:[function(_dereq_,module,exports){ // iterable DOM collections // flag - `iterable` interface - 'entries', 'keys', 'values', 'forEach' methods module.exports = { CSSRuleList: 0, CSSStyleDeclaration: 0, CSSValueList: 0, ClientRectList: 0, DOMRectList: 0, DOMStringList: 0, DOMTokenList: 1, DataTransferItemList: 0, FileList: 0, HTMLAllCollection: 0, HTMLCollection: 0, HTMLFormElement: 0, HTMLSelectElement: 0, MediaList: 0, MimeTypeArray: 0, NamedNodeMap: 0, NodeList: 1, PaintRequestList: 0, Plugin: 0, PluginArray: 0, SVGLengthList: 0, SVGNumberList: 0, SVGPathSegList: 0, SVGPointList: 0, SVGStringList: 0, SVGTransformList: 0, SourceBufferList: 0, StyleSheetList: 0, TextTrackCueList: 0, TextTrackList: 0, TouchList: 0 }; },{}],294:[function(_dereq_,module,exports){ var userAgent = _dereq_('../internals/engine-user-agent'); module.exports = /(iphone|ipod|ipad).*applewebkit/i.test(userAgent); },{"../internals/engine-user-agent":297}],295:[function(_dereq_,module,exports){ var classof = _dereq_('../internals/classof-raw'); var global = _dereq_('../internals/global'); module.exports = classof(global.process) == 'process'; },{"../internals/classof-raw":275,"../internals/global":310}],296:[function(_dereq_,module,exports){ var userAgent = _dereq_('../internals/engine-user-agent'); module.exports = /web0s(?!.*chrome)/i.test(userAgent); },{"../internals/engine-user-agent":297}],297:[function(_dereq_,module,exports){ var getBuiltIn = _dereq_('../internals/get-built-in'); module.exports = getBuiltIn('navigator', 'userAgent') || ''; },{"../internals/get-built-in":306}],298:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var userAgent = _dereq_('../internals/engine-user-agent'); var process = global.process; var versions = process && process.versions; var v8 = versions && versions.v8; var match, version; if (v8) { match = v8.split('.'); version = match[0] + match[1]; } else if (userAgent) { match = userAgent.match(/Edge\/(\d+)/); if (!match || match[1] >= 74) { match = userAgent.match(/Chrome\/(\d+)/); if (match) version = match[1]; } } module.exports = version && +version; },{"../internals/engine-user-agent":297,"../internals/global":310}],299:[function(_dereq_,module,exports){ var path = _dereq_('../internals/path'); module.exports = function (CONSTRUCTOR) { return path[CONSTRUCTOR + 'Prototype']; }; },{"../internals/path":356}],300:[function(_dereq_,module,exports){ // IE8- don't enum bug keys module.exports = [ 'constructor', 'hasOwnProperty', 'isPrototypeOf', 'propertyIsEnumerable', 'toLocaleString', 'toString', 'valueOf' ]; },{}],301:[function(_dereq_,module,exports){ 'use strict'; var global = _dereq_('../internals/global'); var getOwnPropertyDescriptor = _dereq_('../internals/object-get-own-property-descriptor').f; var isForced = _dereq_('../internals/is-forced'); var path = _dereq_('../internals/path'); var bind = _dereq_('../internals/function-bind-context'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var has = _dereq_('../internals/has'); var wrapConstructor = function (NativeConstructor) { var Wrapper = function (a, b, c) { if (this instanceof NativeConstructor) { switch (arguments.length) { case 0: return new NativeConstructor(); case 1: return new NativeConstructor(a); case 2: return new NativeConstructor(a, b); } return new NativeConstructor(a, b, c); } return NativeConstructor.apply(this, arguments); }; Wrapper.prototype = NativeConstructor.prototype; return Wrapper; }; /* options.target - name of the target object options.global - target is the global object options.stat - export as static methods of target options.proto - export as prototype methods of target options.real - real prototype method for the `pure` version options.forced - export even if the native feature is available options.bind - bind methods to the target, required for the `pure` version options.wrap - wrap constructors to preventing global pollution, required for the `pure` version options.unsafe - use the simple assignment of property instead of delete + defineProperty options.sham - add a flag to not completely full polyfills options.enumerable - export as enumerable property options.noTargetGet - prevent calling a getter on target */ module.exports = function (options, source) { var TARGET = options.target; var GLOBAL = options.global; var STATIC = options.stat; var PROTO = options.proto; var nativeSource = GLOBAL ? global : STATIC ? global[TARGET] : (global[TARGET] || {}).prototype; var target = GLOBAL ? path : path[TARGET] || (path[TARGET] = {}); var targetPrototype = target.prototype; var FORCED, USE_NATIVE, VIRTUAL_PROTOTYPE; var key, sourceProperty, targetProperty, nativeProperty, resultProperty, descriptor; for (key in source) { FORCED = isForced(GLOBAL ? key : TARGET + (STATIC ? '.' : '#') + key, options.forced); // contains in native USE_NATIVE = !FORCED && nativeSource && has(nativeSource, key); targetProperty = target[key]; if (USE_NATIVE) if (options.noTargetGet) { descriptor = getOwnPropertyDescriptor(nativeSource, key); nativeProperty = descriptor && descriptor.value; } else nativeProperty = nativeSource[key]; // export native or implementation sourceProperty = (USE_NATIVE && nativeProperty) ? nativeProperty : source[key]; if (USE_NATIVE && typeof targetProperty === typeof sourceProperty) continue; // bind timers to global for call from export context if (options.bind && USE_NATIVE) resultProperty = bind(sourceProperty, global); // wrap global constructors for prevent changs in this version else if (options.wrap && USE_NATIVE) resultProperty = wrapConstructor(sourceProperty); // make static versions for prototype methods else if (PROTO && typeof sourceProperty == 'function') resultProperty = bind(Function.call, sourceProperty); // default case else resultProperty = sourceProperty; // add a flag to not completely full polyfills if (options.sham || (sourceProperty && sourceProperty.sham) || (targetProperty && targetProperty.sham)) { createNonEnumerableProperty(resultProperty, 'sham', true); } target[key] = resultProperty; if (PROTO) { VIRTUAL_PROTOTYPE = TARGET + 'Prototype'; if (!has(path, VIRTUAL_PROTOTYPE)) { createNonEnumerableProperty(path, VIRTUAL_PROTOTYPE, {}); } // export virtual prototype methods path[VIRTUAL_PROTOTYPE][key] = sourceProperty; // export real prototype methods if (options.real && targetPrototype && !targetPrototype[key]) { createNonEnumerableProperty(targetPrototype, key, sourceProperty); } } } }; },{"../internals/create-non-enumerable-property":286,"../internals/function-bind-context":304,"../internals/global":310,"../internals/has":311,"../internals/is-forced":322,"../internals/object-get-own-property-descriptor":344,"../internals/path":356}],302:[function(_dereq_,module,exports){ module.exports = function (exec) { try { return !!exec(); } catch (error) { return true; } }; },{}],303:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); module.exports = !fails(function () { return Object.isExtensible(Object.preventExtensions({})); }); },{"../internals/fails":302}],304:[function(_dereq_,module,exports){ var aFunction = _dereq_('../internals/a-function'); // optional / simple context binding module.exports = function (fn, that, length) { aFunction(fn); if (that === undefined) return fn; switch (length) { case 0: return function () { return fn.call(that); }; case 1: return function (a) { return fn.call(that, a); }; case 2: return function (a, b) { return fn.call(that, a, b); }; case 3: return function (a, b, c) { return fn.call(that, a, b, c); }; } return function (/* ...args */) { return fn.apply(that, arguments); }; }; },{"../internals/a-function":259}],305:[function(_dereq_,module,exports){ 'use strict'; var aFunction = _dereq_('../internals/a-function'); var isObject = _dereq_('../internals/is-object'); var slice = [].slice; var factories = {}; var construct = function (C, argsLength, args) { if (!(argsLength in factories)) { for (var list = [], i = 0; i < argsLength; i++) list[i] = 'a[' + i + ']'; // eslint-disable-next-line no-new-func factories[argsLength] = Function('C,a', 'return new C(' + list.join(',') + ')'); } return factories[argsLength](C, args); }; // `Function.prototype.bind` method implementation // https://tc39.es/ecma262/#sec-function.prototype.bind module.exports = Function.bind || function bind(that /* , ...args */) { var fn = aFunction(this); var partArgs = slice.call(arguments, 1); var boundFunction = function bound(/* args... */) { var args = partArgs.concat(slice.call(arguments)); return this instanceof boundFunction ? construct(fn, args.length, args) : fn.apply(that, args); }; if (isObject(fn.prototype)) boundFunction.prototype = fn.prototype; return boundFunction; }; },{"../internals/a-function":259,"../internals/is-object":325}],306:[function(_dereq_,module,exports){ var path = _dereq_('../internals/path'); var global = _dereq_('../internals/global'); var aFunction = function (variable) { return typeof variable == 'function' ? variable : undefined; }; module.exports = function (namespace, method) { return arguments.length < 2 ? aFunction(path[namespace]) || aFunction(global[namespace]) : path[namespace] && path[namespace][method] || global[namespace] && global[namespace][method]; }; },{"../internals/global":310,"../internals/path":356}],307:[function(_dereq_,module,exports){ var classof = _dereq_('../internals/classof'); var Iterators = _dereq_('../internals/iterators'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var ITERATOR = wellKnownSymbol('iterator'); module.exports = function (it) { if (it != undefined) return it[ITERATOR] || it['@@iterator'] || Iterators[classof(it)]; }; },{"../internals/classof":276,"../internals/iterators":331,"../internals/well-known-symbol":383}],308:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var getIteratorMethod = _dereq_('../internals/get-iterator-method'); module.exports = function (it) { var iteratorMethod = getIteratorMethod(it); if (typeof iteratorMethod != 'function') { throw TypeError(String(it) + ' is not iterable'); } return anObject(iteratorMethod.call(it)); }; },{"../internals/an-object":263,"../internals/get-iterator-method":307}],309:[function(_dereq_,module,exports){ var IS_PURE = _dereq_('../internals/is-pure'); var getIterator = _dereq_('../internals/get-iterator'); module.exports = IS_PURE ? getIterator : function (it) { // eslint-disable-next-line no-undef return Map.prototype.entries.call(it); }; },{"../internals/get-iterator":308,"../internals/is-pure":326}],310:[function(_dereq_,module,exports){ (function (global){(function (){ var check = function (it) { return it && it.Math == Math && it; }; // https://github.com/zloirock/core-js/issues/86#issuecomment-115759028 module.exports = // eslint-disable-next-line no-undef check(typeof globalThis == 'object' && globalThis) || check(typeof window == 'object' && window) || check(typeof self == 'object' && self) || check(typeof global == 'object' && global) || // eslint-disable-next-line no-new-func (function () { return this; })() || Function('return this')(); }).call(this)}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {}) },{}],311:[function(_dereq_,module,exports){ var hasOwnProperty = {}.hasOwnProperty; module.exports = function (it, key) { return hasOwnProperty.call(it, key); }; },{}],312:[function(_dereq_,module,exports){ module.exports = {}; },{}],313:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); module.exports = function (a, b) { var console = global.console; if (console && console.error) { arguments.length === 1 ? console.error(a) : console.error(a, b); } }; },{"../internals/global":310}],314:[function(_dereq_,module,exports){ var getBuiltIn = _dereq_('../internals/get-built-in'); module.exports = getBuiltIn('document', 'documentElement'); },{"../internals/get-built-in":306}],315:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var fails = _dereq_('../internals/fails'); var createElement = _dereq_('../internals/document-create-element'); // Thank's IE8 for his funny defineProperty module.exports = !DESCRIPTORS && !fails(function () { return Object.defineProperty(createElement('div'), 'a', { get: function () { return 7; } }).a != 7; }); },{"../internals/descriptors":291,"../internals/document-create-element":292,"../internals/fails":302}],316:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); var classof = _dereq_('../internals/classof-raw'); var split = ''.split; // fallback for non-array-like ES3 and non-enumerable old V8 strings module.exports = fails(function () { // throws an error in rhino, see https://github.com/mozilla/rhino/issues/346 // eslint-disable-next-line no-prototype-builtins return !Object('z').propertyIsEnumerable(0); }) ? function (it) { return classof(it) == 'String' ? split.call(it, '') : Object(it); } : Object; },{"../internals/classof-raw":275,"../internals/fails":302}],317:[function(_dereq_,module,exports){ var store = _dereq_('../internals/shared-store'); var functionToString = Function.toString; // this helper broken in `3.4.1-3.4.4`, so we can't use `shared` helper if (typeof store.inspectSource != 'function') { store.inspectSource = function (it) { return functionToString.call(it); }; } module.exports = store.inspectSource; },{"../internals/shared-store":367}],318:[function(_dereq_,module,exports){ var hiddenKeys = _dereq_('../internals/hidden-keys'); var isObject = _dereq_('../internals/is-object'); var has = _dereq_('../internals/has'); var defineProperty = _dereq_('../internals/object-define-property').f; var uid = _dereq_('../internals/uid'); var FREEZING = _dereq_('../internals/freezing'); var METADATA = uid('meta'); var id = 0; var isExtensible = Object.isExtensible || function () { return true; }; var setMetadata = function (it) { defineProperty(it, METADATA, { value: { objectID: 'O' + ++id, // object ID weakData: {} // weak collections IDs } }); }; var fastKey = function (it, create) { // return a primitive with prefix if (!isObject(it)) return typeof it == 'symbol' ? it : (typeof it == 'string' ? 'S' : 'P') + it; if (!has(it, METADATA)) { // can't set metadata to uncaught frozen object if (!isExtensible(it)) return 'F'; // not necessary to add metadata if (!create) return 'E'; // add missing metadata setMetadata(it); // return object ID } return it[METADATA].objectID; }; var getWeakData = function (it, create) { if (!has(it, METADATA)) { // can't set metadata to uncaught frozen object if (!isExtensible(it)) return true; // not necessary to add metadata if (!create) return false; // add missing metadata setMetadata(it); // return the store of weak collections IDs } return it[METADATA].weakData; }; // add metadata on freeze-family methods calling var onFreeze = function (it) { if (FREEZING && meta.REQUIRED && isExtensible(it) && !has(it, METADATA)) setMetadata(it); return it; }; var meta = module.exports = { REQUIRED: false, fastKey: fastKey, getWeakData: getWeakData, onFreeze: onFreeze }; hiddenKeys[METADATA] = true; },{"../internals/freezing":303,"../internals/has":311,"../internals/hidden-keys":312,"../internals/is-object":325,"../internals/object-define-property":343,"../internals/uid":380}],319:[function(_dereq_,module,exports){ var NATIVE_WEAK_MAP = _dereq_('../internals/native-weak-map'); var global = _dereq_('../internals/global'); var isObject = _dereq_('../internals/is-object'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var objectHas = _dereq_('../internals/has'); var shared = _dereq_('../internals/shared-store'); var sharedKey = _dereq_('../internals/shared-key'); var hiddenKeys = _dereq_('../internals/hidden-keys'); var WeakMap = global.WeakMap; var set, get, has; var enforce = function (it) { return has(it) ? get(it) : set(it, {}); }; var getterFor = function (TYPE) { return function (it) { var state; if (!isObject(it) || (state = get(it)).type !== TYPE) { throw TypeError('Incompatible receiver, ' + TYPE + ' required'); } return state; }; }; if (NATIVE_WEAK_MAP) { var store = shared.state || (shared.state = new WeakMap()); var wmget = store.get; var wmhas = store.has; var wmset = store.set; set = function (it, metadata) { metadata.facade = it; wmset.call(store, it, metadata); return metadata; }; get = function (it) { return wmget.call(store, it) || {}; }; has = function (it) { return wmhas.call(store, it); }; } else { var STATE = sharedKey('state'); hiddenKeys[STATE] = true; set = function (it, metadata) { metadata.facade = it; createNonEnumerableProperty(it, STATE, metadata); return metadata; }; get = function (it) { return objectHas(it, STATE) ? it[STATE] : {}; }; has = function (it) { return objectHas(it, STATE); }; } module.exports = { set: set, get: get, has: has, enforce: enforce, getterFor: getterFor }; },{"../internals/create-non-enumerable-property":286,"../internals/global":310,"../internals/has":311,"../internals/hidden-keys":312,"../internals/is-object":325,"../internals/native-weak-map":337,"../internals/shared-key":366,"../internals/shared-store":367}],320:[function(_dereq_,module,exports){ var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var Iterators = _dereq_('../internals/iterators'); var ITERATOR = wellKnownSymbol('iterator'); var ArrayPrototype = Array.prototype; // check on default Array iterator module.exports = function (it) { return it !== undefined && (Iterators.Array === it || ArrayPrototype[ITERATOR] === it); }; },{"../internals/iterators":331,"../internals/well-known-symbol":383}],321:[function(_dereq_,module,exports){ var classof = _dereq_('../internals/classof-raw'); // `IsArray` abstract operation // https://tc39.es/ecma262/#sec-isarray module.exports = Array.isArray || function isArray(arg) { return classof(arg) == 'Array'; }; },{"../internals/classof-raw":275}],322:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); var replacement = /#|\.prototype\./; var isForced = function (feature, detection) { var value = data[normalize(feature)]; return value == POLYFILL ? true : value == NATIVE ? false : typeof detection == 'function' ? fails(detection) : !!detection; }; var normalize = isForced.normalize = function (string) { return String(string).replace(replacement, '.').toLowerCase(); }; var data = isForced.data = {}; var NATIVE = isForced.NATIVE = 'N'; var POLYFILL = isForced.POLYFILL = 'P'; module.exports = isForced; },{"../internals/fails":302}],323:[function(_dereq_,module,exports){ var isObject = _dereq_('../internals/is-object'); var floor = Math.floor; // `Number.isInteger` method implementation // https://tc39.es/ecma262/#sec-number.isinteger module.exports = function isInteger(it) { return !isObject(it) && isFinite(it) && floor(it) === it; }; },{"../internals/is-object":325}],324:[function(_dereq_,module,exports){ var classof = _dereq_('../internals/classof'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var Iterators = _dereq_('../internals/iterators'); var ITERATOR = wellKnownSymbol('iterator'); module.exports = function (it) { var O = Object(it); return O[ITERATOR] !== undefined || '@@iterator' in O // eslint-disable-next-line no-prototype-builtins || Iterators.hasOwnProperty(classof(O)); }; },{"../internals/classof":276,"../internals/iterators":331,"../internals/well-known-symbol":383}],325:[function(_dereq_,module,exports){ module.exports = function (it) { return typeof it === 'object' ? it !== null : typeof it === 'function'; }; },{}],326:[function(_dereq_,module,exports){ module.exports = true; },{}],327:[function(_dereq_,module,exports){ var isObject = _dereq_('../internals/is-object'); var classof = _dereq_('../internals/classof-raw'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var MATCH = wellKnownSymbol('match'); // `IsRegExp` abstract operation // https://tc39.es/ecma262/#sec-isregexp module.exports = function (it) { var isRegExp; return isObject(it) && ((isRegExp = it[MATCH]) !== undefined ? !!isRegExp : classof(it) == 'RegExp'); }; },{"../internals/classof-raw":275,"../internals/is-object":325,"../internals/well-known-symbol":383}],328:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var isArrayIteratorMethod = _dereq_('../internals/is-array-iterator-method'); var toLength = _dereq_('../internals/to-length'); var bind = _dereq_('../internals/function-bind-context'); var getIteratorMethod = _dereq_('../internals/get-iterator-method'); var iteratorClose = _dereq_('../internals/iterator-close'); var Result = function (stopped, result) { this.stopped = stopped; this.result = result; }; module.exports = function (iterable, unboundFunction, options) { var that = options && options.that; var AS_ENTRIES = !!(options && options.AS_ENTRIES); var IS_ITERATOR = !!(options && options.IS_ITERATOR); var INTERRUPTED = !!(options && options.INTERRUPTED); var fn = bind(unboundFunction, that, 1 + AS_ENTRIES + INTERRUPTED); var iterator, iterFn, index, length, result, next, step; var stop = function (condition) { if (iterator) iteratorClose(iterator); return new Result(true, condition); }; var callFn = function (value) { if (AS_ENTRIES) { anObject(value); return INTERRUPTED ? fn(value[0], value[1], stop) : fn(value[0], value[1]); } return INTERRUPTED ? fn(value, stop) : fn(value); }; if (IS_ITERATOR) { iterator = iterable; } else { iterFn = getIteratorMethod(iterable); if (typeof iterFn != 'function') throw TypeError('Target is not iterable'); // optimisation for array iterators if (isArrayIteratorMethod(iterFn)) { for (index = 0, length = toLength(iterable.length); length > index; index++) { result = callFn(iterable[index]); if (result && result instanceof Result) return result; } return new Result(false); } iterator = iterFn.call(iterable); } next = iterator.next; while (!(step = next.call(iterator)).done) { try { result = callFn(step.value); } catch (error) { iteratorClose(iterator); throw error; } if (typeof result == 'object' && result && result instanceof Result) return result; } return new Result(false); }; },{"../internals/an-object":263,"../internals/function-bind-context":304,"../internals/get-iterator-method":307,"../internals/is-array-iterator-method":320,"../internals/iterator-close":329,"../internals/to-length":376}],329:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); module.exports = function (iterator) { var returnMethod = iterator['return']; if (returnMethod !== undefined) { return anObject(returnMethod.call(iterator)).value; } }; },{"../internals/an-object":263}],330:[function(_dereq_,module,exports){ 'use strict'; var fails = _dereq_('../internals/fails'); var getPrototypeOf = _dereq_('../internals/object-get-prototype-of'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var has = _dereq_('../internals/has'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var IS_PURE = _dereq_('../internals/is-pure'); var ITERATOR = wellKnownSymbol('iterator'); var BUGGY_SAFARI_ITERATORS = false; var returnThis = function () { return this; }; // `%IteratorPrototype%` object // https://tc39.es/ecma262/#sec-%iteratorprototype%-object var IteratorPrototype, PrototypeOfArrayIteratorPrototype, arrayIterator; if ([].keys) { arrayIterator = [].keys(); // Safari 8 has buggy iterators w/o `next` if (!('next' in arrayIterator)) BUGGY_SAFARI_ITERATORS = true; else { PrototypeOfArrayIteratorPrototype = getPrototypeOf(getPrototypeOf(arrayIterator)); if (PrototypeOfArrayIteratorPrototype !== Object.prototype) IteratorPrototype = PrototypeOfArrayIteratorPrototype; } } var NEW_ITERATOR_PROTOTYPE = IteratorPrototype == undefined || fails(function () { var test = {}; // FF44- legacy iterators case return IteratorPrototype[ITERATOR].call(test) !== test; }); if (NEW_ITERATOR_PROTOTYPE) IteratorPrototype = {}; // 25.1.2.1.1 %IteratorPrototype%[@@iterator]() if ((!IS_PURE || NEW_ITERATOR_PROTOTYPE) && !has(IteratorPrototype, ITERATOR)) { createNonEnumerableProperty(IteratorPrototype, ITERATOR, returnThis); } module.exports = { IteratorPrototype: IteratorPrototype, BUGGY_SAFARI_ITERATORS: BUGGY_SAFARI_ITERATORS }; },{"../internals/create-non-enumerable-property":286,"../internals/fails":302,"../internals/has":311,"../internals/is-pure":326,"../internals/object-get-prototype-of":348,"../internals/well-known-symbol":383}],331:[function(_dereq_,module,exports){ arguments[4][312][0].apply(exports,arguments) },{"dup":312}],332:[function(_dereq_,module,exports){ 'use strict'; var anObject = _dereq_('../internals/an-object'); // `Map.prototype.emplace` method // https://github.com/thumbsupep/proposal-upsert module.exports = function emplace(key, handler) { var map = anObject(this); var value = (map.has(key) && 'update' in handler) ? handler.update(map.get(key), key, map) : handler.insert(key, map); map.set(key, value); return value; }; },{"../internals/an-object":263}],333:[function(_dereq_,module,exports){ 'use strict'; var anObject = _dereq_('../internals/an-object'); // `Map.prototype.upsert` method // https://github.com/thumbsupep/proposal-upsert module.exports = function upsert(key, updateFn /* , insertFn */) { var map = anObject(this); var insertFn = arguments.length > 2 ? arguments[2] : undefined; var value; if (typeof updateFn != 'function' && typeof insertFn != 'function') { throw TypeError('At least one callback required'); } if (map.has(key)) { value = map.get(key); if (typeof updateFn == 'function') { value = updateFn(value); map.set(key, value); } } else if (typeof insertFn == 'function') { value = insertFn(); map.set(key, value); } return value; }; },{"../internals/an-object":263}],334:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var getOwnPropertyDescriptor = _dereq_('../internals/object-get-own-property-descriptor').f; var macrotask = _dereq_('../internals/task').set; var IS_IOS = _dereq_('../internals/engine-is-ios'); var IS_WEBOS_WEBKIT = _dereq_('../internals/engine-is-webos-webkit'); var IS_NODE = _dereq_('../internals/engine-is-node'); var MutationObserver = global.MutationObserver || global.WebKitMutationObserver; var document = global.document; var process = global.process; var Promise = global.Promise; // Node.js 11 shows ExperimentalWarning on getting `queueMicrotask` var queueMicrotaskDescriptor = getOwnPropertyDescriptor(global, 'queueMicrotask'); var queueMicrotask = queueMicrotaskDescriptor && queueMicrotaskDescriptor.value; var flush, head, last, notify, toggle, node, promise, then; // modern engines have queueMicrotask method if (!queueMicrotask) { flush = function () { var parent, fn; if (IS_NODE && (parent = process.domain)) parent.exit(); while (head) { fn = head.fn; head = head.next; try { fn(); } catch (error) { if (head) notify(); else last = undefined; throw error; } } last = undefined; if (parent) parent.enter(); }; // browsers with MutationObserver, except iOS - https://github.com/zloirock/core-js/issues/339 // also except WebOS Webkit https://github.com/zloirock/core-js/issues/898 if (!IS_IOS && !IS_NODE && !IS_WEBOS_WEBKIT && MutationObserver && document) { toggle = true; node = document.createTextNode(''); new MutationObserver(flush).observe(node, { characterData: true }); notify = function () { node.data = toggle = !toggle; }; // environments with maybe non-completely correct, but existent Promise } else if (Promise && Promise.resolve) { // Promise.resolve without an argument throws an error in LG WebOS 2 promise = Promise.resolve(undefined); then = promise.then; notify = function () { then.call(promise, flush); }; // Node.js without promises } else if (IS_NODE) { notify = function () { process.nextTick(flush); }; // for other environments - macrotask based on: // - setImmediate // - MessageChannel // - window.postMessag // - onreadystatechange // - setTimeout } else { notify = function () { // strange IE + webpack dev server bug - use .call(global) macrotask.call(global, flush); }; } } module.exports = queueMicrotask || function (fn) { var task = { fn: fn, next: undefined }; if (last) last.next = task; if (!head) { head = task; notify(); } last = task; }; },{"../internals/engine-is-ios":294,"../internals/engine-is-node":295,"../internals/engine-is-webos-webkit":296,"../internals/global":310,"../internals/object-get-own-property-descriptor":344,"../internals/task":372}],335:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); module.exports = global.Promise; },{"../internals/global":310}],336:[function(_dereq_,module,exports){ var fails = _dereq_('../internals/fails'); module.exports = !!Object.getOwnPropertySymbols && !fails(function () { // Chrome 38 Symbol has incorrect toString conversion // eslint-disable-next-line no-undef return !String(Symbol()); }); },{"../internals/fails":302}],337:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var inspectSource = _dereq_('../internals/inspect-source'); var WeakMap = global.WeakMap; module.exports = typeof WeakMap === 'function' && /native code/.test(inspectSource(WeakMap)); },{"../internals/global":310,"../internals/inspect-source":317}],338:[function(_dereq_,module,exports){ 'use strict'; var aFunction = _dereq_('../internals/a-function'); var PromiseCapability = function (C) { var resolve, reject; this.promise = new C(function ($$resolve, $$reject) { if (resolve !== undefined || reject !== undefined) throw TypeError('Bad Promise constructor'); resolve = $$resolve; reject = $$reject; }); this.resolve = aFunction(resolve); this.reject = aFunction(reject); }; // 25.4.1.5 NewPromiseCapability(C) module.exports.f = function (C) { return new PromiseCapability(C); }; },{"../internals/a-function":259}],339:[function(_dereq_,module,exports){ var isRegExp = _dereq_('../internals/is-regexp'); module.exports = function (it) { if (isRegExp(it)) { throw TypeError("The method doesn't accept regular expressions"); } return it; }; },{"../internals/is-regexp":327}],340:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var trim = _dereq_('../internals/string-trim').trim; var whitespaces = _dereq_('../internals/whitespaces'); var $parseInt = global.parseInt; var hex = /^[+-]?0[Xx]/; var FORCED = $parseInt(whitespaces + '08') !== 8 || $parseInt(whitespaces + '0x16') !== 22; // `parseInt` method // https://tc39.es/ecma262/#sec-parseint-string-radix module.exports = FORCED ? function parseInt(string, radix) { var S = trim(String(string)); return $parseInt(S, (radix >>> 0) || (hex.test(S) ? 16 : 10)); } : $parseInt; },{"../internals/global":310,"../internals/string-trim":371,"../internals/whitespaces":384}],341:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var defineProperties = _dereq_('../internals/object-define-properties'); var enumBugKeys = _dereq_('../internals/enum-bug-keys'); var hiddenKeys = _dereq_('../internals/hidden-keys'); var html = _dereq_('../internals/html'); var documentCreateElement = _dereq_('../internals/document-create-element'); var sharedKey = _dereq_('../internals/shared-key'); var GT = '>'; var LT = '<'; var PROTOTYPE = 'prototype'; var SCRIPT = 'script'; var IE_PROTO = sharedKey('IE_PROTO'); var EmptyConstructor = function () { /* empty */ }; var scriptTag = function (content) { return LT + SCRIPT + GT + content + LT + '/' + SCRIPT + GT; }; // Create object with fake `null` prototype: use ActiveX Object with cleared prototype var NullProtoObjectViaActiveX = function (activeXDocument) { activeXDocument.write(scriptTag('')); activeXDocument.close(); var temp = activeXDocument.parentWindow.Object; activeXDocument = null; // avoid memory leak return temp; }; // Create object with fake `null` prototype: use iframe Object with cleared prototype var NullProtoObjectViaIFrame = function () { // Thrash, waste and sodomy: IE GC bug var iframe = documentCreateElement('iframe'); var JS = 'java' + SCRIPT + ':'; var iframeDocument; iframe.style.display = 'none'; html.appendChild(iframe); // https://github.com/zloirock/core-js/issues/475 iframe.src = String(JS); iframeDocument = iframe.contentWindow.document; iframeDocument.open(); iframeDocument.write(scriptTag('document.F=Object')); iframeDocument.close(); return iframeDocument.F; }; // Check for document.domain and active x support // No need to use active x approach when document.domain is not set // see https://github.com/es-shims/es5-shim/issues/150 // variation of https://github.com/kitcambridge/es5-shim/commit/4f738ac066346 // avoid IE GC bug var activeXDocument; var NullProtoObject = function () { try { /* global ActiveXObject */ activeXDocument = document.domain && new ActiveXObject('htmlfile'); } catch (error) { /* ignore */ } NullProtoObject = activeXDocument ? NullProtoObjectViaActiveX(activeXDocument) : NullProtoObjectViaIFrame(); var length = enumBugKeys.length; while (length--) delete NullProtoObject[PROTOTYPE][enumBugKeys[length]]; return NullProtoObject(); }; hiddenKeys[IE_PROTO] = true; // `Object.create` method // https://tc39.es/ecma262/#sec-object.create module.exports = Object.create || function create(O, Properties) { var result; if (O !== null) { EmptyConstructor[PROTOTYPE] = anObject(O); result = new EmptyConstructor(); EmptyConstructor[PROTOTYPE] = null; // add "__proto__" for Object.getPrototypeOf polyfill result[IE_PROTO] = O; } else result = NullProtoObject(); return Properties === undefined ? result : defineProperties(result, Properties); }; },{"../internals/an-object":263,"../internals/document-create-element":292,"../internals/enum-bug-keys":300,"../internals/hidden-keys":312,"../internals/html":314,"../internals/object-define-properties":342,"../internals/shared-key":366}],342:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var definePropertyModule = _dereq_('../internals/object-define-property'); var anObject = _dereq_('../internals/an-object'); var objectKeys = _dereq_('../internals/object-keys'); // `Object.defineProperties` method // https://tc39.es/ecma262/#sec-object.defineproperties module.exports = DESCRIPTORS ? Object.defineProperties : function defineProperties(O, Properties) { anObject(O); var keys = objectKeys(Properties); var length = keys.length; var index = 0; var key; while (length > index) definePropertyModule.f(O, key = keys[index++], Properties[key]); return O; }; },{"../internals/an-object":263,"../internals/descriptors":291,"../internals/object-define-property":343,"../internals/object-keys":350}],343:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var IE8_DOM_DEFINE = _dereq_('../internals/ie8-dom-define'); var anObject = _dereq_('../internals/an-object'); var toPrimitive = _dereq_('../internals/to-primitive'); var nativeDefineProperty = Object.defineProperty; // `Object.defineProperty` method // https://tc39.es/ecma262/#sec-object.defineproperty exports.f = DESCRIPTORS ? nativeDefineProperty : function defineProperty(O, P, Attributes) { anObject(O); P = toPrimitive(P, true); anObject(Attributes); if (IE8_DOM_DEFINE) try { return nativeDefineProperty(O, P, Attributes); } catch (error) { /* empty */ } if ('get' in Attributes || 'set' in Attributes) throw TypeError('Accessors not supported'); if ('value' in Attributes) O[P] = Attributes.value; return O; }; },{"../internals/an-object":263,"../internals/descriptors":291,"../internals/ie8-dom-define":315,"../internals/to-primitive":378}],344:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var propertyIsEnumerableModule = _dereq_('../internals/object-property-is-enumerable'); var createPropertyDescriptor = _dereq_('../internals/create-property-descriptor'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var toPrimitive = _dereq_('../internals/to-primitive'); var has = _dereq_('../internals/has'); var IE8_DOM_DEFINE = _dereq_('../internals/ie8-dom-define'); var nativeGetOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; // `Object.getOwnPropertyDescriptor` method // https://tc39.es/ecma262/#sec-object.getownpropertydescriptor exports.f = DESCRIPTORS ? nativeGetOwnPropertyDescriptor : function getOwnPropertyDescriptor(O, P) { O = toIndexedObject(O); P = toPrimitive(P, true); if (IE8_DOM_DEFINE) try { return nativeGetOwnPropertyDescriptor(O, P); } catch (error) { /* empty */ } if (has(O, P)) return createPropertyDescriptor(!propertyIsEnumerableModule.f.call(O, P), O[P]); }; },{"../internals/create-property-descriptor":287,"../internals/descriptors":291,"../internals/has":311,"../internals/ie8-dom-define":315,"../internals/object-property-is-enumerable":351,"../internals/to-indexed-object":374,"../internals/to-primitive":378}],345:[function(_dereq_,module,exports){ var toIndexedObject = _dereq_('../internals/to-indexed-object'); var nativeGetOwnPropertyNames = _dereq_('../internals/object-get-own-property-names').f; var toString = {}.toString; var windowNames = typeof window == 'object' && window && Object.getOwnPropertyNames ? Object.getOwnPropertyNames(window) : []; var getWindowNames = function (it) { try { return nativeGetOwnPropertyNames(it); } catch (error) { return windowNames.slice(); } }; // fallback for IE11 buggy Object.getOwnPropertyNames with iframe and window module.exports.f = function getOwnPropertyNames(it) { return windowNames && toString.call(it) == '[object Window]' ? getWindowNames(it) : nativeGetOwnPropertyNames(toIndexedObject(it)); }; },{"../internals/object-get-own-property-names":346,"../internals/to-indexed-object":374}],346:[function(_dereq_,module,exports){ var internalObjectKeys = _dereq_('../internals/object-keys-internal'); var enumBugKeys = _dereq_('../internals/enum-bug-keys'); var hiddenKeys = enumBugKeys.concat('length', 'prototype'); // `Object.getOwnPropertyNames` method // https://tc39.es/ecma262/#sec-object.getownpropertynames exports.f = Object.getOwnPropertyNames || function getOwnPropertyNames(O) { return internalObjectKeys(O, hiddenKeys); }; },{"../internals/enum-bug-keys":300,"../internals/object-keys-internal":349}],347:[function(_dereq_,module,exports){ exports.f = Object.getOwnPropertySymbols; },{}],348:[function(_dereq_,module,exports){ var has = _dereq_('../internals/has'); var toObject = _dereq_('../internals/to-object'); var sharedKey = _dereq_('../internals/shared-key'); var CORRECT_PROTOTYPE_GETTER = _dereq_('../internals/correct-prototype-getter'); var IE_PROTO = sharedKey('IE_PROTO'); var ObjectPrototype = Object.prototype; // `Object.getPrototypeOf` method // https://tc39.es/ecma262/#sec-object.getprototypeof module.exports = CORRECT_PROTOTYPE_GETTER ? Object.getPrototypeOf : function (O) { O = toObject(O); if (has(O, IE_PROTO)) return O[IE_PROTO]; if (typeof O.constructor == 'function' && O instanceof O.constructor) { return O.constructor.prototype; } return O instanceof Object ? ObjectPrototype : null; }; },{"../internals/correct-prototype-getter":284,"../internals/has":311,"../internals/shared-key":366,"../internals/to-object":377}],349:[function(_dereq_,module,exports){ var has = _dereq_('../internals/has'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var indexOf = _dereq_('../internals/array-includes').indexOf; var hiddenKeys = _dereq_('../internals/hidden-keys'); module.exports = function (object, names) { var O = toIndexedObject(object); var i = 0; var result = []; var key; for (key in O) !has(hiddenKeys, key) && has(O, key) && result.push(key); // Don't enum bug & hidden keys while (names.length > i) if (has(O, key = names[i++])) { ~indexOf(result, key) || result.push(key); } return result; }; },{"../internals/array-includes":266,"../internals/has":311,"../internals/hidden-keys":312,"../internals/to-indexed-object":374}],350:[function(_dereq_,module,exports){ var internalObjectKeys = _dereq_('../internals/object-keys-internal'); var enumBugKeys = _dereq_('../internals/enum-bug-keys'); // `Object.keys` method // https://tc39.es/ecma262/#sec-object.keys module.exports = Object.keys || function keys(O) { return internalObjectKeys(O, enumBugKeys); }; },{"../internals/enum-bug-keys":300,"../internals/object-keys-internal":349}],351:[function(_dereq_,module,exports){ 'use strict'; var nativePropertyIsEnumerable = {}.propertyIsEnumerable; var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor; // Nashorn ~ JDK8 bug var NASHORN_BUG = getOwnPropertyDescriptor && !nativePropertyIsEnumerable.call({ 1: 2 }, 1); // `Object.prototype.propertyIsEnumerable` method implementation // https://tc39.es/ecma262/#sec-object.prototype.propertyisenumerable exports.f = NASHORN_BUG ? function propertyIsEnumerable(V) { var descriptor = getOwnPropertyDescriptor(this, V); return !!descriptor && descriptor.enumerable; } : nativePropertyIsEnumerable; },{}],352:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var aPossiblePrototype = _dereq_('../internals/a-possible-prototype'); // `Object.setPrototypeOf` method // https://tc39.es/ecma262/#sec-object.setprototypeof // Works with __proto__ only. Old v8 can't work with null proto objects. /* eslint-disable no-proto */ module.exports = Object.setPrototypeOf || ('__proto__' in {} ? function () { var CORRECT_SETTER = false; var test = {}; var setter; try { setter = Object.getOwnPropertyDescriptor(Object.prototype, '__proto__').set; setter.call(test, []); CORRECT_SETTER = test instanceof Array; } catch (error) { /* empty */ } return function setPrototypeOf(O, proto) { anObject(O); aPossiblePrototype(proto); if (CORRECT_SETTER) setter.call(O, proto); else O.__proto__ = proto; return O; }; }() : undefined); },{"../internals/a-possible-prototype":260,"../internals/an-object":263}],353:[function(_dereq_,module,exports){ var DESCRIPTORS = _dereq_('../internals/descriptors'); var objectKeys = _dereq_('../internals/object-keys'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var propertyIsEnumerable = _dereq_('../internals/object-property-is-enumerable').f; // `Object.{ entries, values }` methods implementation var createMethod = function (TO_ENTRIES) { return function (it) { var O = toIndexedObject(it); var keys = objectKeys(O); var length = keys.length; var i = 0; var result = []; var key; while (length > i) { key = keys[i++]; if (!DESCRIPTORS || propertyIsEnumerable.call(O, key)) { result.push(TO_ENTRIES ? [key, O[key]] : O[key]); } } return result; }; }; module.exports = { // `Object.entries` method // https://tc39.es/ecma262/#sec-object.entries entries: createMethod(true), // `Object.values` method // https://tc39.es/ecma262/#sec-object.values values: createMethod(false) }; },{"../internals/descriptors":291,"../internals/object-keys":350,"../internals/object-property-is-enumerable":351,"../internals/to-indexed-object":374}],354:[function(_dereq_,module,exports){ 'use strict'; var TO_STRING_TAG_SUPPORT = _dereq_('../internals/to-string-tag-support'); var classof = _dereq_('../internals/classof'); // `Object.prototype.toString` method implementation // https://tc39.es/ecma262/#sec-object.prototype.tostring module.exports = TO_STRING_TAG_SUPPORT ? {}.toString : function toString() { return '[object ' + classof(this) + ']'; }; },{"../internals/classof":276,"../internals/to-string-tag-support":379}],355:[function(_dereq_,module,exports){ var getBuiltIn = _dereq_('../internals/get-built-in'); var getOwnPropertyNamesModule = _dereq_('../internals/object-get-own-property-names'); var getOwnPropertySymbolsModule = _dereq_('../internals/object-get-own-property-symbols'); var anObject = _dereq_('../internals/an-object'); // all object keys, includes non-enumerable and symbols module.exports = getBuiltIn('Reflect', 'ownKeys') || function ownKeys(it) { var keys = getOwnPropertyNamesModule.f(anObject(it)); var getOwnPropertySymbols = getOwnPropertySymbolsModule.f; return getOwnPropertySymbols ? keys.concat(getOwnPropertySymbols(it)) : keys; }; },{"../internals/an-object":263,"../internals/get-built-in":306,"../internals/object-get-own-property-names":346,"../internals/object-get-own-property-symbols":347}],356:[function(_dereq_,module,exports){ arguments[4][312][0].apply(exports,arguments) },{"dup":312}],357:[function(_dereq_,module,exports){ module.exports = function (exec) { try { return { error: false, value: exec() }; } catch (error) { return { error: true, value: error }; } }; },{}],358:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var isObject = _dereq_('../internals/is-object'); var newPromiseCapability = _dereq_('../internals/new-promise-capability'); module.exports = function (C, x) { anObject(C); if (isObject(x) && x.constructor === C) return x; var promiseCapability = newPromiseCapability.f(C); var resolve = promiseCapability.resolve; resolve(x); return promiseCapability.promise; }; },{"../internals/an-object":263,"../internals/is-object":325,"../internals/new-promise-capability":338}],359:[function(_dereq_,module,exports){ var redefine = _dereq_('../internals/redefine'); module.exports = function (target, src, options) { for (var key in src) { if (options && options.unsafe && target[key]) target[key] = src[key]; else redefine(target, key, src[key], options); } return target; }; },{"../internals/redefine":360}],360:[function(_dereq_,module,exports){ var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); module.exports = function (target, key, value, options) { if (options && options.enumerable) target[key] = value; else createNonEnumerableProperty(target, key, value); }; },{"../internals/create-non-enumerable-property":286}],361:[function(_dereq_,module,exports){ // `RequireObjectCoercible` abstract operation // https://tc39.es/ecma262/#sec-requireobjectcoercible module.exports = function (it) { if (it == undefined) throw TypeError("Can't call method on " + it); return it; }; },{}],362:[function(_dereq_,module,exports){ // `SameValueZero` abstract operation // https://tc39.es/ecma262/#sec-samevaluezero module.exports = function (x, y) { // eslint-disable-next-line no-self-compare return x === y || x != x && y != y; }; },{}],363:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); module.exports = function (key, value) { try { createNonEnumerableProperty(global, key, value); } catch (error) { global[key] = value; } return value; }; },{"../internals/create-non-enumerable-property":286,"../internals/global":310}],364:[function(_dereq_,module,exports){ 'use strict'; var getBuiltIn = _dereq_('../internals/get-built-in'); var definePropertyModule = _dereq_('../internals/object-define-property'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var SPECIES = wellKnownSymbol('species'); module.exports = function (CONSTRUCTOR_NAME) { var Constructor = getBuiltIn(CONSTRUCTOR_NAME); var defineProperty = definePropertyModule.f; if (DESCRIPTORS && Constructor && !Constructor[SPECIES]) { defineProperty(Constructor, SPECIES, { configurable: true, get: function () { return this; } }); } }; },{"../internals/descriptors":291,"../internals/get-built-in":306,"../internals/object-define-property":343,"../internals/well-known-symbol":383}],365:[function(_dereq_,module,exports){ var TO_STRING_TAG_SUPPORT = _dereq_('../internals/to-string-tag-support'); var defineProperty = _dereq_('../internals/object-define-property').f; var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var has = _dereq_('../internals/has'); var toString = _dereq_('../internals/object-to-string'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var TO_STRING_TAG = wellKnownSymbol('toStringTag'); module.exports = function (it, TAG, STATIC, SET_METHOD) { if (it) { var target = STATIC ? it : it.prototype; if (!has(target, TO_STRING_TAG)) { defineProperty(target, TO_STRING_TAG, { configurable: true, value: TAG }); } if (SET_METHOD && !TO_STRING_TAG_SUPPORT) { createNonEnumerableProperty(target, 'toString', toString); } } }; },{"../internals/create-non-enumerable-property":286,"../internals/has":311,"../internals/object-define-property":343,"../internals/object-to-string":354,"../internals/to-string-tag-support":379,"../internals/well-known-symbol":383}],366:[function(_dereq_,module,exports){ var shared = _dereq_('../internals/shared'); var uid = _dereq_('../internals/uid'); var keys = shared('keys'); module.exports = function (key) { return keys[key] || (keys[key] = uid(key)); }; },{"../internals/shared":368,"../internals/uid":380}],367:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var setGlobal = _dereq_('../internals/set-global'); var SHARED = '__core-js_shared__'; var store = global[SHARED] || setGlobal(SHARED, {}); module.exports = store; },{"../internals/global":310,"../internals/set-global":363}],368:[function(_dereq_,module,exports){ var IS_PURE = _dereq_('../internals/is-pure'); var store = _dereq_('../internals/shared-store'); (module.exports = function (key, value) { return store[key] || (store[key] = value !== undefined ? value : {}); })('versions', []).push({ version: '3.8.3', mode: IS_PURE ? 'pure' : 'global', copyright: '© 2021 Denis Pushkarev (zloirock.ru)' }); },{"../internals/is-pure":326,"../internals/shared-store":367}],369:[function(_dereq_,module,exports){ var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var SPECIES = wellKnownSymbol('species'); // `SpeciesConstructor` abstract operation // https://tc39.es/ecma262/#sec-speciesconstructor module.exports = function (O, defaultConstructor) { var C = anObject(O).constructor; var S; return C === undefined || (S = anObject(C)[SPECIES]) == undefined ? defaultConstructor : aFunction(S); }; },{"../internals/a-function":259,"../internals/an-object":263,"../internals/well-known-symbol":383}],370:[function(_dereq_,module,exports){ var toInteger = _dereq_('../internals/to-integer'); var requireObjectCoercible = _dereq_('../internals/require-object-coercible'); // `String.prototype.{ codePointAt, at }` methods implementation var createMethod = function (CONVERT_TO_STRING) { return function ($this, pos) { var S = String(requireObjectCoercible($this)); var position = toInteger(pos); var size = S.length; var first, second; if (position < 0 || position >= size) return CONVERT_TO_STRING ? '' : undefined; first = S.charCodeAt(position); return first < 0xD800 || first > 0xDBFF || position + 1 === size || (second = S.charCodeAt(position + 1)) < 0xDC00 || second > 0xDFFF ? CONVERT_TO_STRING ? S.charAt(position) : first : CONVERT_TO_STRING ? S.slice(position, position + 2) : (first - 0xD800 << 10) + (second - 0xDC00) + 0x10000; }; }; module.exports = { // `String.prototype.codePointAt` method // https://tc39.es/ecma262/#sec-string.prototype.codepointat codeAt: createMethod(false), // `String.prototype.at` method // https://github.com/mathiasbynens/String.prototype.at charAt: createMethod(true) }; },{"../internals/require-object-coercible":361,"../internals/to-integer":375}],371:[function(_dereq_,module,exports){ var requireObjectCoercible = _dereq_('../internals/require-object-coercible'); var whitespaces = _dereq_('../internals/whitespaces'); var whitespace = '[' + whitespaces + ']'; var ltrim = RegExp('^' + whitespace + whitespace + '*'); var rtrim = RegExp(whitespace + whitespace + '*$'); // `String.prototype.{ trim, trimStart, trimEnd, trimLeft, trimRight }` methods implementation var createMethod = function (TYPE) { return function ($this) { var string = String(requireObjectCoercible($this)); if (TYPE & 1) string = string.replace(ltrim, ''); if (TYPE & 2) string = string.replace(rtrim, ''); return string; }; }; module.exports = { // `String.prototype.{ trimLeft, trimStart }` methods // https://tc39.es/ecma262/#sec-string.prototype.trimstart start: createMethod(1), // `String.prototype.{ trimRight, trimEnd }` methods // https://tc39.es/ecma262/#sec-string.prototype.trimend end: createMethod(2), // `String.prototype.trim` method // https://tc39.es/ecma262/#sec-string.prototype.trim trim: createMethod(3) }; },{"../internals/require-object-coercible":361,"../internals/whitespaces":384}],372:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var fails = _dereq_('../internals/fails'); var bind = _dereq_('../internals/function-bind-context'); var html = _dereq_('../internals/html'); var createElement = _dereq_('../internals/document-create-element'); var IS_IOS = _dereq_('../internals/engine-is-ios'); var IS_NODE = _dereq_('../internals/engine-is-node'); var location = global.location; var set = global.setImmediate; var clear = global.clearImmediate; var process = global.process; var MessageChannel = global.MessageChannel; var Dispatch = global.Dispatch; var counter = 0; var queue = {}; var ONREADYSTATECHANGE = 'onreadystatechange'; var defer, channel, port; var run = function (id) { // eslint-disable-next-line no-prototype-builtins if (queue.hasOwnProperty(id)) { var fn = queue[id]; delete queue[id]; fn(); } }; var runner = function (id) { return function () { run(id); }; }; var listener = function (event) { run(event.data); }; var post = function (id) { // old engines have not location.origin global.postMessage(id + '', location.protocol + '//' + location.host); }; // Node.js 0.9+ & IE10+ has setImmediate, otherwise: if (!set || !clear) { set = function setImmediate(fn) { var args = []; var i = 1; while (arguments.length > i) args.push(arguments[i++]); queue[++counter] = function () { // eslint-disable-next-line no-new-func (typeof fn == 'function' ? fn : Function(fn)).apply(undefined, args); }; defer(counter); return counter; }; clear = function clearImmediate(id) { delete queue[id]; }; // Node.js 0.8- if (IS_NODE) { defer = function (id) { process.nextTick(runner(id)); }; // Sphere (JS game engine) Dispatch API } else if (Dispatch && Dispatch.now) { defer = function (id) { Dispatch.now(runner(id)); }; // Browsers with MessageChannel, includes WebWorkers // except iOS - https://github.com/zloirock/core-js/issues/624 } else if (MessageChannel && !IS_IOS) { channel = new MessageChannel(); port = channel.port2; channel.port1.onmessage = listener; defer = bind(port.postMessage, port, 1); // Browsers with postMessage, skip WebWorkers // IE8 has postMessage, but it's sync & typeof its postMessage is 'object' } else if ( global.addEventListener && typeof postMessage == 'function' && !global.importScripts && location && location.protocol !== 'file:' && !fails(post) ) { defer = post; global.addEventListener('message', listener, false); // IE8- } else if (ONREADYSTATECHANGE in createElement('script')) { defer = function (id) { html.appendChild(createElement('script'))[ONREADYSTATECHANGE] = function () { html.removeChild(this); run(id); }; }; // Rest old browsers } else { defer = function (id) { setTimeout(runner(id), 0); }; } } module.exports = { set: set, clear: clear }; },{"../internals/document-create-element":292,"../internals/engine-is-ios":294,"../internals/engine-is-node":295,"../internals/fails":302,"../internals/function-bind-context":304,"../internals/global":310,"../internals/html":314}],373:[function(_dereq_,module,exports){ var toInteger = _dereq_('../internals/to-integer'); var max = Math.max; var min = Math.min; // Helper for a popular repeating case of the spec: // Let integer be ? ToInteger(index). // If integer < 0, let result be max((length + integer), 0); else let result be min(integer, length). module.exports = function (index, length) { var integer = toInteger(index); return integer < 0 ? max(integer + length, 0) : min(integer, length); }; },{"../internals/to-integer":375}],374:[function(_dereq_,module,exports){ // toObject with fallback for non-array-like ES3 strings var IndexedObject = _dereq_('../internals/indexed-object'); var requireObjectCoercible = _dereq_('../internals/require-object-coercible'); module.exports = function (it) { return IndexedObject(requireObjectCoercible(it)); }; },{"../internals/indexed-object":316,"../internals/require-object-coercible":361}],375:[function(_dereq_,module,exports){ var ceil = Math.ceil; var floor = Math.floor; // `ToInteger` abstract operation // https://tc39.es/ecma262/#sec-tointeger module.exports = function (argument) { return isNaN(argument = +argument) ? 0 : (argument > 0 ? floor : ceil)(argument); }; },{}],376:[function(_dereq_,module,exports){ var toInteger = _dereq_('../internals/to-integer'); var min = Math.min; // `ToLength` abstract operation // https://tc39.es/ecma262/#sec-tolength module.exports = function (argument) { return argument > 0 ? min(toInteger(argument), 0x1FFFFFFFFFFFFF) : 0; // 2 ** 53 - 1 == 9007199254740991 }; },{"../internals/to-integer":375}],377:[function(_dereq_,module,exports){ var requireObjectCoercible = _dereq_('../internals/require-object-coercible'); // `ToObject` abstract operation // https://tc39.es/ecma262/#sec-toobject module.exports = function (argument) { return Object(requireObjectCoercible(argument)); }; },{"../internals/require-object-coercible":361}],378:[function(_dereq_,module,exports){ var isObject = _dereq_('../internals/is-object'); // `ToPrimitive` abstract operation // https://tc39.es/ecma262/#sec-toprimitive // instead of the ES6 spec version, we didn't implement @@toPrimitive case // and the second argument - flag - preferred type is a string module.exports = function (input, PREFERRED_STRING) { if (!isObject(input)) return input; var fn, val; if (PREFERRED_STRING && typeof (fn = input.toString) == 'function' && !isObject(val = fn.call(input))) return val; if (typeof (fn = input.valueOf) == 'function' && !isObject(val = fn.call(input))) return val; if (!PREFERRED_STRING && typeof (fn = input.toString) == 'function' && !isObject(val = fn.call(input))) return val; throw TypeError("Can't convert object to primitive value"); }; },{"../internals/is-object":325}],379:[function(_dereq_,module,exports){ var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var TO_STRING_TAG = wellKnownSymbol('toStringTag'); var test = {}; test[TO_STRING_TAG] = 'z'; module.exports = String(test) === '[object z]'; },{"../internals/well-known-symbol":383}],380:[function(_dereq_,module,exports){ var id = 0; var postfix = Math.random(); module.exports = function (key) { return 'Symbol(' + String(key === undefined ? '' : key) + ')_' + (++id + postfix).toString(36); }; },{}],381:[function(_dereq_,module,exports){ var NATIVE_SYMBOL = _dereq_('../internals/native-symbol'); module.exports = NATIVE_SYMBOL // eslint-disable-next-line no-undef && !Symbol.sham // eslint-disable-next-line no-undef && typeof Symbol.iterator == 'symbol'; },{"../internals/native-symbol":336}],382:[function(_dereq_,module,exports){ var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); exports.f = wellKnownSymbol; },{"../internals/well-known-symbol":383}],383:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var shared = _dereq_('../internals/shared'); var has = _dereq_('../internals/has'); var uid = _dereq_('../internals/uid'); var NATIVE_SYMBOL = _dereq_('../internals/native-symbol'); var USE_SYMBOL_AS_UID = _dereq_('../internals/use-symbol-as-uid'); var WellKnownSymbolsStore = shared('wks'); var Symbol = global.Symbol; var createWellKnownSymbol = USE_SYMBOL_AS_UID ? Symbol : Symbol && Symbol.withoutSetter || uid; module.exports = function (name) { if (!has(WellKnownSymbolsStore, name)) { if (NATIVE_SYMBOL && has(Symbol, name)) WellKnownSymbolsStore[name] = Symbol[name]; else WellKnownSymbolsStore[name] = createWellKnownSymbol('Symbol.' + name); } return WellKnownSymbolsStore[name]; }; },{"../internals/global":310,"../internals/has":311,"../internals/native-symbol":336,"../internals/shared":368,"../internals/uid":380,"../internals/use-symbol-as-uid":381}],384:[function(_dereq_,module,exports){ // a string of all valid unicode whitespaces // eslint-disable-next-line max-len module.exports = '\u0009\u000A\u000B\u000C\u000D\u0020\u00A0\u1680\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u202F\u205F\u3000\u2028\u2029\uFEFF'; },{}],385:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var getPrototypeOf = _dereq_('../internals/object-get-prototype-of'); var setPrototypeOf = _dereq_('../internals/object-set-prototype-of'); var create = _dereq_('../internals/object-create'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var createPropertyDescriptor = _dereq_('../internals/create-property-descriptor'); var iterate = _dereq_('../internals/iterate'); var $AggregateError = function AggregateError(errors, message) { var that = this; if (!(that instanceof $AggregateError)) return new $AggregateError(errors, message); if (setPrototypeOf) { // eslint-disable-next-line unicorn/error-message that = setPrototypeOf(new Error(undefined), getPrototypeOf(that)); } if (message !== undefined) createNonEnumerableProperty(that, 'message', String(message)); var errorsArray = []; iterate(errors, errorsArray.push, { that: errorsArray }); createNonEnumerableProperty(that, 'errors', errorsArray); return that; }; $AggregateError.prototype = create(Error.prototype, { constructor: createPropertyDescriptor(5, $AggregateError), message: createPropertyDescriptor(5, ''), name: createPropertyDescriptor(5, 'AggregateError') }); // `AggregateError` constructor // https://tc39.es/ecma262/#sec-aggregate-error-constructor $({ global: true }, { AggregateError: $AggregateError }); },{"../internals/create-non-enumerable-property":286,"../internals/create-property-descriptor":287,"../internals/export":301,"../internals/iterate":328,"../internals/object-create":341,"../internals/object-get-prototype-of":348,"../internals/object-set-prototype-of":352}],386:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var fails = _dereq_('../internals/fails'); var isArray = _dereq_('../internals/is-array'); var isObject = _dereq_('../internals/is-object'); var toObject = _dereq_('../internals/to-object'); var toLength = _dereq_('../internals/to-length'); var createProperty = _dereq_('../internals/create-property'); var arraySpeciesCreate = _dereq_('../internals/array-species-create'); var arrayMethodHasSpeciesSupport = _dereq_('../internals/array-method-has-species-support'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var V8_VERSION = _dereq_('../internals/engine-v8-version'); var IS_CONCAT_SPREADABLE = wellKnownSymbol('isConcatSpreadable'); var MAX_SAFE_INTEGER = 0x1FFFFFFFFFFFFF; var MAXIMUM_ALLOWED_INDEX_EXCEEDED = 'Maximum allowed index exceeded'; // We can't use this feature detection in V8 since it causes // deoptimization and serious performance degradation // https://github.com/zloirock/core-js/issues/679 var IS_CONCAT_SPREADABLE_SUPPORT = V8_VERSION >= 51 || !fails(function () { var array = []; array[IS_CONCAT_SPREADABLE] = false; return array.concat()[0] !== array; }); var SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('concat'); var isConcatSpreadable = function (O) { if (!isObject(O)) return false; var spreadable = O[IS_CONCAT_SPREADABLE]; return spreadable !== undefined ? !!spreadable : isArray(O); }; var FORCED = !IS_CONCAT_SPREADABLE_SUPPORT || !SPECIES_SUPPORT; // `Array.prototype.concat` method // https://tc39.es/ecma262/#sec-array.prototype.concat // with adding support of @@isConcatSpreadable and @@species $({ target: 'Array', proto: true, forced: FORCED }, { concat: function concat(arg) { // eslint-disable-line no-unused-vars var O = toObject(this); var A = arraySpeciesCreate(O, 0); var n = 0; var i, k, length, len, E; for (i = -1, length = arguments.length; i < length; i++) { E = i === -1 ? O : arguments[i]; if (isConcatSpreadable(E)) { len = toLength(E.length); if (n + len > MAX_SAFE_INTEGER) throw TypeError(MAXIMUM_ALLOWED_INDEX_EXCEEDED); for (k = 0; k < len; k++, n++) if (k in E) createProperty(A, n, E[k]); } else { if (n >= MAX_SAFE_INTEGER) throw TypeError(MAXIMUM_ALLOWED_INDEX_EXCEEDED); createProperty(A, n++, E); } } A.length = n; return A; } }); },{"../internals/array-method-has-species-support":268,"../internals/array-species-create":272,"../internals/create-property":288,"../internals/engine-v8-version":298,"../internals/export":301,"../internals/fails":302,"../internals/is-array":321,"../internals/is-object":325,"../internals/to-length":376,"../internals/to-object":377,"../internals/well-known-symbol":383}],387:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $every = _dereq_('../internals/array-iteration').every; var arrayMethodIsStrict = _dereq_('../internals/array-method-is-strict'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var STRICT_METHOD = arrayMethodIsStrict('every'); var USES_TO_LENGTH = arrayMethodUsesToLength('every'); // `Array.prototype.every` method // https://tc39.es/ecma262/#sec-array.prototype.every $({ target: 'Array', proto: true, forced: !STRICT_METHOD || !USES_TO_LENGTH }, { every: function every(callbackfn /* , thisArg */) { return $every(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); } }); },{"../internals/array-iteration":267,"../internals/array-method-is-strict":269,"../internals/array-method-uses-to-length":270,"../internals/export":301}],388:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $filter = _dereq_('../internals/array-iteration').filter; var arrayMethodHasSpeciesSupport = _dereq_('../internals/array-method-has-species-support'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('filter'); // Edge 14- issue var USES_TO_LENGTH = arrayMethodUsesToLength('filter'); // `Array.prototype.filter` method // https://tc39.es/ecma262/#sec-array.prototype.filter // with adding support of @@species $({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT || !USES_TO_LENGTH }, { filter: function filter(callbackfn /* , thisArg */) { return $filter(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); } }); },{"../internals/array-iteration":267,"../internals/array-method-has-species-support":268,"../internals/array-method-uses-to-length":270,"../internals/export":301}],389:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $find = _dereq_('../internals/array-iteration').find; var addToUnscopables = _dereq_('../internals/add-to-unscopables'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var FIND = 'find'; var SKIPS_HOLES = true; var USES_TO_LENGTH = arrayMethodUsesToLength(FIND); // Shouldn't skip holes if (FIND in []) Array(1)[FIND](function () { SKIPS_HOLES = false; }); // `Array.prototype.find` method // https://tc39.es/ecma262/#sec-array.prototype.find $({ target: 'Array', proto: true, forced: SKIPS_HOLES || !USES_TO_LENGTH }, { find: function find(callbackfn /* , that = undefined */) { return $find(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); } }); // https://tc39.es/ecma262/#sec-array.prototype-@@unscopables addToUnscopables(FIND); },{"../internals/add-to-unscopables":261,"../internals/array-iteration":267,"../internals/array-method-uses-to-length":270,"../internals/export":301}],390:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var forEach = _dereq_('../internals/array-for-each'); // `Array.prototype.forEach` method // https://tc39.es/ecma262/#sec-array.prototype.foreach $({ target: 'Array', proto: true, forced: [].forEach != forEach }, { forEach: forEach }); },{"../internals/array-for-each":264,"../internals/export":301}],391:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var from = _dereq_('../internals/array-from'); var checkCorrectnessOfIteration = _dereq_('../internals/check-correctness-of-iteration'); var INCORRECT_ITERATION = !checkCorrectnessOfIteration(function (iterable) { Array.from(iterable); }); // `Array.from` method // https://tc39.es/ecma262/#sec-array.from $({ target: 'Array', stat: true, forced: INCORRECT_ITERATION }, { from: from }); },{"../internals/array-from":265,"../internals/check-correctness-of-iteration":274,"../internals/export":301}],392:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $includes = _dereq_('../internals/array-includes').includes; var addToUnscopables = _dereq_('../internals/add-to-unscopables'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var USES_TO_LENGTH = arrayMethodUsesToLength('indexOf', { ACCESSORS: true, 1: 0 }); // `Array.prototype.includes` method // https://tc39.es/ecma262/#sec-array.prototype.includes $({ target: 'Array', proto: true, forced: !USES_TO_LENGTH }, { includes: function includes(el /* , fromIndex = 0 */) { return $includes(this, el, arguments.length > 1 ? arguments[1] : undefined); } }); // https://tc39.es/ecma262/#sec-array.prototype-@@unscopables addToUnscopables('includes'); },{"../internals/add-to-unscopables":261,"../internals/array-includes":266,"../internals/array-method-uses-to-length":270,"../internals/export":301}],393:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $indexOf = _dereq_('../internals/array-includes').indexOf; var arrayMethodIsStrict = _dereq_('../internals/array-method-is-strict'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var nativeIndexOf = [].indexOf; var NEGATIVE_ZERO = !!nativeIndexOf && 1 / [1].indexOf(1, -0) < 0; var STRICT_METHOD = arrayMethodIsStrict('indexOf'); var USES_TO_LENGTH = arrayMethodUsesToLength('indexOf', { ACCESSORS: true, 1: 0 }); // `Array.prototype.indexOf` method // https://tc39.es/ecma262/#sec-array.prototype.indexof $({ target: 'Array', proto: true, forced: NEGATIVE_ZERO || !STRICT_METHOD || !USES_TO_LENGTH }, { indexOf: function indexOf(searchElement /* , fromIndex = 0 */) { return NEGATIVE_ZERO // convert -0 to +0 ? nativeIndexOf.apply(this, arguments) || 0 : $indexOf(this, searchElement, arguments.length > 1 ? arguments[1] : undefined); } }); },{"../internals/array-includes":266,"../internals/array-method-is-strict":269,"../internals/array-method-uses-to-length":270,"../internals/export":301}],394:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var isArray = _dereq_('../internals/is-array'); // `Array.isArray` method // https://tc39.es/ecma262/#sec-array.isarray $({ target: 'Array', stat: true }, { isArray: isArray }); },{"../internals/export":301,"../internals/is-array":321}],395:[function(_dereq_,module,exports){ 'use strict'; var toIndexedObject = _dereq_('../internals/to-indexed-object'); var addToUnscopables = _dereq_('../internals/add-to-unscopables'); var Iterators = _dereq_('../internals/iterators'); var InternalStateModule = _dereq_('../internals/internal-state'); var defineIterator = _dereq_('../internals/define-iterator'); var ARRAY_ITERATOR = 'Array Iterator'; var setInternalState = InternalStateModule.set; var getInternalState = InternalStateModule.getterFor(ARRAY_ITERATOR); // `Array.prototype.entries` method // https://tc39.es/ecma262/#sec-array.prototype.entries // `Array.prototype.keys` method // https://tc39.es/ecma262/#sec-array.prototype.keys // `Array.prototype.values` method // https://tc39.es/ecma262/#sec-array.prototype.values // `Array.prototype[@@iterator]` method // https://tc39.es/ecma262/#sec-array.prototype-@@iterator // `CreateArrayIterator` internal method // https://tc39.es/ecma262/#sec-createarrayiterator module.exports = defineIterator(Array, 'Array', function (iterated, kind) { setInternalState(this, { type: ARRAY_ITERATOR, target: toIndexedObject(iterated), // target index: 0, // next index kind: kind // kind }); // `%ArrayIteratorPrototype%.next` method // https://tc39.es/ecma262/#sec-%arrayiteratorprototype%.next }, function () { var state = getInternalState(this); var target = state.target; var kind = state.kind; var index = state.index++; if (!target || index >= target.length) { state.target = undefined; return { value: undefined, done: true }; } if (kind == 'keys') return { value: index, done: false }; if (kind == 'values') return { value: target[index], done: false }; return { value: [index, target[index]], done: false }; }, 'values'); // argumentsList[@@iterator] is %ArrayProto_values% // https://tc39.es/ecma262/#sec-createunmappedargumentsobject // https://tc39.es/ecma262/#sec-createmappedargumentsobject Iterators.Arguments = Iterators.Array; // https://tc39.es/ecma262/#sec-array.prototype-@@unscopables addToUnscopables('keys'); addToUnscopables('values'); addToUnscopables('entries'); },{"../internals/add-to-unscopables":261,"../internals/define-iterator":289,"../internals/internal-state":319,"../internals/iterators":331,"../internals/to-indexed-object":374}],396:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $map = _dereq_('../internals/array-iteration').map; var arrayMethodHasSpeciesSupport = _dereq_('../internals/array-method-has-species-support'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('map'); // FF49- issue var USES_TO_LENGTH = arrayMethodUsesToLength('map'); // `Array.prototype.map` method // https://tc39.es/ecma262/#sec-array.prototype.map // with adding support of @@species $({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT || !USES_TO_LENGTH }, { map: function map(callbackfn /* , thisArg */) { return $map(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined); } }); },{"../internals/array-iteration":267,"../internals/array-method-has-species-support":268,"../internals/array-method-uses-to-length":270,"../internals/export":301}],397:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var $reduce = _dereq_('../internals/array-reduce').left; var arrayMethodIsStrict = _dereq_('../internals/array-method-is-strict'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var CHROME_VERSION = _dereq_('../internals/engine-v8-version'); var IS_NODE = _dereq_('../internals/engine-is-node'); var STRICT_METHOD = arrayMethodIsStrict('reduce'); var USES_TO_LENGTH = arrayMethodUsesToLength('reduce', { 1: 0 }); // Chrome 80-82 has a critical bug // https://bugs.chromium.org/p/chromium/issues/detail?id=1049982 var CHROME_BUG = !IS_NODE && CHROME_VERSION > 79 && CHROME_VERSION < 83; // `Array.prototype.reduce` method // https://tc39.es/ecma262/#sec-array.prototype.reduce $({ target: 'Array', proto: true, forced: !STRICT_METHOD || !USES_TO_LENGTH || CHROME_BUG }, { reduce: function reduce(callbackfn /* , initialValue */) { return $reduce(this, callbackfn, arguments.length, arguments.length > 1 ? arguments[1] : undefined); } }); },{"../internals/array-method-is-strict":269,"../internals/array-method-uses-to-length":270,"../internals/array-reduce":271,"../internals/engine-is-node":295,"../internals/engine-v8-version":298,"../internals/export":301}],398:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var isObject = _dereq_('../internals/is-object'); var isArray = _dereq_('../internals/is-array'); var toAbsoluteIndex = _dereq_('../internals/to-absolute-index'); var toLength = _dereq_('../internals/to-length'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var createProperty = _dereq_('../internals/create-property'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var arrayMethodHasSpeciesSupport = _dereq_('../internals/array-method-has-species-support'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('slice'); var USES_TO_LENGTH = arrayMethodUsesToLength('slice', { ACCESSORS: true, 0: 0, 1: 2 }); var SPECIES = wellKnownSymbol('species'); var nativeSlice = [].slice; var max = Math.max; // `Array.prototype.slice` method // https://tc39.es/ecma262/#sec-array.prototype.slice // fallback for not array-like ES3 strings and DOM objects $({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT || !USES_TO_LENGTH }, { slice: function slice(start, end) { var O = toIndexedObject(this); var length = toLength(O.length); var k = toAbsoluteIndex(start, length); var fin = toAbsoluteIndex(end === undefined ? length : end, length); // inline `ArraySpeciesCreate` for usage native `Array#slice` where it's possible var Constructor, result, n; if (isArray(O)) { Constructor = O.constructor; // cross-realm fallback if (typeof Constructor == 'function' && (Constructor === Array || isArray(Constructor.prototype))) { Constructor = undefined; } else if (isObject(Constructor)) { Constructor = Constructor[SPECIES]; if (Constructor === null) Constructor = undefined; } if (Constructor === Array || Constructor === undefined) { return nativeSlice.call(O, k, fin); } } result = new (Constructor === undefined ? Array : Constructor)(max(fin - k, 0)); for (n = 0; k < fin; k++, n++) if (k in O) createProperty(result, n, O[k]); result.length = n; return result; } }); },{"../internals/array-method-has-species-support":268,"../internals/array-method-uses-to-length":270,"../internals/create-property":288,"../internals/export":301,"../internals/is-array":321,"../internals/is-object":325,"../internals/to-absolute-index":373,"../internals/to-indexed-object":374,"../internals/to-length":376,"../internals/well-known-symbol":383}],399:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var aFunction = _dereq_('../internals/a-function'); var toObject = _dereq_('../internals/to-object'); var fails = _dereq_('../internals/fails'); var arrayMethodIsStrict = _dereq_('../internals/array-method-is-strict'); var test = []; var nativeSort = test.sort; // IE8- var FAILS_ON_UNDEFINED = fails(function () { test.sort(undefined); }); // V8 bug var FAILS_ON_NULL = fails(function () { test.sort(null); }); // Old WebKit var STRICT_METHOD = arrayMethodIsStrict('sort'); var FORCED = FAILS_ON_UNDEFINED || !FAILS_ON_NULL || !STRICT_METHOD; // `Array.prototype.sort` method // https://tc39.es/ecma262/#sec-array.prototype.sort $({ target: 'Array', proto: true, forced: FORCED }, { sort: function sort(comparefn) { return comparefn === undefined ? nativeSort.call(toObject(this)) : nativeSort.call(toObject(this), aFunction(comparefn)); } }); },{"../internals/a-function":259,"../internals/array-method-is-strict":269,"../internals/export":301,"../internals/fails":302,"../internals/to-object":377}],400:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var toAbsoluteIndex = _dereq_('../internals/to-absolute-index'); var toInteger = _dereq_('../internals/to-integer'); var toLength = _dereq_('../internals/to-length'); var toObject = _dereq_('../internals/to-object'); var arraySpeciesCreate = _dereq_('../internals/array-species-create'); var createProperty = _dereq_('../internals/create-property'); var arrayMethodHasSpeciesSupport = _dereq_('../internals/array-method-has-species-support'); var arrayMethodUsesToLength = _dereq_('../internals/array-method-uses-to-length'); var HAS_SPECIES_SUPPORT = arrayMethodHasSpeciesSupport('splice'); var USES_TO_LENGTH = arrayMethodUsesToLength('splice', { ACCESSORS: true, 0: 0, 1: 2 }); var max = Math.max; var min = Math.min; var MAX_SAFE_INTEGER = 0x1FFFFFFFFFFFFF; var MAXIMUM_ALLOWED_LENGTH_EXCEEDED = 'Maximum allowed length exceeded'; // `Array.prototype.splice` method // https://tc39.es/ecma262/#sec-array.prototype.splice // with adding support of @@species $({ target: 'Array', proto: true, forced: !HAS_SPECIES_SUPPORT || !USES_TO_LENGTH }, { splice: function splice(start, deleteCount /* , ...items */) { var O = toObject(this); var len = toLength(O.length); var actualStart = toAbsoluteIndex(start, len); var argumentsLength = arguments.length; var insertCount, actualDeleteCount, A, k, from, to; if (argumentsLength === 0) { insertCount = actualDeleteCount = 0; } else if (argumentsLength === 1) { insertCount = 0; actualDeleteCount = len - actualStart; } else { insertCount = argumentsLength - 2; actualDeleteCount = min(max(toInteger(deleteCount), 0), len - actualStart); } if (len + insertCount - actualDeleteCount > MAX_SAFE_INTEGER) { throw TypeError(MAXIMUM_ALLOWED_LENGTH_EXCEEDED); } A = arraySpeciesCreate(O, actualDeleteCount); for (k = 0; k < actualDeleteCount; k++) { from = actualStart + k; if (from in O) createProperty(A, k, O[from]); } A.length = actualDeleteCount; if (insertCount < actualDeleteCount) { for (k = actualStart; k < len - actualDeleteCount; k++) { from = k + actualDeleteCount; to = k + insertCount; if (from in O) O[to] = O[from]; else delete O[to]; } for (k = len; k > len - actualDeleteCount + insertCount; k--) delete O[k - 1]; } else if (insertCount > actualDeleteCount) { for (k = len - actualDeleteCount; k > actualStart; k--) { from = k + actualDeleteCount - 1; to = k + insertCount - 1; if (from in O) O[to] = O[from]; else delete O[to]; } } for (k = 0; k < insertCount; k++) { O[k + actualStart] = arguments[k + 2]; } O.length = len - actualDeleteCount + insertCount; return A; } }); },{"../internals/array-method-has-species-support":268,"../internals/array-method-uses-to-length":270,"../internals/array-species-create":272,"../internals/create-property":288,"../internals/export":301,"../internals/to-absolute-index":373,"../internals/to-integer":375,"../internals/to-length":376,"../internals/to-object":377}],401:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var bind = _dereq_('../internals/function-bind'); // `Function.prototype.bind` method // https://tc39.es/ecma262/#sec-function.prototype.bind $({ target: 'Function', proto: true }, { bind: bind }); },{"../internals/export":301,"../internals/function-bind":305}],402:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var getBuiltIn = _dereq_('../internals/get-built-in'); var fails = _dereq_('../internals/fails'); var $stringify = getBuiltIn('JSON', 'stringify'); var re = /[\uD800-\uDFFF]/g; var low = /^[\uD800-\uDBFF]$/; var hi = /^[\uDC00-\uDFFF]$/; var fix = function (match, offset, string) { var prev = string.charAt(offset - 1); var next = string.charAt(offset + 1); if ((low.test(match) && !hi.test(next)) || (hi.test(match) && !low.test(prev))) { return '\\u' + match.charCodeAt(0).toString(16); } return match; }; var FORCED = fails(function () { return $stringify('\uDF06\uD834') !== '"\\udf06\\ud834"' || $stringify('\uDEAD') !== '"\\udead"'; }); if ($stringify) { // `JSON.stringify` method // https://tc39.es/ecma262/#sec-json.stringify // https://github.com/tc39/proposal-well-formed-stringify $({ target: 'JSON', stat: true, forced: FORCED }, { // eslint-disable-next-line no-unused-vars stringify: function stringify(it, replacer, space) { var result = $stringify.apply(null, arguments); return typeof result == 'string' ? result.replace(re, fix) : result; } }); } },{"../internals/export":301,"../internals/fails":302,"../internals/get-built-in":306}],403:[function(_dereq_,module,exports){ var global = _dereq_('../internals/global'); var setToStringTag = _dereq_('../internals/set-to-string-tag'); // JSON[@@toStringTag] property // https://tc39.es/ecma262/#sec-json-@@tostringtag setToStringTag(global.JSON, 'JSON', true); },{"../internals/global":310,"../internals/set-to-string-tag":365}],404:[function(_dereq_,module,exports){ 'use strict'; var collection = _dereq_('../internals/collection'); var collectionStrong = _dereq_('../internals/collection-strong'); // `Map` constructor // https://tc39.es/ecma262/#sec-map-objects module.exports = collection('Map', function (init) { return function Map() { return init(this, arguments.length ? arguments[0] : undefined); }; }, collectionStrong); },{"../internals/collection":282,"../internals/collection-strong":280}],405:[function(_dereq_,module,exports){ // empty },{}],406:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var isInteger = _dereq_('../internals/is-integer'); // `Number.isInteger` method // https://tc39.es/ecma262/#sec-number.isinteger $({ target: 'Number', stat: true }, { isInteger: isInteger }); },{"../internals/export":301,"../internals/is-integer":323}],407:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var create = _dereq_('../internals/object-create'); // `Object.create` method // https://tc39.es/ecma262/#sec-object.create $({ target: 'Object', stat: true, sham: !DESCRIPTORS }, { create: create }); },{"../internals/descriptors":291,"../internals/export":301,"../internals/object-create":341}],408:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var defineProperties = _dereq_('../internals/object-define-properties'); // `Object.defineProperties` method // https://tc39.es/ecma262/#sec-object.defineproperties $({ target: 'Object', stat: true, forced: !DESCRIPTORS, sham: !DESCRIPTORS }, { defineProperties: defineProperties }); },{"../internals/descriptors":291,"../internals/export":301,"../internals/object-define-properties":342}],409:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var objectDefinePropertyModile = _dereq_('../internals/object-define-property'); // `Object.defineProperty` method // https://tc39.es/ecma262/#sec-object.defineproperty $({ target: 'Object', stat: true, forced: !DESCRIPTORS, sham: !DESCRIPTORS }, { defineProperty: objectDefinePropertyModile.f }); },{"../internals/descriptors":291,"../internals/export":301,"../internals/object-define-property":343}],410:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var $entries = _dereq_('../internals/object-to-array').entries; // `Object.entries` method // https://tc39.es/ecma262/#sec-object.entries $({ target: 'Object', stat: true }, { entries: function entries(O) { return $entries(O); } }); },{"../internals/export":301,"../internals/object-to-array":353}],411:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var FREEZING = _dereq_('../internals/freezing'); var fails = _dereq_('../internals/fails'); var isObject = _dereq_('../internals/is-object'); var onFreeze = _dereq_('../internals/internal-metadata').onFreeze; var nativeFreeze = Object.freeze; var FAILS_ON_PRIMITIVES = fails(function () { nativeFreeze(1); }); // `Object.freeze` method // https://tc39.es/ecma262/#sec-object.freeze $({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES, sham: !FREEZING }, { freeze: function freeze(it) { return nativeFreeze && isObject(it) ? nativeFreeze(onFreeze(it)) : it; } }); },{"../internals/export":301,"../internals/fails":302,"../internals/freezing":303,"../internals/internal-metadata":318,"../internals/is-object":325}],412:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var fails = _dereq_('../internals/fails'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var nativeGetOwnPropertyDescriptor = _dereq_('../internals/object-get-own-property-descriptor').f; var DESCRIPTORS = _dereq_('../internals/descriptors'); var FAILS_ON_PRIMITIVES = fails(function () { nativeGetOwnPropertyDescriptor(1); }); var FORCED = !DESCRIPTORS || FAILS_ON_PRIMITIVES; // `Object.getOwnPropertyDescriptor` method // https://tc39.es/ecma262/#sec-object.getownpropertydescriptor $({ target: 'Object', stat: true, forced: FORCED, sham: !DESCRIPTORS }, { getOwnPropertyDescriptor: function getOwnPropertyDescriptor(it, key) { return nativeGetOwnPropertyDescriptor(toIndexedObject(it), key); } }); },{"../internals/descriptors":291,"../internals/export":301,"../internals/fails":302,"../internals/object-get-own-property-descriptor":344,"../internals/to-indexed-object":374}],413:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var ownKeys = _dereq_('../internals/own-keys'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var getOwnPropertyDescriptorModule = _dereq_('../internals/object-get-own-property-descriptor'); var createProperty = _dereq_('../internals/create-property'); // `Object.getOwnPropertyDescriptors` method // https://tc39.es/ecma262/#sec-object.getownpropertydescriptors $({ target: 'Object', stat: true, sham: !DESCRIPTORS }, { getOwnPropertyDescriptors: function getOwnPropertyDescriptors(object) { var O = toIndexedObject(object); var getOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f; var keys = ownKeys(O); var result = {}; var index = 0; var key, descriptor; while (keys.length > index) { descriptor = getOwnPropertyDescriptor(O, key = keys[index++]); if (descriptor !== undefined) createProperty(result, key, descriptor); } return result; } }); },{"../internals/create-property":288,"../internals/descriptors":291,"../internals/export":301,"../internals/object-get-own-property-descriptor":344,"../internals/own-keys":355,"../internals/to-indexed-object":374}],414:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var fails = _dereq_('../internals/fails'); var toObject = _dereq_('../internals/to-object'); var nativeGetPrototypeOf = _dereq_('../internals/object-get-prototype-of'); var CORRECT_PROTOTYPE_GETTER = _dereq_('../internals/correct-prototype-getter'); var FAILS_ON_PRIMITIVES = fails(function () { nativeGetPrototypeOf(1); }); // `Object.getPrototypeOf` method // https://tc39.es/ecma262/#sec-object.getprototypeof $({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES, sham: !CORRECT_PROTOTYPE_GETTER }, { getPrototypeOf: function getPrototypeOf(it) { return nativeGetPrototypeOf(toObject(it)); } }); },{"../internals/correct-prototype-getter":284,"../internals/export":301,"../internals/fails":302,"../internals/object-get-prototype-of":348,"../internals/to-object":377}],415:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var toObject = _dereq_('../internals/to-object'); var nativeKeys = _dereq_('../internals/object-keys'); var fails = _dereq_('../internals/fails'); var FAILS_ON_PRIMITIVES = fails(function () { nativeKeys(1); }); // `Object.keys` method // https://tc39.es/ecma262/#sec-object.keys $({ target: 'Object', stat: true, forced: FAILS_ON_PRIMITIVES }, { keys: function keys(it) { return nativeKeys(toObject(it)); } }); },{"../internals/export":301,"../internals/fails":302,"../internals/object-keys":350,"../internals/to-object":377}],416:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var setPrototypeOf = _dereq_('../internals/object-set-prototype-of'); // `Object.setPrototypeOf` method // https://tc39.es/ecma262/#sec-object.setprototypeof $({ target: 'Object', stat: true }, { setPrototypeOf: setPrototypeOf }); },{"../internals/export":301,"../internals/object-set-prototype-of":352}],417:[function(_dereq_,module,exports){ arguments[4][405][0].apply(exports,arguments) },{"dup":405}],418:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var $values = _dereq_('../internals/object-to-array').values; // `Object.values` method // https://tc39.es/ecma262/#sec-object.values $({ target: 'Object', stat: true }, { values: function values(O) { return $values(O); } }); },{"../internals/export":301,"../internals/object-to-array":353}],419:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var parseIntImplementation = _dereq_('../internals/number-parse-int'); // `parseInt` method // https://tc39.es/ecma262/#sec-parseint-string-radix $({ global: true, forced: parseInt != parseIntImplementation }, { parseInt: parseIntImplementation }); },{"../internals/export":301,"../internals/number-parse-int":340}],420:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var aFunction = _dereq_('../internals/a-function'); var newPromiseCapabilityModule = _dereq_('../internals/new-promise-capability'); var perform = _dereq_('../internals/perform'); var iterate = _dereq_('../internals/iterate'); // `Promise.allSettled` method // https://tc39.es/ecma262/#sec-promise.allsettled $({ target: 'Promise', stat: true }, { allSettled: function allSettled(iterable) { var C = this; var capability = newPromiseCapabilityModule.f(C); var resolve = capability.resolve; var reject = capability.reject; var result = perform(function () { var promiseResolve = aFunction(C.resolve); var values = []; var counter = 0; var remaining = 1; iterate(iterable, function (promise) { var index = counter++; var alreadyCalled = false; values.push(undefined); remaining++; promiseResolve.call(C, promise).then(function (value) { if (alreadyCalled) return; alreadyCalled = true; values[index] = { status: 'fulfilled', value: value }; --remaining || resolve(values); }, function (error) { if (alreadyCalled) return; alreadyCalled = true; values[index] = { status: 'rejected', reason: error }; --remaining || resolve(values); }); }); --remaining || resolve(values); }); if (result.error) reject(result.value); return capability.promise; } }); },{"../internals/a-function":259,"../internals/export":301,"../internals/iterate":328,"../internals/new-promise-capability":338,"../internals/perform":357}],421:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var aFunction = _dereq_('../internals/a-function'); var getBuiltIn = _dereq_('../internals/get-built-in'); var newPromiseCapabilityModule = _dereq_('../internals/new-promise-capability'); var perform = _dereq_('../internals/perform'); var iterate = _dereq_('../internals/iterate'); var PROMISE_ANY_ERROR = 'No one promise resolved'; // `Promise.any` method // https://tc39.es/ecma262/#sec-promise.any $({ target: 'Promise', stat: true }, { any: function any(iterable) { var C = this; var capability = newPromiseCapabilityModule.f(C); var resolve = capability.resolve; var reject = capability.reject; var result = perform(function () { var promiseResolve = aFunction(C.resolve); var errors = []; var counter = 0; var remaining = 1; var alreadyResolved = false; iterate(iterable, function (promise) { var index = counter++; var alreadyRejected = false; errors.push(undefined); remaining++; promiseResolve.call(C, promise).then(function (value) { if (alreadyRejected || alreadyResolved) return; alreadyResolved = true; resolve(value); }, function (error) { if (alreadyRejected || alreadyResolved) return; alreadyRejected = true; errors[index] = error; --remaining || reject(new (getBuiltIn('AggregateError'))(errors, PROMISE_ANY_ERROR)); }); }); --remaining || reject(new (getBuiltIn('AggregateError'))(errors, PROMISE_ANY_ERROR)); }); if (result.error) reject(result.value); return capability.promise; } }); },{"../internals/a-function":259,"../internals/export":301,"../internals/get-built-in":306,"../internals/iterate":328,"../internals/new-promise-capability":338,"../internals/perform":357}],422:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var NativePromise = _dereq_('../internals/native-promise-constructor'); var fails = _dereq_('../internals/fails'); var getBuiltIn = _dereq_('../internals/get-built-in'); var speciesConstructor = _dereq_('../internals/species-constructor'); var promiseResolve = _dereq_('../internals/promise-resolve'); var redefine = _dereq_('../internals/redefine'); // Safari bug https://bugs.webkit.org/show_bug.cgi?id=200829 var NON_GENERIC = !!NativePromise && fails(function () { NativePromise.prototype['finally'].call({ then: function () { /* empty */ } }, function () { /* empty */ }); }); // `Promise.prototype.finally` method // https://tc39.es/ecma262/#sec-promise.prototype.finally $({ target: 'Promise', proto: true, real: true, forced: NON_GENERIC }, { 'finally': function (onFinally) { var C = speciesConstructor(this, getBuiltIn('Promise')); var isFunction = typeof onFinally == 'function'; return this.then( isFunction ? function (x) { return promiseResolve(C, onFinally()).then(function () { return x; }); } : onFinally, isFunction ? function (e) { return promiseResolve(C, onFinally()).then(function () { throw e; }); } : onFinally ); } }); // patch native Promise.prototype for native async functions if (!IS_PURE && typeof NativePromise == 'function' && !NativePromise.prototype['finally']) { redefine(NativePromise.prototype, 'finally', getBuiltIn('Promise').prototype['finally']); } },{"../internals/export":301,"../internals/fails":302,"../internals/get-built-in":306,"../internals/is-pure":326,"../internals/native-promise-constructor":335,"../internals/promise-resolve":358,"../internals/redefine":360,"../internals/species-constructor":369}],423:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var global = _dereq_('../internals/global'); var getBuiltIn = _dereq_('../internals/get-built-in'); var NativePromise = _dereq_('../internals/native-promise-constructor'); var redefine = _dereq_('../internals/redefine'); var redefineAll = _dereq_('../internals/redefine-all'); var setToStringTag = _dereq_('../internals/set-to-string-tag'); var setSpecies = _dereq_('../internals/set-species'); var isObject = _dereq_('../internals/is-object'); var aFunction = _dereq_('../internals/a-function'); var anInstance = _dereq_('../internals/an-instance'); var inspectSource = _dereq_('../internals/inspect-source'); var iterate = _dereq_('../internals/iterate'); var checkCorrectnessOfIteration = _dereq_('../internals/check-correctness-of-iteration'); var speciesConstructor = _dereq_('../internals/species-constructor'); var task = _dereq_('../internals/task').set; var microtask = _dereq_('../internals/microtask'); var promiseResolve = _dereq_('../internals/promise-resolve'); var hostReportErrors = _dereq_('../internals/host-report-errors'); var newPromiseCapabilityModule = _dereq_('../internals/new-promise-capability'); var perform = _dereq_('../internals/perform'); var InternalStateModule = _dereq_('../internals/internal-state'); var isForced = _dereq_('../internals/is-forced'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var IS_NODE = _dereq_('../internals/engine-is-node'); var V8_VERSION = _dereq_('../internals/engine-v8-version'); var SPECIES = wellKnownSymbol('species'); var PROMISE = 'Promise'; var getInternalState = InternalStateModule.get; var setInternalState = InternalStateModule.set; var getInternalPromiseState = InternalStateModule.getterFor(PROMISE); var PromiseConstructor = NativePromise; var TypeError = global.TypeError; var document = global.document; var process = global.process; var $fetch = getBuiltIn('fetch'); var newPromiseCapability = newPromiseCapabilityModule.f; var newGenericPromiseCapability = newPromiseCapability; var DISPATCH_EVENT = !!(document && document.createEvent && global.dispatchEvent); var NATIVE_REJECTION_EVENT = typeof PromiseRejectionEvent == 'function'; var UNHANDLED_REJECTION = 'unhandledrejection'; var REJECTION_HANDLED = 'rejectionhandled'; var PENDING = 0; var FULFILLED = 1; var REJECTED = 2; var HANDLED = 1; var UNHANDLED = 2; var Internal, OwnPromiseCapability, PromiseWrapper, nativeThen; var FORCED = isForced(PROMISE, function () { var GLOBAL_CORE_JS_PROMISE = inspectSource(PromiseConstructor) !== String(PromiseConstructor); if (!GLOBAL_CORE_JS_PROMISE) { // V8 6.6 (Node 10 and Chrome 66) have a bug with resolving custom thenables // https://bugs.chromium.org/p/chromium/issues/detail?id=830565 // We can't detect it synchronously, so just check versions if (V8_VERSION === 66) return true; // Unhandled rejections tracking support, NodeJS Promise without it fails @@species test if (!IS_NODE && !NATIVE_REJECTION_EVENT) return true; } // We need Promise#finally in the pure version for preventing prototype pollution if (IS_PURE && !PromiseConstructor.prototype['finally']) return true; // We can't use @@species feature detection in V8 since it causes // deoptimization and performance degradation // https://github.com/zloirock/core-js/issues/679 if (V8_VERSION >= 51 && /native code/.test(PromiseConstructor)) return false; // Detect correctness of subclassing with @@species support var promise = PromiseConstructor.resolve(1); var FakePromise = function (exec) { exec(function () { /* empty */ }, function () { /* empty */ }); }; var constructor = promise.constructor = {}; constructor[SPECIES] = FakePromise; return !(promise.then(function () { /* empty */ }) instanceof FakePromise); }); var INCORRECT_ITERATION = FORCED || !checkCorrectnessOfIteration(function (iterable) { PromiseConstructor.all(iterable)['catch'](function () { /* empty */ }); }); // helpers var isThenable = function (it) { var then; return isObject(it) && typeof (then = it.then) == 'function' ? then : false; }; var notify = function (state, isReject) { if (state.notified) return; state.notified = true; var chain = state.reactions; microtask(function () { var value = state.value; var ok = state.state == FULFILLED; var index = 0; // variable length - can't use forEach while (chain.length > index) { var reaction = chain[index++]; var handler = ok ? reaction.ok : reaction.fail; var resolve = reaction.resolve; var reject = reaction.reject; var domain = reaction.domain; var result, then, exited; try { if (handler) { if (!ok) { if (state.rejection === UNHANDLED) onHandleUnhandled(state); state.rejection = HANDLED; } if (handler === true) result = value; else { if (domain) domain.enter(); result = handler(value); // can throw if (domain) { domain.exit(); exited = true; } } if (result === reaction.promise) { reject(TypeError('Promise-chain cycle')); } else if (then = isThenable(result)) { then.call(result, resolve, reject); } else resolve(result); } else reject(value); } catch (error) { if (domain && !exited) domain.exit(); reject(error); } } state.reactions = []; state.notified = false; if (isReject && !state.rejection) onUnhandled(state); }); }; var dispatchEvent = function (name, promise, reason) { var event, handler; if (DISPATCH_EVENT) { event = document.createEvent('Event'); event.promise = promise; event.reason = reason; event.initEvent(name, false, true); global.dispatchEvent(event); } else event = { promise: promise, reason: reason }; if (!NATIVE_REJECTION_EVENT && (handler = global['on' + name])) handler(event); else if (name === UNHANDLED_REJECTION) hostReportErrors('Unhandled promise rejection', reason); }; var onUnhandled = function (state) { task.call(global, function () { var promise = state.facade; var value = state.value; var IS_UNHANDLED = isUnhandled(state); var result; if (IS_UNHANDLED) { result = perform(function () { if (IS_NODE) { process.emit('unhandledRejection', value, promise); } else dispatchEvent(UNHANDLED_REJECTION, promise, value); }); // Browsers should not trigger `rejectionHandled` event if it was handled here, NodeJS - should state.rejection = IS_NODE || isUnhandled(state) ? UNHANDLED : HANDLED; if (result.error) throw result.value; } }); }; var isUnhandled = function (state) { return state.rejection !== HANDLED && !state.parent; }; var onHandleUnhandled = function (state) { task.call(global, function () { var promise = state.facade; if (IS_NODE) { process.emit('rejectionHandled', promise); } else dispatchEvent(REJECTION_HANDLED, promise, state.value); }); }; var bind = function (fn, state, unwrap) { return function (value) { fn(state, value, unwrap); }; }; var internalReject = function (state, value, unwrap) { if (state.done) return; state.done = true; if (unwrap) state = unwrap; state.value = value; state.state = REJECTED; notify(state, true); }; var internalResolve = function (state, value, unwrap) { if (state.done) return; state.done = true; if (unwrap) state = unwrap; try { if (state.facade === value) throw TypeError("Promise can't be resolved itself"); var then = isThenable(value); if (then) { microtask(function () { var wrapper = { done: false }; try { then.call(value, bind(internalResolve, wrapper, state), bind(internalReject, wrapper, state) ); } catch (error) { internalReject(wrapper, error, state); } }); } else { state.value = value; state.state = FULFILLED; notify(state, false); } } catch (error) { internalReject({ done: false }, error, state); } }; // constructor polyfill if (FORCED) { // 25.4.3.1 Promise(executor) PromiseConstructor = function Promise(executor) { anInstance(this, PromiseConstructor, PROMISE); aFunction(executor); Internal.call(this); var state = getInternalState(this); try { executor(bind(internalResolve, state), bind(internalReject, state)); } catch (error) { internalReject(state, error); } }; // eslint-disable-next-line no-unused-vars Internal = function Promise(executor) { setInternalState(this, { type: PROMISE, done: false, notified: false, parent: false, reactions: [], rejection: false, state: PENDING, value: undefined }); }; Internal.prototype = redefineAll(PromiseConstructor.prototype, { // `Promise.prototype.then` method // https://tc39.es/ecma262/#sec-promise.prototype.then then: function then(onFulfilled, onRejected) { var state = getInternalPromiseState(this); var reaction = newPromiseCapability(speciesConstructor(this, PromiseConstructor)); reaction.ok = typeof onFulfilled == 'function' ? onFulfilled : true; reaction.fail = typeof onRejected == 'function' && onRejected; reaction.domain = IS_NODE ? process.domain : undefined; state.parent = true; state.reactions.push(reaction); if (state.state != PENDING) notify(state, false); return reaction.promise; }, // `Promise.prototype.catch` method // https://tc39.es/ecma262/#sec-promise.prototype.catch 'catch': function (onRejected) { return this.then(undefined, onRejected); } }); OwnPromiseCapability = function () { var promise = new Internal(); var state = getInternalState(promise); this.promise = promise; this.resolve = bind(internalResolve, state); this.reject = bind(internalReject, state); }; newPromiseCapabilityModule.f = newPromiseCapability = function (C) { return C === PromiseConstructor || C === PromiseWrapper ? new OwnPromiseCapability(C) : newGenericPromiseCapability(C); }; if (!IS_PURE && typeof NativePromise == 'function') { nativeThen = NativePromise.prototype.then; // wrap native Promise#then for native async functions redefine(NativePromise.prototype, 'then', function then(onFulfilled, onRejected) { var that = this; return new PromiseConstructor(function (resolve, reject) { nativeThen.call(that, resolve, reject); }).then(onFulfilled, onRejected); // https://github.com/zloirock/core-js/issues/640 }, { unsafe: true }); // wrap fetch result if (typeof $fetch == 'function') $({ global: true, enumerable: true, forced: true }, { // eslint-disable-next-line no-unused-vars fetch: function fetch(input /* , init */) { return promiseResolve(PromiseConstructor, $fetch.apply(global, arguments)); } }); } } $({ global: true, wrap: true, forced: FORCED }, { Promise: PromiseConstructor }); setToStringTag(PromiseConstructor, PROMISE, false, true); setSpecies(PROMISE); PromiseWrapper = getBuiltIn(PROMISE); // statics $({ target: PROMISE, stat: true, forced: FORCED }, { // `Promise.reject` method // https://tc39.es/ecma262/#sec-promise.reject reject: function reject(r) { var capability = newPromiseCapability(this); capability.reject.call(undefined, r); return capability.promise; } }); $({ target: PROMISE, stat: true, forced: IS_PURE || FORCED }, { // `Promise.resolve` method // https://tc39.es/ecma262/#sec-promise.resolve resolve: function resolve(x) { return promiseResolve(IS_PURE && this === PromiseWrapper ? PromiseConstructor : this, x); } }); $({ target: PROMISE, stat: true, forced: INCORRECT_ITERATION }, { // `Promise.all` method // https://tc39.es/ecma262/#sec-promise.all all: function all(iterable) { var C = this; var capability = newPromiseCapability(C); var resolve = capability.resolve; var reject = capability.reject; var result = perform(function () { var $promiseResolve = aFunction(C.resolve); var values = []; var counter = 0; var remaining = 1; iterate(iterable, function (promise) { var index = counter++; var alreadyCalled = false; values.push(undefined); remaining++; $promiseResolve.call(C, promise).then(function (value) { if (alreadyCalled) return; alreadyCalled = true; values[index] = value; --remaining || resolve(values); }, reject); }); --remaining || resolve(values); }); if (result.error) reject(result.value); return capability.promise; }, // `Promise.race` method // https://tc39.es/ecma262/#sec-promise.race race: function race(iterable) { var C = this; var capability = newPromiseCapability(C); var reject = capability.reject; var result = perform(function () { var $promiseResolve = aFunction(C.resolve); iterate(iterable, function (promise) { $promiseResolve.call(C, promise).then(capability.resolve, reject); }); }); if (result.error) reject(result.value); return capability.promise; } }); },{"../internals/a-function":259,"../internals/an-instance":262,"../internals/check-correctness-of-iteration":274,"../internals/engine-is-node":295,"../internals/engine-v8-version":298,"../internals/export":301,"../internals/get-built-in":306,"../internals/global":310,"../internals/host-report-errors":313,"../internals/inspect-source":317,"../internals/internal-state":319,"../internals/is-forced":322,"../internals/is-object":325,"../internals/is-pure":326,"../internals/iterate":328,"../internals/microtask":334,"../internals/native-promise-constructor":335,"../internals/new-promise-capability":338,"../internals/perform":357,"../internals/promise-resolve":358,"../internals/redefine":360,"../internals/redefine-all":359,"../internals/set-species":364,"../internals/set-to-string-tag":365,"../internals/species-constructor":369,"../internals/task":372,"../internals/well-known-symbol":383}],424:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var getBuiltIn = _dereq_('../internals/get-built-in'); var aFunction = _dereq_('../internals/a-function'); var anObject = _dereq_('../internals/an-object'); var isObject = _dereq_('../internals/is-object'); var create = _dereq_('../internals/object-create'); var bind = _dereq_('../internals/function-bind'); var fails = _dereq_('../internals/fails'); var nativeConstruct = getBuiltIn('Reflect', 'construct'); // `Reflect.construct` method // https://tc39.es/ecma262/#sec-reflect.construct // MS Edge supports only 2 arguments and argumentsList argument is optional // FF Nightly sets third argument as `new.target`, but does not create `this` from it var NEW_TARGET_BUG = fails(function () { function F() { /* empty */ } return !(nativeConstruct(function () { /* empty */ }, [], F) instanceof F); }); var ARGS_BUG = !fails(function () { nativeConstruct(function () { /* empty */ }); }); var FORCED = NEW_TARGET_BUG || ARGS_BUG; $({ target: 'Reflect', stat: true, forced: FORCED, sham: FORCED }, { construct: function construct(Target, args /* , newTarget */) { aFunction(Target); anObject(args); var newTarget = arguments.length < 3 ? Target : aFunction(arguments[2]); if (ARGS_BUG && !NEW_TARGET_BUG) return nativeConstruct(Target, args, newTarget); if (Target == newTarget) { // w/o altered newTarget, optimization for 0-4 arguments switch (args.length) { case 0: return new Target(); case 1: return new Target(args[0]); case 2: return new Target(args[0], args[1]); case 3: return new Target(args[0], args[1], args[2]); case 4: return new Target(args[0], args[1], args[2], args[3]); } // w/o altered newTarget, lot of arguments case var $args = [null]; $args.push.apply($args, args); return new (bind.apply(Target, $args))(); } // with altered newTarget, not support built-in constructors var proto = newTarget.prototype; var instance = create(isObject(proto) ? proto : Object.prototype); var result = Function.apply.call(Target, instance, args); return isObject(result) ? result : instance; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/fails":302,"../internals/function-bind":305,"../internals/get-built-in":306,"../internals/is-object":325,"../internals/object-create":341}],425:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var isObject = _dereq_('../internals/is-object'); var anObject = _dereq_('../internals/an-object'); var has = _dereq_('../internals/has'); var getOwnPropertyDescriptorModule = _dereq_('../internals/object-get-own-property-descriptor'); var getPrototypeOf = _dereq_('../internals/object-get-prototype-of'); // `Reflect.get` method // https://tc39.es/ecma262/#sec-reflect.get function get(target, propertyKey /* , receiver */) { var receiver = arguments.length < 3 ? target : arguments[2]; var descriptor, prototype; if (anObject(target) === receiver) return target[propertyKey]; if (descriptor = getOwnPropertyDescriptorModule.f(target, propertyKey)) return has(descriptor, 'value') ? descriptor.value : descriptor.get === undefined ? undefined : descriptor.get.call(receiver); if (isObject(prototype = getPrototypeOf(target))) return get(prototype, propertyKey, receiver); } $({ target: 'Reflect', stat: true }, { get: get }); },{"../internals/an-object":263,"../internals/export":301,"../internals/has":311,"../internals/is-object":325,"../internals/object-get-own-property-descriptor":344,"../internals/object-get-prototype-of":348}],426:[function(_dereq_,module,exports){ arguments[4][405][0].apply(exports,arguments) },{"dup":405}],427:[function(_dereq_,module,exports){ 'use strict'; var collection = _dereq_('../internals/collection'); var collectionStrong = _dereq_('../internals/collection-strong'); // `Set` constructor // https://tc39.es/ecma262/#sec-set-objects module.exports = collection('Set', function (init) { return function Set() { return init(this, arguments.length ? arguments[0] : undefined); }; }, collectionStrong); },{"../internals/collection":282,"../internals/collection-strong":280}],428:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var notARegExp = _dereq_('../internals/not-a-regexp'); var requireObjectCoercible = _dereq_('../internals/require-object-coercible'); var correctIsRegExpLogic = _dereq_('../internals/correct-is-regexp-logic'); // `String.prototype.includes` method // https://tc39.es/ecma262/#sec-string.prototype.includes $({ target: 'String', proto: true, forced: !correctIsRegExpLogic('includes') }, { includes: function includes(searchString /* , position = 0 */) { return !!~String(requireObjectCoercible(this)) .indexOf(notARegExp(searchString), arguments.length > 1 ? arguments[1] : undefined); } }); },{"../internals/correct-is-regexp-logic":283,"../internals/export":301,"../internals/not-a-regexp":339,"../internals/require-object-coercible":361}],429:[function(_dereq_,module,exports){ 'use strict'; var charAt = _dereq_('../internals/string-multibyte').charAt; var InternalStateModule = _dereq_('../internals/internal-state'); var defineIterator = _dereq_('../internals/define-iterator'); var STRING_ITERATOR = 'String Iterator'; var setInternalState = InternalStateModule.set; var getInternalState = InternalStateModule.getterFor(STRING_ITERATOR); // `String.prototype[@@iterator]` method // https://tc39.es/ecma262/#sec-string.prototype-@@iterator defineIterator(String, 'String', function (iterated) { setInternalState(this, { type: STRING_ITERATOR, string: String(iterated), index: 0 }); // `%StringIteratorPrototype%.next` method // https://tc39.es/ecma262/#sec-%stringiteratorprototype%.next }, function next() { var state = getInternalState(this); var string = state.string; var index = state.index; var point; if (index >= string.length) return { value: undefined, done: true }; point = charAt(string, index); state.index += point.length; return { value: point, done: false }; }); },{"../internals/define-iterator":289,"../internals/internal-state":319,"../internals/string-multibyte":370}],430:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var getOwnPropertyDescriptor = _dereq_('../internals/object-get-own-property-descriptor').f; var toLength = _dereq_('../internals/to-length'); var notARegExp = _dereq_('../internals/not-a-regexp'); var requireObjectCoercible = _dereq_('../internals/require-object-coercible'); var correctIsRegExpLogic = _dereq_('../internals/correct-is-regexp-logic'); var IS_PURE = _dereq_('../internals/is-pure'); var nativeStartsWith = ''.startsWith; var min = Math.min; var CORRECT_IS_REGEXP_LOGIC = correctIsRegExpLogic('startsWith'); // https://github.com/zloirock/core-js/pull/702 var MDN_POLYFILL_BUG = !IS_PURE && !CORRECT_IS_REGEXP_LOGIC && !!function () { var descriptor = getOwnPropertyDescriptor(String.prototype, 'startsWith'); return descriptor && !descriptor.writable; }(); // `String.prototype.startsWith` method // https://tc39.es/ecma262/#sec-string.prototype.startswith $({ target: 'String', proto: true, forced: !MDN_POLYFILL_BUG && !CORRECT_IS_REGEXP_LOGIC }, { startsWith: function startsWith(searchString /* , position = 0 */) { var that = String(requireObjectCoercible(this)); notARegExp(searchString); var index = toLength(min(arguments.length > 1 ? arguments[1] : undefined, that.length)); var search = String(searchString); return nativeStartsWith ? nativeStartsWith.call(that, search, index) : that.slice(index, index + search.length) === search; } }); },{"../internals/correct-is-regexp-logic":283,"../internals/export":301,"../internals/is-pure":326,"../internals/not-a-regexp":339,"../internals/object-get-own-property-descriptor":344,"../internals/require-object-coercible":361,"../internals/to-length":376}],431:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.asyncIterator` well-known symbol // https://tc39.es/ecma262/#sec-symbol.asynciterator defineWellKnownSymbol('asyncIterator'); },{"../internals/define-well-known-symbol":290}],432:[function(_dereq_,module,exports){ arguments[4][405][0].apply(exports,arguments) },{"dup":405}],433:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.hasInstance` well-known symbol // https://tc39.es/ecma262/#sec-symbol.hasinstance defineWellKnownSymbol('hasInstance'); },{"../internals/define-well-known-symbol":290}],434:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.isConcatSpreadable` well-known symbol // https://tc39.es/ecma262/#sec-symbol.isconcatspreadable defineWellKnownSymbol('isConcatSpreadable'); },{"../internals/define-well-known-symbol":290}],435:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.iterator` well-known symbol // https://tc39.es/ecma262/#sec-symbol.iterator defineWellKnownSymbol('iterator'); },{"../internals/define-well-known-symbol":290}],436:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var global = _dereq_('../internals/global'); var getBuiltIn = _dereq_('../internals/get-built-in'); var IS_PURE = _dereq_('../internals/is-pure'); var DESCRIPTORS = _dereq_('../internals/descriptors'); var NATIVE_SYMBOL = _dereq_('../internals/native-symbol'); var USE_SYMBOL_AS_UID = _dereq_('../internals/use-symbol-as-uid'); var fails = _dereq_('../internals/fails'); var has = _dereq_('../internals/has'); var isArray = _dereq_('../internals/is-array'); var isObject = _dereq_('../internals/is-object'); var anObject = _dereq_('../internals/an-object'); var toObject = _dereq_('../internals/to-object'); var toIndexedObject = _dereq_('../internals/to-indexed-object'); var toPrimitive = _dereq_('../internals/to-primitive'); var createPropertyDescriptor = _dereq_('../internals/create-property-descriptor'); var nativeObjectCreate = _dereq_('../internals/object-create'); var objectKeys = _dereq_('../internals/object-keys'); var getOwnPropertyNamesModule = _dereq_('../internals/object-get-own-property-names'); var getOwnPropertyNamesExternal = _dereq_('../internals/object-get-own-property-names-external'); var getOwnPropertySymbolsModule = _dereq_('../internals/object-get-own-property-symbols'); var getOwnPropertyDescriptorModule = _dereq_('../internals/object-get-own-property-descriptor'); var definePropertyModule = _dereq_('../internals/object-define-property'); var propertyIsEnumerableModule = _dereq_('../internals/object-property-is-enumerable'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var redefine = _dereq_('../internals/redefine'); var shared = _dereq_('../internals/shared'); var sharedKey = _dereq_('../internals/shared-key'); var hiddenKeys = _dereq_('../internals/hidden-keys'); var uid = _dereq_('../internals/uid'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var wrappedWellKnownSymbolModule = _dereq_('../internals/well-known-symbol-wrapped'); var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); var setToStringTag = _dereq_('../internals/set-to-string-tag'); var InternalStateModule = _dereq_('../internals/internal-state'); var $forEach = _dereq_('../internals/array-iteration').forEach; var HIDDEN = sharedKey('hidden'); var SYMBOL = 'Symbol'; var PROTOTYPE = 'prototype'; var TO_PRIMITIVE = wellKnownSymbol('toPrimitive'); var setInternalState = InternalStateModule.set; var getInternalState = InternalStateModule.getterFor(SYMBOL); var ObjectPrototype = Object[PROTOTYPE]; var $Symbol = global.Symbol; var $stringify = getBuiltIn('JSON', 'stringify'); var nativeGetOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f; var nativeDefineProperty = definePropertyModule.f; var nativeGetOwnPropertyNames = getOwnPropertyNamesExternal.f; var nativePropertyIsEnumerable = propertyIsEnumerableModule.f; var AllSymbols = shared('symbols'); var ObjectPrototypeSymbols = shared('op-symbols'); var StringToSymbolRegistry = shared('string-to-symbol-registry'); var SymbolToStringRegistry = shared('symbol-to-string-registry'); var WellKnownSymbolsStore = shared('wks'); var QObject = global.QObject; // Don't use setters in Qt Script, https://github.com/zloirock/core-js/issues/173 var USE_SETTER = !QObject || !QObject[PROTOTYPE] || !QObject[PROTOTYPE].findChild; // fallback for old Android, https://code.google.com/p/v8/issues/detail?id=687 var setSymbolDescriptor = DESCRIPTORS && fails(function () { return nativeObjectCreate(nativeDefineProperty({}, 'a', { get: function () { return nativeDefineProperty(this, 'a', { value: 7 }).a; } })).a != 7; }) ? function (O, P, Attributes) { var ObjectPrototypeDescriptor = nativeGetOwnPropertyDescriptor(ObjectPrototype, P); if (ObjectPrototypeDescriptor) delete ObjectPrototype[P]; nativeDefineProperty(O, P, Attributes); if (ObjectPrototypeDescriptor && O !== ObjectPrototype) { nativeDefineProperty(ObjectPrototype, P, ObjectPrototypeDescriptor); } } : nativeDefineProperty; var wrap = function (tag, description) { var symbol = AllSymbols[tag] = nativeObjectCreate($Symbol[PROTOTYPE]); setInternalState(symbol, { type: SYMBOL, tag: tag, description: description }); if (!DESCRIPTORS) symbol.description = description; return symbol; }; var isSymbol = USE_SYMBOL_AS_UID ? function (it) { return typeof it == 'symbol'; } : function (it) { return Object(it) instanceof $Symbol; }; var $defineProperty = function defineProperty(O, P, Attributes) { if (O === ObjectPrototype) $defineProperty(ObjectPrototypeSymbols, P, Attributes); anObject(O); var key = toPrimitive(P, true); anObject(Attributes); if (has(AllSymbols, key)) { if (!Attributes.enumerable) { if (!has(O, HIDDEN)) nativeDefineProperty(O, HIDDEN, createPropertyDescriptor(1, {})); O[HIDDEN][key] = true; } else { if (has(O, HIDDEN) && O[HIDDEN][key]) O[HIDDEN][key] = false; Attributes = nativeObjectCreate(Attributes, { enumerable: createPropertyDescriptor(0, false) }); } return setSymbolDescriptor(O, key, Attributes); } return nativeDefineProperty(O, key, Attributes); }; var $defineProperties = function defineProperties(O, Properties) { anObject(O); var properties = toIndexedObject(Properties); var keys = objectKeys(properties).concat($getOwnPropertySymbols(properties)); $forEach(keys, function (key) { if (!DESCRIPTORS || $propertyIsEnumerable.call(properties, key)) $defineProperty(O, key, properties[key]); }); return O; }; var $create = function create(O, Properties) { return Properties === undefined ? nativeObjectCreate(O) : $defineProperties(nativeObjectCreate(O), Properties); }; var $propertyIsEnumerable = function propertyIsEnumerable(V) { var P = toPrimitive(V, true); var enumerable = nativePropertyIsEnumerable.call(this, P); if (this === ObjectPrototype && has(AllSymbols, P) && !has(ObjectPrototypeSymbols, P)) return false; return enumerable || !has(this, P) || !has(AllSymbols, P) || has(this, HIDDEN) && this[HIDDEN][P] ? enumerable : true; }; var $getOwnPropertyDescriptor = function getOwnPropertyDescriptor(O, P) { var it = toIndexedObject(O); var key = toPrimitive(P, true); if (it === ObjectPrototype && has(AllSymbols, key) && !has(ObjectPrototypeSymbols, key)) return; var descriptor = nativeGetOwnPropertyDescriptor(it, key); if (descriptor && has(AllSymbols, key) && !(has(it, HIDDEN) && it[HIDDEN][key])) { descriptor.enumerable = true; } return descriptor; }; var $getOwnPropertyNames = function getOwnPropertyNames(O) { var names = nativeGetOwnPropertyNames(toIndexedObject(O)); var result = []; $forEach(names, function (key) { if (!has(AllSymbols, key) && !has(hiddenKeys, key)) result.push(key); }); return result; }; var $getOwnPropertySymbols = function getOwnPropertySymbols(O) { var IS_OBJECT_PROTOTYPE = O === ObjectPrototype; var names = nativeGetOwnPropertyNames(IS_OBJECT_PROTOTYPE ? ObjectPrototypeSymbols : toIndexedObject(O)); var result = []; $forEach(names, function (key) { if (has(AllSymbols, key) && (!IS_OBJECT_PROTOTYPE || has(ObjectPrototype, key))) { result.push(AllSymbols[key]); } }); return result; }; // `Symbol` constructor // https://tc39.es/ecma262/#sec-symbol-constructor if (!NATIVE_SYMBOL) { $Symbol = function Symbol() { if (this instanceof $Symbol) throw TypeError('Symbol is not a constructor'); var description = !arguments.length || arguments[0] === undefined ? undefined : String(arguments[0]); var tag = uid(description); var setter = function (value) { if (this === ObjectPrototype) setter.call(ObjectPrototypeSymbols, value); if (has(this, HIDDEN) && has(this[HIDDEN], tag)) this[HIDDEN][tag] = false; setSymbolDescriptor(this, tag, createPropertyDescriptor(1, value)); }; if (DESCRIPTORS && USE_SETTER) setSymbolDescriptor(ObjectPrototype, tag, { configurable: true, set: setter }); return wrap(tag, description); }; redefine($Symbol[PROTOTYPE], 'toString', function toString() { return getInternalState(this).tag; }); redefine($Symbol, 'withoutSetter', function (description) { return wrap(uid(description), description); }); propertyIsEnumerableModule.f = $propertyIsEnumerable; definePropertyModule.f = $defineProperty; getOwnPropertyDescriptorModule.f = $getOwnPropertyDescriptor; getOwnPropertyNamesModule.f = getOwnPropertyNamesExternal.f = $getOwnPropertyNames; getOwnPropertySymbolsModule.f = $getOwnPropertySymbols; wrappedWellKnownSymbolModule.f = function (name) { return wrap(wellKnownSymbol(name), name); }; if (DESCRIPTORS) { // https://github.com/tc39/proposal-Symbol-description nativeDefineProperty($Symbol[PROTOTYPE], 'description', { configurable: true, get: function description() { return getInternalState(this).description; } }); if (!IS_PURE) { redefine(ObjectPrototype, 'propertyIsEnumerable', $propertyIsEnumerable, { unsafe: true }); } } } $({ global: true, wrap: true, forced: !NATIVE_SYMBOL, sham: !NATIVE_SYMBOL }, { Symbol: $Symbol }); $forEach(objectKeys(WellKnownSymbolsStore), function (name) { defineWellKnownSymbol(name); }); $({ target: SYMBOL, stat: true, forced: !NATIVE_SYMBOL }, { // `Symbol.for` method // https://tc39.es/ecma262/#sec-symbol.for 'for': function (key) { var string = String(key); if (has(StringToSymbolRegistry, string)) return StringToSymbolRegistry[string]; var symbol = $Symbol(string); StringToSymbolRegistry[string] = symbol; SymbolToStringRegistry[symbol] = string; return symbol; }, // `Symbol.keyFor` method // https://tc39.es/ecma262/#sec-symbol.keyfor keyFor: function keyFor(sym) { if (!isSymbol(sym)) throw TypeError(sym + ' is not a symbol'); if (has(SymbolToStringRegistry, sym)) return SymbolToStringRegistry[sym]; }, useSetter: function () { USE_SETTER = true; }, useSimple: function () { USE_SETTER = false; } }); $({ target: 'Object', stat: true, forced: !NATIVE_SYMBOL, sham: !DESCRIPTORS }, { // `Object.create` method // https://tc39.es/ecma262/#sec-object.create create: $create, // `Object.defineProperty` method // https://tc39.es/ecma262/#sec-object.defineproperty defineProperty: $defineProperty, // `Object.defineProperties` method // https://tc39.es/ecma262/#sec-object.defineproperties defineProperties: $defineProperties, // `Object.getOwnPropertyDescriptor` method // https://tc39.es/ecma262/#sec-object.getownpropertydescriptors getOwnPropertyDescriptor: $getOwnPropertyDescriptor }); $({ target: 'Object', stat: true, forced: !NATIVE_SYMBOL }, { // `Object.getOwnPropertyNames` method // https://tc39.es/ecma262/#sec-object.getownpropertynames getOwnPropertyNames: $getOwnPropertyNames, // `Object.getOwnPropertySymbols` method // https://tc39.es/ecma262/#sec-object.getownpropertysymbols getOwnPropertySymbols: $getOwnPropertySymbols }); // Chrome 38 and 39 `Object.getOwnPropertySymbols` fails on primitives // https://bugs.chromium.org/p/v8/issues/detail?id=3443 $({ target: 'Object', stat: true, forced: fails(function () { getOwnPropertySymbolsModule.f(1); }) }, { getOwnPropertySymbols: function getOwnPropertySymbols(it) { return getOwnPropertySymbolsModule.f(toObject(it)); } }); // `JSON.stringify` method behavior with symbols // https://tc39.es/ecma262/#sec-json.stringify if ($stringify) { var FORCED_JSON_STRINGIFY = !NATIVE_SYMBOL || fails(function () { var symbol = $Symbol(); // MS Edge converts symbol values to JSON as {} return $stringify([symbol]) != '[null]' // WebKit converts symbol values to JSON as null || $stringify({ a: symbol }) != '{}' // V8 throws on boxed symbols || $stringify(Object(symbol)) != '{}'; }); $({ target: 'JSON', stat: true, forced: FORCED_JSON_STRINGIFY }, { // eslint-disable-next-line no-unused-vars stringify: function stringify(it, replacer, space) { var args = [it]; var index = 1; var $replacer; while (arguments.length > index) args.push(arguments[index++]); $replacer = replacer; if (!isObject(replacer) && it === undefined || isSymbol(it)) return; // IE8 returns string on undefined if (!isArray(replacer)) replacer = function (key, value) { if (typeof $replacer == 'function') value = $replacer.call(this, key, value); if (!isSymbol(value)) return value; }; args[1] = replacer; return $stringify.apply(null, args); } }); } // `Symbol.prototype[@@toPrimitive]` method // https://tc39.es/ecma262/#sec-symbol.prototype-@@toprimitive if (!$Symbol[PROTOTYPE][TO_PRIMITIVE]) { createNonEnumerableProperty($Symbol[PROTOTYPE], TO_PRIMITIVE, $Symbol[PROTOTYPE].valueOf); } // `Symbol.prototype[@@toStringTag]` property // https://tc39.es/ecma262/#sec-symbol.prototype-@@tostringtag setToStringTag($Symbol, SYMBOL); hiddenKeys[HIDDEN] = true; },{"../internals/an-object":263,"../internals/array-iteration":267,"../internals/create-non-enumerable-property":286,"../internals/create-property-descriptor":287,"../internals/define-well-known-symbol":290,"../internals/descriptors":291,"../internals/export":301,"../internals/fails":302,"../internals/get-built-in":306,"../internals/global":310,"../internals/has":311,"../internals/hidden-keys":312,"../internals/internal-state":319,"../internals/is-array":321,"../internals/is-object":325,"../internals/is-pure":326,"../internals/native-symbol":336,"../internals/object-create":341,"../internals/object-define-property":343,"../internals/object-get-own-property-descriptor":344,"../internals/object-get-own-property-names":346,"../internals/object-get-own-property-names-external":345,"../internals/object-get-own-property-symbols":347,"../internals/object-keys":350,"../internals/object-property-is-enumerable":351,"../internals/redefine":360,"../internals/set-to-string-tag":365,"../internals/shared":368,"../internals/shared-key":366,"../internals/to-indexed-object":374,"../internals/to-object":377,"../internals/to-primitive":378,"../internals/uid":380,"../internals/use-symbol-as-uid":381,"../internals/well-known-symbol":383,"../internals/well-known-symbol-wrapped":382}],437:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.matchAll` well-known symbol // https://tc39.es/ecma262/#sec-symbol.matchall defineWellKnownSymbol('matchAll'); },{"../internals/define-well-known-symbol":290}],438:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.match` well-known symbol // https://tc39.es/ecma262/#sec-symbol.match defineWellKnownSymbol('match'); },{"../internals/define-well-known-symbol":290}],439:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.replace` well-known symbol // https://tc39.es/ecma262/#sec-symbol.replace defineWellKnownSymbol('replace'); },{"../internals/define-well-known-symbol":290}],440:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.search` well-known symbol // https://tc39.es/ecma262/#sec-symbol.search defineWellKnownSymbol('search'); },{"../internals/define-well-known-symbol":290}],441:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.species` well-known symbol // https://tc39.es/ecma262/#sec-symbol.species defineWellKnownSymbol('species'); },{"../internals/define-well-known-symbol":290}],442:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.split` well-known symbol // https://tc39.es/ecma262/#sec-symbol.split defineWellKnownSymbol('split'); },{"../internals/define-well-known-symbol":290}],443:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.toPrimitive` well-known symbol // https://tc39.es/ecma262/#sec-symbol.toprimitive defineWellKnownSymbol('toPrimitive'); },{"../internals/define-well-known-symbol":290}],444:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.toStringTag` well-known symbol // https://tc39.es/ecma262/#sec-symbol.tostringtag defineWellKnownSymbol('toStringTag'); },{"../internals/define-well-known-symbol":290}],445:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.unscopables` well-known symbol // https://tc39.es/ecma262/#sec-symbol.unscopables defineWellKnownSymbol('unscopables'); },{"../internals/define-well-known-symbol":290}],446:[function(_dereq_,module,exports){ 'use strict'; var global = _dereq_('../internals/global'); var redefineAll = _dereq_('../internals/redefine-all'); var InternalMetadataModule = _dereq_('../internals/internal-metadata'); var collection = _dereq_('../internals/collection'); var collectionWeak = _dereq_('../internals/collection-weak'); var isObject = _dereq_('../internals/is-object'); var enforceIternalState = _dereq_('../internals/internal-state').enforce; var NATIVE_WEAK_MAP = _dereq_('../internals/native-weak-map'); var IS_IE11 = !global.ActiveXObject && 'ActiveXObject' in global; var isExtensible = Object.isExtensible; var InternalWeakMap; var wrapper = function (init) { return function WeakMap() { return init(this, arguments.length ? arguments[0] : undefined); }; }; // `WeakMap` constructor // https://tc39.es/ecma262/#sec-weakmap-constructor var $WeakMap = module.exports = collection('WeakMap', wrapper, collectionWeak); // IE11 WeakMap frozen keys fix // We can't use feature detection because it crash some old IE builds // https://github.com/zloirock/core-js/issues/485 if (NATIVE_WEAK_MAP && IS_IE11) { InternalWeakMap = collectionWeak.getConstructor(wrapper, 'WeakMap', true); InternalMetadataModule.REQUIRED = true; var WeakMapPrototype = $WeakMap.prototype; var nativeDelete = WeakMapPrototype['delete']; var nativeHas = WeakMapPrototype.has; var nativeGet = WeakMapPrototype.get; var nativeSet = WeakMapPrototype.set; redefineAll(WeakMapPrototype, { 'delete': function (key) { if (isObject(key) && !isExtensible(key)) { var state = enforceIternalState(this); if (!state.frozen) state.frozen = new InternalWeakMap(); return nativeDelete.call(this, key) || state.frozen['delete'](key); } return nativeDelete.call(this, key); }, has: function has(key) { if (isObject(key) && !isExtensible(key)) { var state = enforceIternalState(this); if (!state.frozen) state.frozen = new InternalWeakMap(); return nativeHas.call(this, key) || state.frozen.has(key); } return nativeHas.call(this, key); }, get: function get(key) { if (isObject(key) && !isExtensible(key)) { var state = enforceIternalState(this); if (!state.frozen) state.frozen = new InternalWeakMap(); return nativeHas.call(this, key) ? nativeGet.call(this, key) : state.frozen.get(key); } return nativeGet.call(this, key); }, set: function set(key, value) { if (isObject(key) && !isExtensible(key)) { var state = enforceIternalState(this); if (!state.frozen) state.frozen = new InternalWeakMap(); nativeHas.call(this, key) ? nativeSet.call(this, key, value) : state.frozen.set(key, value); } else nativeSet.call(this, key, value); return this; } }); } },{"../internals/collection":282,"../internals/collection-weak":281,"../internals/global":310,"../internals/internal-metadata":318,"../internals/internal-state":319,"../internals/is-object":325,"../internals/native-weak-map":337,"../internals/redefine-all":359}],447:[function(_dereq_,module,exports){ // TODO: Remove from `core-js@4` _dereq_('./es.aggregate-error'); },{"./es.aggregate-error":385}],448:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var collectionDeleteAll = _dereq_('../internals/collection-delete-all'); // `Map.prototype.deleteAll` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { deleteAll: function deleteAll(/* ...elements */) { return collectionDeleteAll.apply(this, arguments); } }); },{"../internals/collection-delete-all":277,"../internals/export":301,"../internals/is-pure":326}],449:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var $emplace = _dereq_('../internals/map-emplace'); // `Map.prototype.emplace` method // https://github.com/thumbsupep/proposal-upsert $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { emplace: $emplace }); },{"../internals/export":301,"../internals/is-pure":326,"../internals/map-emplace":332}],450:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var bind = _dereq_('../internals/function-bind-context'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.every` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { every: function every(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); return !iterate(iterator, function (key, value, stop) { if (!boundFunction(value, key, map)) return stop(); }, { AS_ENTRIES: true, IS_ITERATOR: true, INTERRUPTED: true }).stopped; } }); },{"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328}],451:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var getBuiltIn = _dereq_('../internals/get-built-in'); var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); var bind = _dereq_('../internals/function-bind-context'); var speciesConstructor = _dereq_('../internals/species-constructor'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.filter` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { filter: function filter(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); var newMap = new (speciesConstructor(map, getBuiltIn('Map')))(); var setter = aFunction(newMap.set); iterate(iterator, function (key, value) { if (boundFunction(value, key, map)) setter.call(newMap, key, value); }, { AS_ENTRIES: true, IS_ITERATOR: true }); return newMap; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-built-in":306,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328,"../internals/species-constructor":369}],452:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var bind = _dereq_('../internals/function-bind-context'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.findKey` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { findKey: function findKey(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); return iterate(iterator, function (key, value, stop) { if (boundFunction(value, key, map)) return stop(key); }, { AS_ENTRIES: true, IS_ITERATOR: true, INTERRUPTED: true }).result; } }); },{"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328}],453:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var bind = _dereq_('../internals/function-bind-context'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.find` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { find: function find(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); return iterate(iterator, function (key, value, stop) { if (boundFunction(value, key, map)) return stop(value); }, { AS_ENTRIES: true, IS_ITERATOR: true, INTERRUPTED: true }).result; } }); },{"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328}],454:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var from = _dereq_('../internals/collection-from'); // `Map.from` method // https://tc39.github.io/proposal-setmap-offrom/#sec-map.from $({ target: 'Map', stat: true }, { from: from }); },{"../internals/collection-from":278,"../internals/export":301}],455:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var iterate = _dereq_('../internals/iterate'); var aFunction = _dereq_('../internals/a-function'); // `Map.groupBy` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', stat: true }, { groupBy: function groupBy(iterable, keyDerivative) { var newMap = new this(); aFunction(keyDerivative); var has = aFunction(newMap.has); var get = aFunction(newMap.get); var set = aFunction(newMap.set); iterate(iterable, function (element) { var derivedKey = keyDerivative(element); if (!has.call(newMap, derivedKey)) set.call(newMap, derivedKey, [element]); else get.call(newMap, derivedKey).push(element); }); return newMap; } }); },{"../internals/a-function":259,"../internals/export":301,"../internals/iterate":328}],456:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var sameValueZero = _dereq_('../internals/same-value-zero'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.includes` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { includes: function includes(searchElement) { return iterate(getMapIterator(anObject(this)), function (key, value, stop) { if (sameValueZero(value, searchElement)) return stop(); }, { AS_ENTRIES: true, IS_ITERATOR: true, INTERRUPTED: true }).stopped; } }); },{"../internals/an-object":263,"../internals/export":301,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328,"../internals/same-value-zero":362}],457:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var iterate = _dereq_('../internals/iterate'); var aFunction = _dereq_('../internals/a-function'); // `Map.keyBy` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', stat: true }, { keyBy: function keyBy(iterable, keyDerivative) { var newMap = new this(); aFunction(keyDerivative); var setter = aFunction(newMap.set); iterate(iterable, function (element) { setter.call(newMap, keyDerivative(element), element); }); return newMap; } }); },{"../internals/a-function":259,"../internals/export":301,"../internals/iterate":328}],458:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.includes` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { keyOf: function keyOf(searchElement) { return iterate(getMapIterator(anObject(this)), function (key, value, stop) { if (value === searchElement) return stop(key); }, { AS_ENTRIES: true, IS_ITERATOR: true, INTERRUPTED: true }).result; } }); },{"../internals/an-object":263,"../internals/export":301,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328}],459:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var getBuiltIn = _dereq_('../internals/get-built-in'); var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); var bind = _dereq_('../internals/function-bind-context'); var speciesConstructor = _dereq_('../internals/species-constructor'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.mapKeys` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { mapKeys: function mapKeys(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); var newMap = new (speciesConstructor(map, getBuiltIn('Map')))(); var setter = aFunction(newMap.set); iterate(iterator, function (key, value) { setter.call(newMap, boundFunction(value, key, map), value); }, { AS_ENTRIES: true, IS_ITERATOR: true }); return newMap; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-built-in":306,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328,"../internals/species-constructor":369}],460:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var getBuiltIn = _dereq_('../internals/get-built-in'); var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); var bind = _dereq_('../internals/function-bind-context'); var speciesConstructor = _dereq_('../internals/species-constructor'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.mapValues` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { mapValues: function mapValues(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); var newMap = new (speciesConstructor(map, getBuiltIn('Map')))(); var setter = aFunction(newMap.set); iterate(iterator, function (key, value) { setter.call(newMap, key, boundFunction(value, key, map)); }, { AS_ENTRIES: true, IS_ITERATOR: true }); return newMap; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-built-in":306,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328,"../internals/species-constructor":369}],461:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.merge` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { // eslint-disable-next-line no-unused-vars merge: function merge(iterable /* ...iterbles */) { var map = anObject(this); var setter = aFunction(map.set); var i = 0; while (i < arguments.length) { iterate(arguments[i++], setter, { that: map, AS_ENTRIES: true }); } return map; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/is-pure":326,"../internals/iterate":328}],462:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var of = _dereq_('../internals/collection-of'); // `Map.of` method // https://tc39.github.io/proposal-setmap-offrom/#sec-map.of $({ target: 'Map', stat: true }, { of: of }); },{"../internals/collection-of":279,"../internals/export":301}],463:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Map.prototype.reduce` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { reduce: function reduce(callbackfn /* , initialValue */) { var map = anObject(this); var iterator = getMapIterator(map); var noInitial = arguments.length < 2; var accumulator = noInitial ? undefined : arguments[1]; aFunction(callbackfn); iterate(iterator, function (key, value) { if (noInitial) { noInitial = false; accumulator = value; } else { accumulator = callbackfn(accumulator, value, key, map); } }, { AS_ENTRIES: true, IS_ITERATOR: true }); if (noInitial) throw TypeError('Reduce of empty map with no initial value'); return accumulator; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328}],464:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var bind = _dereq_('../internals/function-bind-context'); var getMapIterator = _dereq_('../internals/get-map-iterator'); var iterate = _dereq_('../internals/iterate'); // `Set.prototype.some` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { some: function some(callbackfn /* , thisArg */) { var map = anObject(this); var iterator = getMapIterator(map); var boundFunction = bind(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3); return iterate(iterator, function (key, value, stop) { if (boundFunction(value, key, map)) return stop(); }, { AS_ENTRIES: true, IS_ITERATOR: true, INTERRUPTED: true }).stopped; } }); },{"../internals/an-object":263,"../internals/export":301,"../internals/function-bind-context":304,"../internals/get-map-iterator":309,"../internals/is-pure":326,"../internals/iterate":328}],465:[function(_dereq_,module,exports){ 'use strict'; // TODO: remove from `core-js@4` var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var $upsert = _dereq_('../internals/map-upsert'); // `Map.prototype.updateOrInsert` method (replaced by `Map.prototype.emplace`) // https://github.com/thumbsupep/proposal-upsert $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { updateOrInsert: $upsert }); },{"../internals/export":301,"../internals/is-pure":326,"../internals/map-upsert":333}],466:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var anObject = _dereq_('../internals/an-object'); var aFunction = _dereq_('../internals/a-function'); // `Set.prototype.update` method // https://github.com/tc39/proposal-collection-methods $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { update: function update(key, callback /* , thunk */) { var map = anObject(this); var length = arguments.length; aFunction(callback); var isPresentInMap = map.has(key); if (!isPresentInMap && length < 3) { throw TypeError('Updating absent value'); } var value = isPresentInMap ? map.get(key) : aFunction(length > 2 ? arguments[2] : undefined)(key, map); map.set(key, callback(value, key, map)); return map; } }); },{"../internals/a-function":259,"../internals/an-object":263,"../internals/export":301,"../internals/is-pure":326}],467:[function(_dereq_,module,exports){ 'use strict'; // TODO: remove from `core-js@4` var $ = _dereq_('../internals/export'); var IS_PURE = _dereq_('../internals/is-pure'); var $upsert = _dereq_('../internals/map-upsert'); // `Map.prototype.upsert` method (replaced by `Map.prototype.emplace`) // https://github.com/thumbsupep/proposal-upsert $({ target: 'Map', proto: true, real: true, forced: IS_PURE }, { upsert: $upsert }); },{"../internals/export":301,"../internals/is-pure":326,"../internals/map-upsert":333}],468:[function(_dereq_,module,exports){ // TODO: Remove from `core-js@4` _dereq_('./es.promise.all-settled.js'); },{"./es.promise.all-settled.js":420}],469:[function(_dereq_,module,exports){ // TODO: Remove from `core-js@4` _dereq_('./es.promise.any'); },{"./es.promise.any":421}],470:[function(_dereq_,module,exports){ 'use strict'; var $ = _dereq_('../internals/export'); var newPromiseCapabilityModule = _dereq_('../internals/new-promise-capability'); var perform = _dereq_('../internals/perform'); // `Promise.try` method // https://github.com/tc39/proposal-promise-try $({ target: 'Promise', stat: true }, { 'try': function (callbackfn) { var promiseCapability = newPromiseCapabilityModule.f(this); var result = perform(callbackfn); (result.error ? promiseCapability.reject : promiseCapability.resolve)(result.value); return promiseCapability.promise; } }); },{"../internals/export":301,"../internals/new-promise-capability":338,"../internals/perform":357}],471:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.asyncDispose` well-known symbol // https://github.com/tc39/proposal-using-statement defineWellKnownSymbol('asyncDispose'); },{"../internals/define-well-known-symbol":290}],472:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.dispose` well-known symbol // https://github.com/tc39/proposal-using-statement defineWellKnownSymbol('dispose'); },{"../internals/define-well-known-symbol":290}],473:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.observable` well-known symbol // https://github.com/tc39/proposal-observable defineWellKnownSymbol('observable'); },{"../internals/define-well-known-symbol":290}],474:[function(_dereq_,module,exports){ var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); // `Symbol.patternMatch` well-known symbol // https://github.com/tc39/proposal-pattern-matching defineWellKnownSymbol('patternMatch'); },{"../internals/define-well-known-symbol":290}],475:[function(_dereq_,module,exports){ // TODO: remove from `core-js@4` var defineWellKnownSymbol = _dereq_('../internals/define-well-known-symbol'); defineWellKnownSymbol('replaceAll'); },{"../internals/define-well-known-symbol":290}],476:[function(_dereq_,module,exports){ _dereq_('./es.array.iterator'); var DOMIterables = _dereq_('../internals/dom-iterables'); var global = _dereq_('../internals/global'); var classof = _dereq_('../internals/classof'); var createNonEnumerableProperty = _dereq_('../internals/create-non-enumerable-property'); var Iterators = _dereq_('../internals/iterators'); var wellKnownSymbol = _dereq_('../internals/well-known-symbol'); var TO_STRING_TAG = wellKnownSymbol('toStringTag'); for (var COLLECTION_NAME in DOMIterables) { var Collection = global[COLLECTION_NAME]; var CollectionPrototype = Collection && Collection.prototype; if (CollectionPrototype && classof(CollectionPrototype) !== TO_STRING_TAG) { createNonEnumerableProperty(CollectionPrototype, TO_STRING_TAG, COLLECTION_NAME); } Iterators[COLLECTION_NAME] = Iterators.Array; } },{"../internals/classof":276,"../internals/create-non-enumerable-property":286,"../internals/dom-iterables":293,"../internals/global":310,"../internals/iterators":331,"../internals/well-known-symbol":383,"./es.array.iterator":395}],477:[function(_dereq_,module,exports){ var $ = _dereq_('../internals/export'); var global = _dereq_('../internals/global'); var userAgent = _dereq_('../internals/engine-user-agent'); var slice = [].slice; var MSIE = /MSIE .\./.test(userAgent); // <- dirty ie9- check var wrap = function (scheduler) { return function (handler, timeout /* , ...arguments */) { var boundArgs = arguments.length > 2; var args = boundArgs ? slice.call(arguments, 2) : undefined; return scheduler(boundArgs ? function () { // eslint-disable-next-line no-new-func (typeof handler == 'function' ? handler : Function(handler)).apply(this, args); } : handler, timeout); }; }; // ie9- setTimeout & setInterval additional parameters fix // https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#timers $({ global: true, bind: true, forced: MSIE }, { // `setTimeout` method // https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#dom-settimeout setTimeout: wrap(global.setTimeout), // `setInterval` method // https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html#dom-setinterval setInterval: wrap(global.setInterval) }); },{"../internals/engine-user-agent":297,"../internals/export":301,"../internals/global":310}],478:[function(_dereq_,module,exports){ arguments[4][240][0].apply(exports,arguments) },{"../../es/array/from":184,"dup":240}],479:[function(_dereq_,module,exports){ arguments[4][241][0].apply(exports,arguments) },{"../../es/array/is-array":185,"dup":241}],480:[function(_dereq_,module,exports){ var parent = _dereq_('../../../es/array/virtual/entries'); module.exports = parent; },{"../../../es/array/virtual/entries":187}],481:[function(_dereq_,module,exports){ var parent = _dereq_('../../../es/array/virtual/for-each'); module.exports = parent; },{"../../../es/array/virtual/for-each":191}],482:[function(_dereq_,module,exports){ var parent = _dereq_('../../../es/array/virtual/keys'); module.exports = parent; },{"../../../es/array/virtual/keys":194}],483:[function(_dereq_,module,exports){ var parent = _dereq_('../../../es/array/virtual/values'); module.exports = parent; },{"../../../es/array/virtual/values":200}],484:[function(_dereq_,module,exports){ arguments[4][244][0].apply(exports,arguments) },{"../../es/instance/bind":202,"dup":244}],485:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/concat'); module.exports = parent; },{"../../es/instance/concat":203}],486:[function(_dereq_,module,exports){ _dereq_('../../modules/web.dom-collections.iterator'); var entries = _dereq_('../array/virtual/entries'); var classof = _dereq_('../../internals/classof'); var ArrayPrototype = Array.prototype; var DOMIterables = { DOMTokenList: true, NodeList: true }; module.exports = function (it) { var own = it.entries; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.entries) // eslint-disable-next-line no-prototype-builtins || DOMIterables.hasOwnProperty(classof(it)) ? entries : own; }; },{"../../internals/classof":276,"../../modules/web.dom-collections.iterator":476,"../array/virtual/entries":480}],487:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/every'); module.exports = parent; },{"../../es/instance/every":204}],488:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/filter'); module.exports = parent; },{"../../es/instance/filter":205}],489:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/find'); module.exports = parent; },{"../../es/instance/find":206}],490:[function(_dereq_,module,exports){ _dereq_('../../modules/web.dom-collections.iterator'); var forEach = _dereq_('../array/virtual/for-each'); var classof = _dereq_('../../internals/classof'); var ArrayPrototype = Array.prototype; var DOMIterables = { DOMTokenList: true, NodeList: true }; module.exports = function (it) { var own = it.forEach; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.forEach) // eslint-disable-next-line no-prototype-builtins || DOMIterables.hasOwnProperty(classof(it)) ? forEach : own; }; },{"../../internals/classof":276,"../../modules/web.dom-collections.iterator":476,"../array/virtual/for-each":481}],491:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/includes'); module.exports = parent; },{"../../es/instance/includes":207}],492:[function(_dereq_,module,exports){ arguments[4][245][0].apply(exports,arguments) },{"../../es/instance/index-of":208,"dup":245}],493:[function(_dereq_,module,exports){ _dereq_('../../modules/web.dom-collections.iterator'); var keys = _dereq_('../array/virtual/keys'); var classof = _dereq_('../../internals/classof'); var ArrayPrototype = Array.prototype; var DOMIterables = { DOMTokenList: true, NodeList: true }; module.exports = function (it) { var own = it.keys; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.keys) // eslint-disable-next-line no-prototype-builtins || DOMIterables.hasOwnProperty(classof(it)) ? keys : own; }; },{"../../internals/classof":276,"../../modules/web.dom-collections.iterator":476,"../array/virtual/keys":482}],494:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/map'); module.exports = parent; },{"../../es/instance/map":209}],495:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/reduce'); module.exports = parent; },{"../../es/instance/reduce":210}],496:[function(_dereq_,module,exports){ arguments[4][246][0].apply(exports,arguments) },{"../../es/instance/slice":211,"dup":246}],497:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/sort'); module.exports = parent; },{"../../es/instance/sort":212}],498:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/splice'); module.exports = parent; },{"../../es/instance/splice":213}],499:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/instance/starts-with'); module.exports = parent; },{"../../es/instance/starts-with":214}],500:[function(_dereq_,module,exports){ _dereq_('../../modules/web.dom-collections.iterator'); var values = _dereq_('../array/virtual/values'); var classof = _dereq_('../../internals/classof'); var ArrayPrototype = Array.prototype; var DOMIterables = { DOMTokenList: true, NodeList: true }; module.exports = function (it) { var own = it.values; return it === ArrayPrototype || (it instanceof Array && own === ArrayPrototype.values) // eslint-disable-next-line no-prototype-builtins || DOMIterables.hasOwnProperty(classof(it)) ? values : own; }; },{"../../internals/classof":276,"../../modules/web.dom-collections.iterator":476,"../array/virtual/values":483}],501:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/json/stringify'); module.exports = parent; },{"../../es/json/stringify":215}],502:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/map'); module.exports = parent; },{"../../es/map":216}],503:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/number/is-integer'); module.exports = parent; },{"../../es/number/is-integer":217}],504:[function(_dereq_,module,exports){ arguments[4][249][0].apply(exports,arguments) },{"../../es/object/create":218,"dup":249}],505:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/define-properties'); module.exports = parent; },{"../../es/object/define-properties":219}],506:[function(_dereq_,module,exports){ arguments[4][250][0].apply(exports,arguments) },{"../../es/object/define-property":220,"dup":250}],507:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/entries'); module.exports = parent; },{"../../es/object/entries":221}],508:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/freeze'); module.exports = parent; },{"../../es/object/freeze":222}],509:[function(_dereq_,module,exports){ arguments[4][251][0].apply(exports,arguments) },{"../../es/object/get-own-property-descriptor":223,"dup":251}],510:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/get-own-property-descriptors'); module.exports = parent; },{"../../es/object/get-own-property-descriptors":224}],511:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/get-own-property-symbols'); module.exports = parent; },{"../../es/object/get-own-property-symbols":225}],512:[function(_dereq_,module,exports){ arguments[4][252][0].apply(exports,arguments) },{"../../es/object/get-prototype-of":226,"dup":252}],513:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/keys'); module.exports = parent; },{"../../es/object/keys":227}],514:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/object/values'); module.exports = parent; },{"../../es/object/values":229}],515:[function(_dereq_,module,exports){ var parent = _dereq_('../es/parse-int'); module.exports = parent; },{"../es/parse-int":230}],516:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/promise'); module.exports = parent; },{"../../es/promise":231}],517:[function(_dereq_,module,exports){ arguments[4][255][0].apply(exports,arguments) },{"../../es/reflect/construct":232,"dup":255}],518:[function(_dereq_,module,exports){ _dereq_('../modules/web.timers'); var path = _dereq_('../internals/path'); module.exports = path.setTimeout; },{"../internals/path":356,"../modules/web.timers":477}],519:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/set'); module.exports = parent; },{"../../es/set":234}],520:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/symbol'); module.exports = parent; },{"../../es/symbol":237}],521:[function(_dereq_,module,exports){ var parent = _dereq_('../../es/weak-map'); module.exports = parent; },{"../../es/weak-map":239}],522:[function(_dereq_,module,exports){ ;(function (root, factory, undef) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core"), _dereq_("./enc-base64"), _dereq_("./md5"), _dereq_("./evpkdf"), _dereq_("./cipher-core")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core", "./enc-base64", "./md5", "./evpkdf", "./cipher-core"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { (function () { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var BlockCipher = C_lib.BlockCipher; var C_algo = C.algo; // Lookup tables var SBOX = []; var INV_SBOX = []; var SUB_MIX_0 = []; var SUB_MIX_1 = []; var SUB_MIX_2 = []; var SUB_MIX_3 = []; var INV_SUB_MIX_0 = []; var INV_SUB_MIX_1 = []; var INV_SUB_MIX_2 = []; var INV_SUB_MIX_3 = []; // Compute lookup tables (function () { // Compute double table var d = []; for (var i = 0; i < 256; i++) { if (i < 128) { d[i] = i << 1; } else { d[i] = (i << 1) ^ 0x11b; } } // Walk GF(2^8) var x = 0; var xi = 0; for (var i = 0; i < 256; i++) { // Compute sbox var sx = xi ^ (xi << 1) ^ (xi << 2) ^ (xi << 3) ^ (xi << 4); sx = (sx >>> 8) ^ (sx & 0xff) ^ 0x63; SBOX[x] = sx; INV_SBOX[sx] = x; // Compute multiplication var x2 = d[x]; var x4 = d[x2]; var x8 = d[x4]; // Compute sub bytes, mix columns tables var t = (d[sx] * 0x101) ^ (sx * 0x1010100); SUB_MIX_0[x] = (t << 24) | (t >>> 8); SUB_MIX_1[x] = (t << 16) | (t >>> 16); SUB_MIX_2[x] = (t << 8) | (t >>> 24); SUB_MIX_3[x] = t; // Compute inv sub bytes, inv mix columns tables var t = (x8 * 0x1010101) ^ (x4 * 0x10001) ^ (x2 * 0x101) ^ (x * 0x1010100); INV_SUB_MIX_0[sx] = (t << 24) | (t >>> 8); INV_SUB_MIX_1[sx] = (t << 16) | (t >>> 16); INV_SUB_MIX_2[sx] = (t << 8) | (t >>> 24); INV_SUB_MIX_3[sx] = t; // Compute next counter if (!x) { x = xi = 1; } else { x = x2 ^ d[d[d[x8 ^ x2]]]; xi ^= d[d[xi]]; } } }()); // Precomputed Rcon lookup var RCON = [0x00, 0x01, 0x02, 0x04, 0x08, 0x10, 0x20, 0x40, 0x80, 0x1b, 0x36]; /** * AES block cipher algorithm. */ var AES = C_algo.AES = BlockCipher.extend({ _doReset: function () { var t; // Skip reset of nRounds has been set before and key did not change if (this._nRounds && this._keyPriorReset === this._key) { return; } // Shortcuts var key = this._keyPriorReset = this._key; var keyWords = key.words; var keySize = key.sigBytes / 4; // Compute number of rounds var nRounds = this._nRounds = keySize + 6; // Compute number of key schedule rows var ksRows = (nRounds + 1) * 4; // Compute key schedule var keySchedule = this._keySchedule = []; for (var ksRow = 0; ksRow < ksRows; ksRow++) { if (ksRow < keySize) { keySchedule[ksRow] = keyWords[ksRow]; } else { t = keySchedule[ksRow - 1]; if (!(ksRow % keySize)) { // Rot word t = (t << 8) | (t >>> 24); // Sub word t = (SBOX[t >>> 24] << 24) | (SBOX[(t >>> 16) & 0xff] << 16) | (SBOX[(t >>> 8) & 0xff] << 8) | SBOX[t & 0xff]; // Mix Rcon t ^= RCON[(ksRow / keySize) | 0] << 24; } else if (keySize > 6 && ksRow % keySize == 4) { // Sub word t = (SBOX[t >>> 24] << 24) | (SBOX[(t >>> 16) & 0xff] << 16) | (SBOX[(t >>> 8) & 0xff] << 8) | SBOX[t & 0xff]; } keySchedule[ksRow] = keySchedule[ksRow - keySize] ^ t; } } // Compute inv key schedule var invKeySchedule = this._invKeySchedule = []; for (var invKsRow = 0; invKsRow < ksRows; invKsRow++) { var ksRow = ksRows - invKsRow; if (invKsRow % 4) { var t = keySchedule[ksRow]; } else { var t = keySchedule[ksRow - 4]; } if (invKsRow < 4 || ksRow <= 4) { invKeySchedule[invKsRow] = t; } else { invKeySchedule[invKsRow] = INV_SUB_MIX_0[SBOX[t >>> 24]] ^ INV_SUB_MIX_1[SBOX[(t >>> 16) & 0xff]] ^ INV_SUB_MIX_2[SBOX[(t >>> 8) & 0xff]] ^ INV_SUB_MIX_3[SBOX[t & 0xff]]; } } }, encryptBlock: function (M, offset) { this._doCryptBlock(M, offset, this._keySchedule, SUB_MIX_0, SUB_MIX_1, SUB_MIX_2, SUB_MIX_3, SBOX); }, decryptBlock: function (M, offset) { // Swap 2nd and 4th rows var t = M[offset + 1]; M[offset + 1] = M[offset + 3]; M[offset + 3] = t; this._doCryptBlock(M, offset, this._invKeySchedule, INV_SUB_MIX_0, INV_SUB_MIX_1, INV_SUB_MIX_2, INV_SUB_MIX_3, INV_SBOX); // Inv swap 2nd and 4th rows var t = M[offset + 1]; M[offset + 1] = M[offset + 3]; M[offset + 3] = t; }, _doCryptBlock: function (M, offset, keySchedule, SUB_MIX_0, SUB_MIX_1, SUB_MIX_2, SUB_MIX_3, SBOX) { // Shortcut var nRounds = this._nRounds; // Get input, add round key var s0 = M[offset] ^ keySchedule[0]; var s1 = M[offset + 1] ^ keySchedule[1]; var s2 = M[offset + 2] ^ keySchedule[2]; var s3 = M[offset + 3] ^ keySchedule[3]; // Key schedule row counter var ksRow = 4; // Rounds for (var round = 1; round < nRounds; round++) { // Shift rows, sub bytes, mix columns, add round key var t0 = SUB_MIX_0[s0 >>> 24] ^ SUB_MIX_1[(s1 >>> 16) & 0xff] ^ SUB_MIX_2[(s2 >>> 8) & 0xff] ^ SUB_MIX_3[s3 & 0xff] ^ keySchedule[ksRow++]; var t1 = SUB_MIX_0[s1 >>> 24] ^ SUB_MIX_1[(s2 >>> 16) & 0xff] ^ SUB_MIX_2[(s3 >>> 8) & 0xff] ^ SUB_MIX_3[s0 & 0xff] ^ keySchedule[ksRow++]; var t2 = SUB_MIX_0[s2 >>> 24] ^ SUB_MIX_1[(s3 >>> 16) & 0xff] ^ SUB_MIX_2[(s0 >>> 8) & 0xff] ^ SUB_MIX_3[s1 & 0xff] ^ keySchedule[ksRow++]; var t3 = SUB_MIX_0[s3 >>> 24] ^ SUB_MIX_1[(s0 >>> 16) & 0xff] ^ SUB_MIX_2[(s1 >>> 8) & 0xff] ^ SUB_MIX_3[s2 & 0xff] ^ keySchedule[ksRow++]; // Update state s0 = t0; s1 = t1; s2 = t2; s3 = t3; } // Shift rows, sub bytes, add round key var t0 = ((SBOX[s0 >>> 24] << 24) | (SBOX[(s1 >>> 16) & 0xff] << 16) | (SBOX[(s2 >>> 8) & 0xff] << 8) | SBOX[s3 & 0xff]) ^ keySchedule[ksRow++]; var t1 = ((SBOX[s1 >>> 24] << 24) | (SBOX[(s2 >>> 16) & 0xff] << 16) | (SBOX[(s3 >>> 8) & 0xff] << 8) | SBOX[s0 & 0xff]) ^ keySchedule[ksRow++]; var t2 = ((SBOX[s2 >>> 24] << 24) | (SBOX[(s3 >>> 16) & 0xff] << 16) | (SBOX[(s0 >>> 8) & 0xff] << 8) | SBOX[s1 & 0xff]) ^ keySchedule[ksRow++]; var t3 = ((SBOX[s3 >>> 24] << 24) | (SBOX[(s0 >>> 16) & 0xff] << 16) | (SBOX[(s1 >>> 8) & 0xff] << 8) | SBOX[s2 & 0xff]) ^ keySchedule[ksRow++]; // Set output M[offset] = t0; M[offset + 1] = t1; M[offset + 2] = t2; M[offset + 3] = t3; }, keySize: 256/32 }); /** * Shortcut functions to the cipher's object interface. * * @example * * var ciphertext = CryptoJS.AES.encrypt(message, key, cfg); * var plaintext = CryptoJS.AES.decrypt(ciphertext, key, cfg); */ C.AES = BlockCipher._createHelper(AES); }()); return CryptoJS.AES; })); },{"./cipher-core":523,"./core":524,"./enc-base64":525,"./evpkdf":527,"./md5":529}],523:[function(_dereq_,module,exports){ ;(function (root, factory, undef) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core"), _dereq_("./evpkdf")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core", "./evpkdf"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { /** * Cipher core components. */ CryptoJS.lib.Cipher || (function (undefined) { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var Base = C_lib.Base; var WordArray = C_lib.WordArray; var BufferedBlockAlgorithm = C_lib.BufferedBlockAlgorithm; var C_enc = C.enc; var Utf8 = C_enc.Utf8; var Base64 = C_enc.Base64; var C_algo = C.algo; var EvpKDF = C_algo.EvpKDF; /** * Abstract base cipher template. * * @property {number} keySize This cipher's key size. Default: 4 (128 bits) * @property {number} ivSize This cipher's IV size. Default: 4 (128 bits) * @property {number} _ENC_XFORM_MODE A constant representing encryption mode. * @property {number} _DEC_XFORM_MODE A constant representing decryption mode. */ var Cipher = C_lib.Cipher = BufferedBlockAlgorithm.extend({ /** * Configuration options. * * @property {WordArray} iv The IV to use for this operation. */ cfg: Base.extend(), /** * Creates this cipher in encryption mode. * * @param {WordArray} key The key. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @return {Cipher} A cipher instance. * * @static * * @example * * var cipher = CryptoJS.algo.AES.createEncryptor(keyWordArray, { iv: ivWordArray }); */ createEncryptor: function (key, cfg) { return this.create(this._ENC_XFORM_MODE, key, cfg); }, /** * Creates this cipher in decryption mode. * * @param {WordArray} key The key. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @return {Cipher} A cipher instance. * * @static * * @example * * var cipher = CryptoJS.algo.AES.createDecryptor(keyWordArray, { iv: ivWordArray }); */ createDecryptor: function (key, cfg) { return this.create(this._DEC_XFORM_MODE, key, cfg); }, /** * Initializes a newly created cipher. * * @param {number} xformMode Either the encryption or decryption transormation mode constant. * @param {WordArray} key The key. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @example * * var cipher = CryptoJS.algo.AES.create(CryptoJS.algo.AES._ENC_XFORM_MODE, keyWordArray, { iv: ivWordArray }); */ init: function (xformMode, key, cfg) { // Apply config defaults this.cfg = this.cfg.extend(cfg); // Store transform mode and key this._xformMode = xformMode; this._key = key; // Set initial values this.reset(); }, /** * Resets this cipher to its initial state. * * @example * * cipher.reset(); */ reset: function () { // Reset data buffer BufferedBlockAlgorithm.reset.call(this); // Perform concrete-cipher logic this._doReset(); }, /** * Adds data to be encrypted or decrypted. * * @param {WordArray|string} dataUpdate The data to encrypt or decrypt. * * @return {WordArray} The data after processing. * * @example * * var encrypted = cipher.process('data'); * var encrypted = cipher.process(wordArray); */ process: function (dataUpdate) { // Append this._append(dataUpdate); // Process available blocks return this._process(); }, /** * Finalizes the encryption or decryption process. * Note that the finalize operation is effectively a destructive, read-once operation. * * @param {WordArray|string} dataUpdate The final data to encrypt or decrypt. * * @return {WordArray} The data after final processing. * * @example * * var encrypted = cipher.finalize(); * var encrypted = cipher.finalize('data'); * var encrypted = cipher.finalize(wordArray); */ finalize: function (dataUpdate) { // Final data update if (dataUpdate) { this._append(dataUpdate); } // Perform concrete-cipher logic var finalProcessedData = this._doFinalize(); return finalProcessedData; }, keySize: 128/32, ivSize: 128/32, _ENC_XFORM_MODE: 1, _DEC_XFORM_MODE: 2, /** * Creates shortcut functions to a cipher's object interface. * * @param {Cipher} cipher The cipher to create a helper for. * * @return {Object} An object with encrypt and decrypt shortcut functions. * * @static * * @example * * var AES = CryptoJS.lib.Cipher._createHelper(CryptoJS.algo.AES); */ _createHelper: (function () { function selectCipherStrategy(key) { if (typeof key == 'string') { return PasswordBasedCipher; } else { return SerializableCipher; } } return function (cipher) { return { encrypt: function (message, key, cfg) { return selectCipherStrategy(key).encrypt(cipher, message, key, cfg); }, decrypt: function (ciphertext, key, cfg) { return selectCipherStrategy(key).decrypt(cipher, ciphertext, key, cfg); } }; }; }()) }); /** * Abstract base stream cipher template. * * @property {number} blockSize The number of 32-bit words this cipher operates on. Default: 1 (32 bits) */ var StreamCipher = C_lib.StreamCipher = Cipher.extend({ _doFinalize: function () { // Process partial blocks var finalProcessedBlocks = this._process(!!'flush'); return finalProcessedBlocks; }, blockSize: 1 }); /** * Mode namespace. */ var C_mode = C.mode = {}; /** * Abstract base block cipher mode template. */ var BlockCipherMode = C_lib.BlockCipherMode = Base.extend({ /** * Creates this mode for encryption. * * @param {Cipher} cipher A block cipher instance. * @param {Array} iv The IV words. * * @static * * @example * * var mode = CryptoJS.mode.CBC.createEncryptor(cipher, iv.words); */ createEncryptor: function (cipher, iv) { return this.Encryptor.create(cipher, iv); }, /** * Creates this mode for decryption. * * @param {Cipher} cipher A block cipher instance. * @param {Array} iv The IV words. * * @static * * @example * * var mode = CryptoJS.mode.CBC.createDecryptor(cipher, iv.words); */ createDecryptor: function (cipher, iv) { return this.Decryptor.create(cipher, iv); }, /** * Initializes a newly created mode. * * @param {Cipher} cipher A block cipher instance. * @param {Array} iv The IV words. * * @example * * var mode = CryptoJS.mode.CBC.Encryptor.create(cipher, iv.words); */ init: function (cipher, iv) { this._cipher = cipher; this._iv = iv; } }); /** * Cipher Block Chaining mode. */ var CBC = C_mode.CBC = (function () { /** * Abstract base CBC mode. */ var CBC = BlockCipherMode.extend(); /** * CBC encryptor. */ CBC.Encryptor = CBC.extend({ /** * Processes the data block at offset. * * @param {Array} words The data words to operate on. * @param {number} offset The offset where the block starts. * * @example * * mode.processBlock(data.words, offset); */ processBlock: function (words, offset) { // Shortcuts var cipher = this._cipher; var blockSize = cipher.blockSize; // XOR and encrypt xorBlock.call(this, words, offset, blockSize); cipher.encryptBlock(words, offset); // Remember this block to use with next block this._prevBlock = words.slice(offset, offset + blockSize); } }); /** * CBC decryptor. */ CBC.Decryptor = CBC.extend({ /** * Processes the data block at offset. * * @param {Array} words The data words to operate on. * @param {number} offset The offset where the block starts. * * @example * * mode.processBlock(data.words, offset); */ processBlock: function (words, offset) { // Shortcuts var cipher = this._cipher; var blockSize = cipher.blockSize; // Remember this block to use with next block var thisBlock = words.slice(offset, offset + blockSize); // Decrypt and XOR cipher.decryptBlock(words, offset); xorBlock.call(this, words, offset, blockSize); // This block becomes the previous block this._prevBlock = thisBlock; } }); function xorBlock(words, offset, blockSize) { var block; // Shortcut var iv = this._iv; // Choose mixing block if (iv) { block = iv; // Remove IV for subsequent blocks this._iv = undefined; } else { block = this._prevBlock; } // XOR blocks for (var i = 0; i < blockSize; i++) { words[offset + i] ^= block[i]; } } return CBC; }()); /** * Padding namespace. */ var C_pad = C.pad = {}; /** * PKCS #5/7 padding strategy. */ var Pkcs7 = C_pad.Pkcs7 = { /** * Pads data using the algorithm defined in PKCS #5/7. * * @param {WordArray} data The data to pad. * @param {number} blockSize The multiple that the data should be padded to. * * @static * * @example * * CryptoJS.pad.Pkcs7.pad(wordArray, 4); */ pad: function (data, blockSize) { // Shortcut var blockSizeBytes = blockSize * 4; // Count padding bytes var nPaddingBytes = blockSizeBytes - data.sigBytes % blockSizeBytes; // Create padding word var paddingWord = (nPaddingBytes << 24) | (nPaddingBytes << 16) | (nPaddingBytes << 8) | nPaddingBytes; // Create padding var paddingWords = []; for (var i = 0; i < nPaddingBytes; i += 4) { paddingWords.push(paddingWord); } var padding = WordArray.create(paddingWords, nPaddingBytes); // Add padding data.concat(padding); }, /** * Unpads data that had been padded using the algorithm defined in PKCS #5/7. * * @param {WordArray} data The data to unpad. * * @static * * @example * * CryptoJS.pad.Pkcs7.unpad(wordArray); */ unpad: function (data) { // Get number of padding bytes from last byte var nPaddingBytes = data.words[(data.sigBytes - 1) >>> 2] & 0xff; // Remove padding data.sigBytes -= nPaddingBytes; } }; /** * Abstract base block cipher template. * * @property {number} blockSize The number of 32-bit words this cipher operates on. Default: 4 (128 bits) */ var BlockCipher = C_lib.BlockCipher = Cipher.extend({ /** * Configuration options. * * @property {Mode} mode The block mode to use. Default: CBC * @property {Padding} padding The padding strategy to use. Default: Pkcs7 */ cfg: Cipher.cfg.extend({ mode: CBC, padding: Pkcs7 }), reset: function () { var modeCreator; // Reset cipher Cipher.reset.call(this); // Shortcuts var cfg = this.cfg; var iv = cfg.iv; var mode = cfg.mode; // Reset block mode if (this._xformMode == this._ENC_XFORM_MODE) { modeCreator = mode.createEncryptor; } else /* if (this._xformMode == this._DEC_XFORM_MODE) */ { modeCreator = mode.createDecryptor; // Keep at least one block in the buffer for unpadding this._minBufferSize = 1; } if (this._mode && this._mode.__creator == modeCreator) { this._mode.init(this, iv && iv.words); } else { this._mode = modeCreator.call(mode, this, iv && iv.words); this._mode.__creator = modeCreator; } }, _doProcessBlock: function (words, offset) { this._mode.processBlock(words, offset); }, _doFinalize: function () { var finalProcessedBlocks; // Shortcut var padding = this.cfg.padding; // Finalize if (this._xformMode == this._ENC_XFORM_MODE) { // Pad data padding.pad(this._data, this.blockSize); // Process final blocks finalProcessedBlocks = this._process(!!'flush'); } else /* if (this._xformMode == this._DEC_XFORM_MODE) */ { // Process final blocks finalProcessedBlocks = this._process(!!'flush'); // Unpad data padding.unpad(finalProcessedBlocks); } return finalProcessedBlocks; }, blockSize: 128/32 }); /** * A collection of cipher parameters. * * @property {WordArray} ciphertext The raw ciphertext. * @property {WordArray} key The key to this ciphertext. * @property {WordArray} iv The IV used in the ciphering operation. * @property {WordArray} salt The salt used with a key derivation function. * @property {Cipher} algorithm The cipher algorithm. * @property {Mode} mode The block mode used in the ciphering operation. * @property {Padding} padding The padding scheme used in the ciphering operation. * @property {number} blockSize The block size of the cipher. * @property {Format} formatter The default formatting strategy to convert this cipher params object to a string. */ var CipherParams = C_lib.CipherParams = Base.extend({ /** * Initializes a newly created cipher params object. * * @param {Object} cipherParams An object with any of the possible cipher parameters. * * @example * * var cipherParams = CryptoJS.lib.CipherParams.create({ * ciphertext: ciphertextWordArray, * key: keyWordArray, * iv: ivWordArray, * salt: saltWordArray, * algorithm: CryptoJS.algo.AES, * mode: CryptoJS.mode.CBC, * padding: CryptoJS.pad.PKCS7, * blockSize: 4, * formatter: CryptoJS.format.OpenSSL * }); */ init: function (cipherParams) { this.mixIn(cipherParams); }, /** * Converts this cipher params object to a string. * * @param {Format} formatter (Optional) The formatting strategy to use. * * @return {string} The stringified cipher params. * * @throws Error If neither the formatter nor the default formatter is set. * * @example * * var string = cipherParams + ''; * var string = cipherParams.toString(); * var string = cipherParams.toString(CryptoJS.format.OpenSSL); */ toString: function (formatter) { return (formatter || this.formatter).stringify(this); } }); /** * Format namespace. */ var C_format = C.format = {}; /** * OpenSSL formatting strategy. */ var OpenSSLFormatter = C_format.OpenSSL = { /** * Converts a cipher params object to an OpenSSL-compatible string. * * @param {CipherParams} cipherParams The cipher params object. * * @return {string} The OpenSSL-compatible string. * * @static * * @example * * var openSSLString = CryptoJS.format.OpenSSL.stringify(cipherParams); */ stringify: function (cipherParams) { var wordArray; // Shortcuts var ciphertext = cipherParams.ciphertext; var salt = cipherParams.salt; // Format if (salt) { wordArray = WordArray.create([0x53616c74, 0x65645f5f]).concat(salt).concat(ciphertext); } else { wordArray = ciphertext; } return wordArray.toString(Base64); }, /** * Converts an OpenSSL-compatible string to a cipher params object. * * @param {string} openSSLStr The OpenSSL-compatible string. * * @return {CipherParams} The cipher params object. * * @static * * @example * * var cipherParams = CryptoJS.format.OpenSSL.parse(openSSLString); */ parse: function (openSSLStr) { var salt; // Parse base64 var ciphertext = Base64.parse(openSSLStr); // Shortcut var ciphertextWords = ciphertext.words; // Test for salt if (ciphertextWords[0] == 0x53616c74 && ciphertextWords[1] == 0x65645f5f) { // Extract salt salt = WordArray.create(ciphertextWords.slice(2, 4)); // Remove salt from ciphertext ciphertextWords.splice(0, 4); ciphertext.sigBytes -= 16; } return CipherParams.create({ ciphertext: ciphertext, salt: salt }); } }; /** * A cipher wrapper that returns ciphertext as a serializable cipher params object. */ var SerializableCipher = C_lib.SerializableCipher = Base.extend({ /** * Configuration options. * * @property {Formatter} format The formatting strategy to convert cipher param objects to and from a string. Default: OpenSSL */ cfg: Base.extend({ format: OpenSSLFormatter }), /** * Encrypts a message. * * @param {Cipher} cipher The cipher algorithm to use. * @param {WordArray|string} message The message to encrypt. * @param {WordArray} key The key. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @return {CipherParams} A cipher params object. * * @static * * @example * * var ciphertextParams = CryptoJS.lib.SerializableCipher.encrypt(CryptoJS.algo.AES, message, key); * var ciphertextParams = CryptoJS.lib.SerializableCipher.encrypt(CryptoJS.algo.AES, message, key, { iv: iv }); * var ciphertextParams = CryptoJS.lib.SerializableCipher.encrypt(CryptoJS.algo.AES, message, key, { iv: iv, format: CryptoJS.format.OpenSSL }); */ encrypt: function (cipher, message, key, cfg) { // Apply config defaults cfg = this.cfg.extend(cfg); // Encrypt var encryptor = cipher.createEncryptor(key, cfg); var ciphertext = encryptor.finalize(message); // Shortcut var cipherCfg = encryptor.cfg; // Create and return serializable cipher params return CipherParams.create({ ciphertext: ciphertext, key: key, iv: cipherCfg.iv, algorithm: cipher, mode: cipherCfg.mode, padding: cipherCfg.padding, blockSize: cipher.blockSize, formatter: cfg.format }); }, /** * Decrypts serialized ciphertext. * * @param {Cipher} cipher The cipher algorithm to use. * @param {CipherParams|string} ciphertext The ciphertext to decrypt. * @param {WordArray} key The key. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @return {WordArray} The plaintext. * * @static * * @example * * var plaintext = CryptoJS.lib.SerializableCipher.decrypt(CryptoJS.algo.AES, formattedCiphertext, key, { iv: iv, format: CryptoJS.format.OpenSSL }); * var plaintext = CryptoJS.lib.SerializableCipher.decrypt(CryptoJS.algo.AES, ciphertextParams, key, { iv: iv, format: CryptoJS.format.OpenSSL }); */ decrypt: function (cipher, ciphertext, key, cfg) { // Apply config defaults cfg = this.cfg.extend(cfg); // Convert string to CipherParams ciphertext = this._parse(ciphertext, cfg.format); // Decrypt var plaintext = cipher.createDecryptor(key, cfg).finalize(ciphertext.ciphertext); return plaintext; }, /** * Converts serialized ciphertext to CipherParams, * else assumed CipherParams already and returns ciphertext unchanged. * * @param {CipherParams|string} ciphertext The ciphertext. * @param {Formatter} format The formatting strategy to use to parse serialized ciphertext. * * @return {CipherParams} The unserialized ciphertext. * * @static * * @example * * var ciphertextParams = CryptoJS.lib.SerializableCipher._parse(ciphertextStringOrParams, format); */ _parse: function (ciphertext, format) { if (typeof ciphertext == 'string') { return format.parse(ciphertext, this); } else { return ciphertext; } } }); /** * Key derivation function namespace. */ var C_kdf = C.kdf = {}; /** * OpenSSL key derivation function. */ var OpenSSLKdf = C_kdf.OpenSSL = { /** * Derives a key and IV from a password. * * @param {string} password The password to derive from. * @param {number} keySize The size in words of the key to generate. * @param {number} ivSize The size in words of the IV to generate. * @param {WordArray|string} salt (Optional) A 64-bit salt to use. If omitted, a salt will be generated randomly. * * @return {CipherParams} A cipher params object with the key, IV, and salt. * * @static * * @example * * var derivedParams = CryptoJS.kdf.OpenSSL.execute('Password', 256/32, 128/32); * var derivedParams = CryptoJS.kdf.OpenSSL.execute('Password', 256/32, 128/32, 'saltsalt'); */ execute: function (password, keySize, ivSize, salt) { // Generate random salt if (!salt) { salt = WordArray.random(64/8); } // Derive key and IV var key = EvpKDF.create({ keySize: keySize + ivSize }).compute(password, salt); // Separate key and IV var iv = WordArray.create(key.words.slice(keySize), ivSize * 4); key.sigBytes = keySize * 4; // Return params return CipherParams.create({ key: key, iv: iv, salt: salt }); } }; /** * A serializable cipher wrapper that derives the key from a password, * and returns ciphertext as a serializable cipher params object. */ var PasswordBasedCipher = C_lib.PasswordBasedCipher = SerializableCipher.extend({ /** * Configuration options. * * @property {KDF} kdf The key derivation function to use to generate a key and IV from a password. Default: OpenSSL */ cfg: SerializableCipher.cfg.extend({ kdf: OpenSSLKdf }), /** * Encrypts a message using a password. * * @param {Cipher} cipher The cipher algorithm to use. * @param {WordArray|string} message The message to encrypt. * @param {string} password The password. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @return {CipherParams} A cipher params object. * * @static * * @example * * var ciphertextParams = CryptoJS.lib.PasswordBasedCipher.encrypt(CryptoJS.algo.AES, message, 'password'); * var ciphertextParams = CryptoJS.lib.PasswordBasedCipher.encrypt(CryptoJS.algo.AES, message, 'password', { format: CryptoJS.format.OpenSSL }); */ encrypt: function (cipher, message, password, cfg) { // Apply config defaults cfg = this.cfg.extend(cfg); // Derive key and other params var derivedParams = cfg.kdf.execute(password, cipher.keySize, cipher.ivSize); // Add IV to config cfg.iv = derivedParams.iv; // Encrypt var ciphertext = SerializableCipher.encrypt.call(this, cipher, message, derivedParams.key, cfg); // Mix in derived params ciphertext.mixIn(derivedParams); return ciphertext; }, /** * Decrypts serialized ciphertext using a password. * * @param {Cipher} cipher The cipher algorithm to use. * @param {CipherParams|string} ciphertext The ciphertext to decrypt. * @param {string} password The password. * @param {Object} cfg (Optional) The configuration options to use for this operation. * * @return {WordArray} The plaintext. * * @static * * @example * * var plaintext = CryptoJS.lib.PasswordBasedCipher.decrypt(CryptoJS.algo.AES, formattedCiphertext, 'password', { format: CryptoJS.format.OpenSSL }); * var plaintext = CryptoJS.lib.PasswordBasedCipher.decrypt(CryptoJS.algo.AES, ciphertextParams, 'password', { format: CryptoJS.format.OpenSSL }); */ decrypt: function (cipher, ciphertext, password, cfg) { // Apply config defaults cfg = this.cfg.extend(cfg); // Convert string to CipherParams ciphertext = this._parse(ciphertext, cfg.format); // Derive key and other params var derivedParams = cfg.kdf.execute(password, cipher.keySize, cipher.ivSize, ciphertext.salt); // Add IV to config cfg.iv = derivedParams.iv; // Decrypt var plaintext = SerializableCipher.decrypt.call(this, cipher, ciphertext, derivedParams.key, cfg); return plaintext; } }); }()); })); },{"./core":524,"./evpkdf":527}],524:[function(_dereq_,module,exports){ (function (global){(function (){ ;(function (root, factory) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(); } else if (typeof define === "function" && define.amd) { // AMD define([], factory); } else { // Global (browser) root.CryptoJS = factory(); } }(this, function () { /*globals window, global, require*/ /** * CryptoJS core components. */ var CryptoJS = CryptoJS || (function (Math, undefined) { var crypto; // Native crypto from window (Browser) if (typeof window !== 'undefined' && window.crypto) { crypto = window.crypto; } // Native (experimental IE 11) crypto from window (Browser) if (!crypto && typeof window !== 'undefined' && window.msCrypto) { crypto = window.msCrypto; } // Native crypto from global (NodeJS) if (!crypto && typeof global !== 'undefined' && global.crypto) { crypto = global.crypto; } // Native crypto import via require (NodeJS) if (!crypto && typeof _dereq_ === 'function') { try { crypto = _dereq_('crypto'); } catch (err) {} } /* * Cryptographically secure pseudorandom number generator * * As Math.random() is cryptographically not safe to use */ var cryptoSecureRandomInt = function () { if (crypto) { // Use getRandomValues method (Browser) if (typeof crypto.getRandomValues === 'function') { try { return crypto.getRandomValues(new Uint32Array(1))[0]; } catch (err) {} } // Use randomBytes method (NodeJS) if (typeof crypto.randomBytes === 'function') { try { return crypto.randomBytes(4).readInt32LE(); } catch (err) {} } } throw new Error('Native crypto module could not be used to get secure random number.'); }; /* * Local polyfill of Object.create */ var create = Object.create || (function () { function F() {} return function (obj) { var subtype; F.prototype = obj; subtype = new F(); F.prototype = null; return subtype; }; }()) /** * CryptoJS namespace. */ var C = {}; /** * Library namespace. */ var C_lib = C.lib = {}; /** * Base object for prototypal inheritance. */ var Base = C_lib.Base = (function () { return { /** * Creates a new object that inherits from this object. * * @param {Object} overrides Properties to copy into the new object. * * @return {Object} The new object. * * @static * * @example * * var MyType = CryptoJS.lib.Base.extend({ * field: 'value', * * method: function () { * } * }); */ extend: function (overrides) { // Spawn var subtype = create(this); // Augment if (overrides) { subtype.mixIn(overrides); } // Create default initializer if (!subtype.hasOwnProperty('init') || this.init === subtype.init) { subtype.init = function () { subtype.$super.init.apply(this, arguments); }; } // Initializer's prototype is the subtype object subtype.init.prototype = subtype; // Reference supertype subtype.$super = this; return subtype; }, /** * Extends this object and runs the init method. * Arguments to create() will be passed to init(). * * @return {Object} The new object. * * @static * * @example * * var instance = MyType.create(); */ create: function () { var instance = this.extend(); instance.init.apply(instance, arguments); return instance; }, /** * Initializes a newly created object. * Override this method to add some logic when your objects are created. * * @example * * var MyType = CryptoJS.lib.Base.extend({ * init: function () { * // ... * } * }); */ init: function () { }, /** * Copies properties into this object. * * @param {Object} properties The properties to mix in. * * @example * * MyType.mixIn({ * field: 'value' * }); */ mixIn: function (properties) { for (var propertyName in properties) { if (properties.hasOwnProperty(propertyName)) { this[propertyName] = properties[propertyName]; } } // IE won't copy toString using the loop above if (properties.hasOwnProperty('toString')) { this.toString = properties.toString; } }, /** * Creates a copy of this object. * * @return {Object} The clone. * * @example * * var clone = instance.clone(); */ clone: function () { return this.init.prototype.extend(this); } }; }()); /** * An array of 32-bit words. * * @property {Array} words The array of 32-bit words. * @property {number} sigBytes The number of significant bytes in this word array. */ var WordArray = C_lib.WordArray = Base.extend({ /** * Initializes a newly created word array. * * @param {Array} words (Optional) An array of 32-bit words. * @param {number} sigBytes (Optional) The number of significant bytes in the words. * * @example * * var wordArray = CryptoJS.lib.WordArray.create(); * var wordArray = CryptoJS.lib.WordArray.create([0x00010203, 0x04050607]); * var wordArray = CryptoJS.lib.WordArray.create([0x00010203, 0x04050607], 6); */ init: function (words, sigBytes) { words = this.words = words || []; if (sigBytes != undefined) { this.sigBytes = sigBytes; } else { this.sigBytes = words.length * 4; } }, /** * Converts this word array to a string. * * @param {Encoder} encoder (Optional) The encoding strategy to use. Default: CryptoJS.enc.Hex * * @return {string} The stringified word array. * * @example * * var string = wordArray + ''; * var string = wordArray.toString(); * var string = wordArray.toString(CryptoJS.enc.Utf8); */ toString: function (encoder) { return (encoder || Hex).stringify(this); }, /** * Concatenates a word array to this word array. * * @param {WordArray} wordArray The word array to append. * * @return {WordArray} This word array. * * @example * * wordArray1.concat(wordArray2); */ concat: function (wordArray) { // Shortcuts var thisWords = this.words; var thatWords = wordArray.words; var thisSigBytes = this.sigBytes; var thatSigBytes = wordArray.sigBytes; // Clamp excess bits this.clamp(); // Concat if (thisSigBytes % 4) { // Copy one byte at a time for (var i = 0; i < thatSigBytes; i++) { var thatByte = (thatWords[i >>> 2] >>> (24 - (i % 4) * 8)) & 0xff; thisWords[(thisSigBytes + i) >>> 2] |= thatByte << (24 - ((thisSigBytes + i) % 4) * 8); } } else { // Copy one word at a time for (var i = 0; i < thatSigBytes; i += 4) { thisWords[(thisSigBytes + i) >>> 2] = thatWords[i >>> 2]; } } this.sigBytes += thatSigBytes; // Chainable return this; }, /** * Removes insignificant bits. * * @example * * wordArray.clamp(); */ clamp: function () { // Shortcuts var words = this.words; var sigBytes = this.sigBytes; // Clamp words[sigBytes >>> 2] &= 0xffffffff << (32 - (sigBytes % 4) * 8); words.length = Math.ceil(sigBytes / 4); }, /** * Creates a copy of this word array. * * @return {WordArray} The clone. * * @example * * var clone = wordArray.clone(); */ clone: function () { var clone = Base.clone.call(this); clone.words = this.words.slice(0); return clone; }, /** * Creates a word array filled with random bytes. * * @param {number} nBytes The number of random bytes to generate. * * @return {WordArray} The random word array. * * @static * * @example * * var wordArray = CryptoJS.lib.WordArray.random(16); */ random: function (nBytes) { var words = []; for (var i = 0; i < nBytes; i += 4) { words.push(cryptoSecureRandomInt()); } return new WordArray.init(words, nBytes); } }); /** * Encoder namespace. */ var C_enc = C.enc = {}; /** * Hex encoding strategy. */ var Hex = C_enc.Hex = { /** * Converts a word array to a hex string. * * @param {WordArray} wordArray The word array. * * @return {string} The hex string. * * @static * * @example * * var hexString = CryptoJS.enc.Hex.stringify(wordArray); */ stringify: function (wordArray) { // Shortcuts var words = wordArray.words; var sigBytes = wordArray.sigBytes; // Convert var hexChars = []; for (var i = 0; i < sigBytes; i++) { var bite = (words[i >>> 2] >>> (24 - (i % 4) * 8)) & 0xff; hexChars.push((bite >>> 4).toString(16)); hexChars.push((bite & 0x0f).toString(16)); } return hexChars.join(''); }, /** * Converts a hex string to a word array. * * @param {string} hexStr The hex string. * * @return {WordArray} The word array. * * @static * * @example * * var wordArray = CryptoJS.enc.Hex.parse(hexString); */ parse: function (hexStr) { // Shortcut var hexStrLength = hexStr.length; // Convert var words = []; for (var i = 0; i < hexStrLength; i += 2) { words[i >>> 3] |= parseInt(hexStr.substr(i, 2), 16) << (24 - (i % 8) * 4); } return new WordArray.init(words, hexStrLength / 2); } }; /** * Latin1 encoding strategy. */ var Latin1 = C_enc.Latin1 = { /** * Converts a word array to a Latin1 string. * * @param {WordArray} wordArray The word array. * * @return {string} The Latin1 string. * * @static * * @example * * var latin1String = CryptoJS.enc.Latin1.stringify(wordArray); */ stringify: function (wordArray) { // Shortcuts var words = wordArray.words; var sigBytes = wordArray.sigBytes; // Convert var latin1Chars = []; for (var i = 0; i < sigBytes; i++) { var bite = (words[i >>> 2] >>> (24 - (i % 4) * 8)) & 0xff; latin1Chars.push(String.fromCharCode(bite)); } return latin1Chars.join(''); }, /** * Converts a Latin1 string to a word array. * * @param {string} latin1Str The Latin1 string. * * @return {WordArray} The word array. * * @static * * @example * * var wordArray = CryptoJS.enc.Latin1.parse(latin1String); */ parse: function (latin1Str) { // Shortcut var latin1StrLength = latin1Str.length; // Convert var words = []; for (var i = 0; i < latin1StrLength; i++) { words[i >>> 2] |= (latin1Str.charCodeAt(i) & 0xff) << (24 - (i % 4) * 8); } return new WordArray.init(words, latin1StrLength); } }; /** * UTF-8 encoding strategy. */ var Utf8 = C_enc.Utf8 = { /** * Converts a word array to a UTF-8 string. * * @param {WordArray} wordArray The word array. * * @return {string} The UTF-8 string. * * @static * * @example * * var utf8String = CryptoJS.enc.Utf8.stringify(wordArray); */ stringify: function (wordArray) { try { return decodeURIComponent(escape(Latin1.stringify(wordArray))); } catch (e) { throw new Error('Malformed UTF-8 data'); } }, /** * Converts a UTF-8 string to a word array. * * @param {string} utf8Str The UTF-8 string. * * @return {WordArray} The word array. * * @static * * @example * * var wordArray = CryptoJS.enc.Utf8.parse(utf8String); */ parse: function (utf8Str) { return Latin1.parse(unescape(encodeURIComponent(utf8Str))); } }; /** * Abstract buffered block algorithm template. * * The property blockSize must be implemented in a concrete subtype. * * @property {number} _minBufferSize The number of blocks that should be kept unprocessed in the buffer. Default: 0 */ var BufferedBlockAlgorithm = C_lib.BufferedBlockAlgorithm = Base.extend({ /** * Resets this block algorithm's data buffer to its initial state. * * @example * * bufferedBlockAlgorithm.reset(); */ reset: function () { // Initial values this._data = new WordArray.init(); this._nDataBytes = 0; }, /** * Adds new data to this block algorithm's buffer. * * @param {WordArray|string} data The data to append. Strings are converted to a WordArray using UTF-8. * * @example * * bufferedBlockAlgorithm._append('data'); * bufferedBlockAlgorithm._append(wordArray); */ _append: function (data) { // Convert string to WordArray, else assume WordArray already if (typeof data == 'string') { data = Utf8.parse(data); } // Append this._data.concat(data); this._nDataBytes += data.sigBytes; }, /** * Processes available data blocks. * * This method invokes _doProcessBlock(offset), which must be implemented by a concrete subtype. * * @param {boolean} doFlush Whether all blocks and partial blocks should be processed. * * @return {WordArray} The processed data. * * @example * * var processedData = bufferedBlockAlgorithm._process(); * var processedData = bufferedBlockAlgorithm._process(!!'flush'); */ _process: function (doFlush) { var processedWords; // Shortcuts var data = this._data; var dataWords = data.words; var dataSigBytes = data.sigBytes; var blockSize = this.blockSize; var blockSizeBytes = blockSize * 4; // Count blocks ready var nBlocksReady = dataSigBytes / blockSizeBytes; if (doFlush) { // Round up to include partial blocks nBlocksReady = Math.ceil(nBlocksReady); } else { // Round down to include only full blocks, // less the number of blocks that must remain in the buffer nBlocksReady = Math.max((nBlocksReady | 0) - this._minBufferSize, 0); } // Count words ready var nWordsReady = nBlocksReady * blockSize; // Count bytes ready var nBytesReady = Math.min(nWordsReady * 4, dataSigBytes); // Process blocks if (nWordsReady) { for (var offset = 0; offset < nWordsReady; offset += blockSize) { // Perform concrete-algorithm logic this._doProcessBlock(dataWords, offset); } // Remove processed words processedWords = dataWords.splice(0, nWordsReady); data.sigBytes -= nBytesReady; } // Return processed words return new WordArray.init(processedWords, nBytesReady); }, /** * Creates a copy of this object. * * @return {Object} The clone. * * @example * * var clone = bufferedBlockAlgorithm.clone(); */ clone: function () { var clone = Base.clone.call(this); clone._data = this._data.clone(); return clone; }, _minBufferSize: 0 }); /** * Abstract hasher template. * * @property {number} blockSize The number of 32-bit words this hasher operates on. Default: 16 (512 bits) */ var Hasher = C_lib.Hasher = BufferedBlockAlgorithm.extend({ /** * Configuration options. */ cfg: Base.extend(), /** * Initializes a newly created hasher. * * @param {Object} cfg (Optional) The configuration options to use for this hash computation. * * @example * * var hasher = CryptoJS.algo.SHA256.create(); */ init: function (cfg) { // Apply config defaults this.cfg = this.cfg.extend(cfg); // Set initial values this.reset(); }, /** * Resets this hasher to its initial state. * * @example * * hasher.reset(); */ reset: function () { // Reset data buffer BufferedBlockAlgorithm.reset.call(this); // Perform concrete-hasher logic this._doReset(); }, /** * Updates this hasher with a message. * * @param {WordArray|string} messageUpdate The message to append. * * @return {Hasher} This hasher. * * @example * * hasher.update('message'); * hasher.update(wordArray); */ update: function (messageUpdate) { // Append this._append(messageUpdate); // Update the hash this._process(); // Chainable return this; }, /** * Finalizes the hash computation. * Note that the finalize operation is effectively a destructive, read-once operation. * * @param {WordArray|string} messageUpdate (Optional) A final message update. * * @return {WordArray} The hash. * * @example * * var hash = hasher.finalize(); * var hash = hasher.finalize('message'); * var hash = hasher.finalize(wordArray); */ finalize: function (messageUpdate) { // Final message update if (messageUpdate) { this._append(messageUpdate); } // Perform concrete-hasher logic var hash = this._doFinalize(); return hash; }, blockSize: 512/32, /** * Creates a shortcut function to a hasher's object interface. * * @param {Hasher} hasher The hasher to create a helper for. * * @return {Function} The shortcut function. * * @static * * @example * * var SHA256 = CryptoJS.lib.Hasher._createHelper(CryptoJS.algo.SHA256); */ _createHelper: function (hasher) { return function (message, cfg) { return new hasher.init(cfg).finalize(message); }; }, /** * Creates a shortcut function to the HMAC's object interface. * * @param {Hasher} hasher The hasher to use in this HMAC helper. * * @return {Function} The shortcut function. * * @static * * @example * * var HmacSHA256 = CryptoJS.lib.Hasher._createHmacHelper(CryptoJS.algo.SHA256); */ _createHmacHelper: function (hasher) { return function (message, key) { return new C_algo.HMAC.init(hasher, key).finalize(message); }; } }); /** * Algorithm namespace. */ var C_algo = C.algo = {}; return C; }(Math)); return CryptoJS; })); }).call(this)}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {}) },{"crypto":undefined}],525:[function(_dereq_,module,exports){ ;(function (root, factory) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { (function () { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var WordArray = C_lib.WordArray; var C_enc = C.enc; /** * Base64 encoding strategy. */ var Base64 = C_enc.Base64 = { /** * Converts a word array to a Base64 string. * * @param {WordArray} wordArray The word array. * * @return {string} The Base64 string. * * @static * * @example * * var base64String = CryptoJS.enc.Base64.stringify(wordArray); */ stringify: function (wordArray) { // Shortcuts var words = wordArray.words; var sigBytes = wordArray.sigBytes; var map = this._map; // Clamp excess bits wordArray.clamp(); // Convert var base64Chars = []; for (var i = 0; i < sigBytes; i += 3) { var byte1 = (words[i >>> 2] >>> (24 - (i % 4) * 8)) & 0xff; var byte2 = (words[(i + 1) >>> 2] >>> (24 - ((i + 1) % 4) * 8)) & 0xff; var byte3 = (words[(i + 2) >>> 2] >>> (24 - ((i + 2) % 4) * 8)) & 0xff; var triplet = (byte1 << 16) | (byte2 << 8) | byte3; for (var j = 0; (j < 4) && (i + j * 0.75 < sigBytes); j++) { base64Chars.push(map.charAt((triplet >>> (6 * (3 - j))) & 0x3f)); } } // Add padding var paddingChar = map.charAt(64); if (paddingChar) { while (base64Chars.length % 4) { base64Chars.push(paddingChar); } } return base64Chars.join(''); }, /** * Converts a Base64 string to a word array. * * @param {string} base64Str The Base64 string. * * @return {WordArray} The word array. * * @static * * @example * * var wordArray = CryptoJS.enc.Base64.parse(base64String); */ parse: function (base64Str) { // Shortcuts var base64StrLength = base64Str.length; var map = this._map; var reverseMap = this._reverseMap; if (!reverseMap) { reverseMap = this._reverseMap = []; for (var j = 0; j < map.length; j++) { reverseMap[map.charCodeAt(j)] = j; } } // Ignore padding var paddingChar = map.charAt(64); if (paddingChar) { var paddingIndex = base64Str.indexOf(paddingChar); if (paddingIndex !== -1) { base64StrLength = paddingIndex; } } // Convert return parseLoop(base64Str, base64StrLength, reverseMap); }, _map: 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=' }; function parseLoop(base64Str, base64StrLength, reverseMap) { var words = []; var nBytes = 0; for (var i = 0; i < base64StrLength; i++) { if (i % 4) { var bits1 = reverseMap[base64Str.charCodeAt(i - 1)] << ((i % 4) * 2); var bits2 = reverseMap[base64Str.charCodeAt(i)] >>> (6 - (i % 4) * 2); var bitsCombined = bits1 | bits2; words[nBytes >>> 2] |= bitsCombined << (24 - (nBytes % 4) * 8); nBytes++; } } return WordArray.create(words, nBytes); } }()); return CryptoJS.enc.Base64; })); },{"./core":524}],526:[function(_dereq_,module,exports){ ;(function (root, factory) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { return CryptoJS.enc.Utf8; })); },{"./core":524}],527:[function(_dereq_,module,exports){ ;(function (root, factory, undef) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core"), _dereq_("./sha1"), _dereq_("./hmac")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core", "./sha1", "./hmac"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { (function () { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var Base = C_lib.Base; var WordArray = C_lib.WordArray; var C_algo = C.algo; var MD5 = C_algo.MD5; /** * This key derivation function is meant to conform with EVP_BytesToKey. * www.openssl.org/docs/crypto/EVP_BytesToKey.html */ var EvpKDF = C_algo.EvpKDF = Base.extend({ /** * Configuration options. * * @property {number} keySize The key size in words to generate. Default: 4 (128 bits) * @property {Hasher} hasher The hash algorithm to use. Default: MD5 * @property {number} iterations The number of iterations to perform. Default: 1 */ cfg: Base.extend({ keySize: 128/32, hasher: MD5, iterations: 1 }), /** * Initializes a newly created key derivation function. * * @param {Object} cfg (Optional) The configuration options to use for the derivation. * * @example * * var kdf = CryptoJS.algo.EvpKDF.create(); * var kdf = CryptoJS.algo.EvpKDF.create({ keySize: 8 }); * var kdf = CryptoJS.algo.EvpKDF.create({ keySize: 8, iterations: 1000 }); */ init: function (cfg) { this.cfg = this.cfg.extend(cfg); }, /** * Derives a key from a password. * * @param {WordArray|string} password The password. * @param {WordArray|string} salt A salt. * * @return {WordArray} The derived key. * * @example * * var key = kdf.compute(password, salt); */ compute: function (password, salt) { var block; // Shortcut var cfg = this.cfg; // Init hasher var hasher = cfg.hasher.create(); // Initial values var derivedKey = WordArray.create(); // Shortcuts var derivedKeyWords = derivedKey.words; var keySize = cfg.keySize; var iterations = cfg.iterations; // Generate key while (derivedKeyWords.length < keySize) { if (block) { hasher.update(block); } block = hasher.update(password).finalize(salt); hasher.reset(); // Iterations for (var i = 1; i < iterations; i++) { block = hasher.finalize(block); hasher.reset(); } derivedKey.concat(block); } derivedKey.sigBytes = keySize * 4; return derivedKey; } }); /** * Derives a key from a password. * * @param {WordArray|string} password The password. * @param {WordArray|string} salt A salt. * @param {Object} cfg (Optional) The configuration options to use for this computation. * * @return {WordArray} The derived key. * * @static * * @example * * var key = CryptoJS.EvpKDF(password, salt); * var key = CryptoJS.EvpKDF(password, salt, { keySize: 8 }); * var key = CryptoJS.EvpKDF(password, salt, { keySize: 8, iterations: 1000 }); */ C.EvpKDF = function (password, salt, cfg) { return EvpKDF.create(cfg).compute(password, salt); }; }()); return CryptoJS.EvpKDF; })); },{"./core":524,"./hmac":528,"./sha1":530}],528:[function(_dereq_,module,exports){ ;(function (root, factory) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { (function () { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var Base = C_lib.Base; var C_enc = C.enc; var Utf8 = C_enc.Utf8; var C_algo = C.algo; /** * HMAC algorithm. */ var HMAC = C_algo.HMAC = Base.extend({ /** * Initializes a newly created HMAC. * * @param {Hasher} hasher The hash algorithm to use. * @param {WordArray|string} key The secret key. * * @example * * var hmacHasher = CryptoJS.algo.HMAC.create(CryptoJS.algo.SHA256, key); */ init: function (hasher, key) { // Init hasher hasher = this._hasher = new hasher.init(); // Convert string to WordArray, else assume WordArray already if (typeof key == 'string') { key = Utf8.parse(key); } // Shortcuts var hasherBlockSize = hasher.blockSize; var hasherBlockSizeBytes = hasherBlockSize * 4; // Allow arbitrary length keys if (key.sigBytes > hasherBlockSizeBytes) { key = hasher.finalize(key); } // Clamp excess bits key.clamp(); // Clone key for inner and outer pads var oKey = this._oKey = key.clone(); var iKey = this._iKey = key.clone(); // Shortcuts var oKeyWords = oKey.words; var iKeyWords = iKey.words; // XOR keys with pad constants for (var i = 0; i < hasherBlockSize; i++) { oKeyWords[i] ^= 0x5c5c5c5c; iKeyWords[i] ^= 0x36363636; } oKey.sigBytes = iKey.sigBytes = hasherBlockSizeBytes; // Set initial values this.reset(); }, /** * Resets this HMAC to its initial state. * * @example * * hmacHasher.reset(); */ reset: function () { // Shortcut var hasher = this._hasher; // Reset hasher.reset(); hasher.update(this._iKey); }, /** * Updates this HMAC with a message. * * @param {WordArray|string} messageUpdate The message to append. * * @return {HMAC} This HMAC instance. * * @example * * hmacHasher.update('message'); * hmacHasher.update(wordArray); */ update: function (messageUpdate) { this._hasher.update(messageUpdate); // Chainable return this; }, /** * Finalizes the HMAC computation. * Note that the finalize operation is effectively a destructive, read-once operation. * * @param {WordArray|string} messageUpdate (Optional) A final message update. * * @return {WordArray} The HMAC. * * @example * * var hmac = hmacHasher.finalize(); * var hmac = hmacHasher.finalize('message'); * var hmac = hmacHasher.finalize(wordArray); */ finalize: function (messageUpdate) { // Shortcut var hasher = this._hasher; // Compute HMAC var innerHash = hasher.finalize(messageUpdate); hasher.reset(); var hmac = hasher.finalize(this._oKey.clone().concat(innerHash)); return hmac; } }); }()); })); },{"./core":524}],529:[function(_dereq_,module,exports){ ;(function (root, factory) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { (function (Math) { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var WordArray = C_lib.WordArray; var Hasher = C_lib.Hasher; var C_algo = C.algo; // Constants table var T = []; // Compute constants (function () { for (var i = 0; i < 64; i++) { T[i] = (Math.abs(Math.sin(i + 1)) * 0x100000000) | 0; } }()); /** * MD5 hash algorithm. */ var MD5 = C_algo.MD5 = Hasher.extend({ _doReset: function () { this._hash = new WordArray.init([ 0x67452301, 0xefcdab89, 0x98badcfe, 0x10325476 ]); }, _doProcessBlock: function (M, offset) { // Swap endian for (var i = 0; i < 16; i++) { // Shortcuts var offset_i = offset + i; var M_offset_i = M[offset_i]; M[offset_i] = ( (((M_offset_i << 8) | (M_offset_i >>> 24)) & 0x00ff00ff) | (((M_offset_i << 24) | (M_offset_i >>> 8)) & 0xff00ff00) ); } // Shortcuts var H = this._hash.words; var M_offset_0 = M[offset + 0]; var M_offset_1 = M[offset + 1]; var M_offset_2 = M[offset + 2]; var M_offset_3 = M[offset + 3]; var M_offset_4 = M[offset + 4]; var M_offset_5 = M[offset + 5]; var M_offset_6 = M[offset + 6]; var M_offset_7 = M[offset + 7]; var M_offset_8 = M[offset + 8]; var M_offset_9 = M[offset + 9]; var M_offset_10 = M[offset + 10]; var M_offset_11 = M[offset + 11]; var M_offset_12 = M[offset + 12]; var M_offset_13 = M[offset + 13]; var M_offset_14 = M[offset + 14]; var M_offset_15 = M[offset + 15]; // Working varialbes var a = H[0]; var b = H[1]; var c = H[2]; var d = H[3]; // Computation a = FF(a, b, c, d, M_offset_0, 7, T[0]); d = FF(d, a, b, c, M_offset_1, 12, T[1]); c = FF(c, d, a, b, M_offset_2, 17, T[2]); b = FF(b, c, d, a, M_offset_3, 22, T[3]); a = FF(a, b, c, d, M_offset_4, 7, T[4]); d = FF(d, a, b, c, M_offset_5, 12, T[5]); c = FF(c, d, a, b, M_offset_6, 17, T[6]); b = FF(b, c, d, a, M_offset_7, 22, T[7]); a = FF(a, b, c, d, M_offset_8, 7, T[8]); d = FF(d, a, b, c, M_offset_9, 12, T[9]); c = FF(c, d, a, b, M_offset_10, 17, T[10]); b = FF(b, c, d, a, M_offset_11, 22, T[11]); a = FF(a, b, c, d, M_offset_12, 7, T[12]); d = FF(d, a, b, c, M_offset_13, 12, T[13]); c = FF(c, d, a, b, M_offset_14, 17, T[14]); b = FF(b, c, d, a, M_offset_15, 22, T[15]); a = GG(a, b, c, d, M_offset_1, 5, T[16]); d = GG(d, a, b, c, M_offset_6, 9, T[17]); c = GG(c, d, a, b, M_offset_11, 14, T[18]); b = GG(b, c, d, a, M_offset_0, 20, T[19]); a = GG(a, b, c, d, M_offset_5, 5, T[20]); d = GG(d, a, b, c, M_offset_10, 9, T[21]); c = GG(c, d, a, b, M_offset_15, 14, T[22]); b = GG(b, c, d, a, M_offset_4, 20, T[23]); a = GG(a, b, c, d, M_offset_9, 5, T[24]); d = GG(d, a, b, c, M_offset_14, 9, T[25]); c = GG(c, d, a, b, M_offset_3, 14, T[26]); b = GG(b, c, d, a, M_offset_8, 20, T[27]); a = GG(a, b, c, d, M_offset_13, 5, T[28]); d = GG(d, a, b, c, M_offset_2, 9, T[29]); c = GG(c, d, a, b, M_offset_7, 14, T[30]); b = GG(b, c, d, a, M_offset_12, 20, T[31]); a = HH(a, b, c, d, M_offset_5, 4, T[32]); d = HH(d, a, b, c, M_offset_8, 11, T[33]); c = HH(c, d, a, b, M_offset_11, 16, T[34]); b = HH(b, c, d, a, M_offset_14, 23, T[35]); a = HH(a, b, c, d, M_offset_1, 4, T[36]); d = HH(d, a, b, c, M_offset_4, 11, T[37]); c = HH(c, d, a, b, M_offset_7, 16, T[38]); b = HH(b, c, d, a, M_offset_10, 23, T[39]); a = HH(a, b, c, d, M_offset_13, 4, T[40]); d = HH(d, a, b, c, M_offset_0, 11, T[41]); c = HH(c, d, a, b, M_offset_3, 16, T[42]); b = HH(b, c, d, a, M_offset_6, 23, T[43]); a = HH(a, b, c, d, M_offset_9, 4, T[44]); d = HH(d, a, b, c, M_offset_12, 11, T[45]); c = HH(c, d, a, b, M_offset_15, 16, T[46]); b = HH(b, c, d, a, M_offset_2, 23, T[47]); a = II(a, b, c, d, M_offset_0, 6, T[48]); d = II(d, a, b, c, M_offset_7, 10, T[49]); c = II(c, d, a, b, M_offset_14, 15, T[50]); b = II(b, c, d, a, M_offset_5, 21, T[51]); a = II(a, b, c, d, M_offset_12, 6, T[52]); d = II(d, a, b, c, M_offset_3, 10, T[53]); c = II(c, d, a, b, M_offset_10, 15, T[54]); b = II(b, c, d, a, M_offset_1, 21, T[55]); a = II(a, b, c, d, M_offset_8, 6, T[56]); d = II(d, a, b, c, M_offset_15, 10, T[57]); c = II(c, d, a, b, M_offset_6, 15, T[58]); b = II(b, c, d, a, M_offset_13, 21, T[59]); a = II(a, b, c, d, M_offset_4, 6, T[60]); d = II(d, a, b, c, M_offset_11, 10, T[61]); c = II(c, d, a, b, M_offset_2, 15, T[62]); b = II(b, c, d, a, M_offset_9, 21, T[63]); // Intermediate hash value H[0] = (H[0] + a) | 0; H[1] = (H[1] + b) | 0; H[2] = (H[2] + c) | 0; H[3] = (H[3] + d) | 0; }, _doFinalize: function () { // Shortcuts var data = this._data; var dataWords = data.words; var nBitsTotal = this._nDataBytes * 8; var nBitsLeft = data.sigBytes * 8; // Add padding dataWords[nBitsLeft >>> 5] |= 0x80 << (24 - nBitsLeft % 32); var nBitsTotalH = Math.floor(nBitsTotal / 0x100000000); var nBitsTotalL = nBitsTotal; dataWords[(((nBitsLeft + 64) >>> 9) << 4) + 15] = ( (((nBitsTotalH << 8) | (nBitsTotalH >>> 24)) & 0x00ff00ff) | (((nBitsTotalH << 24) | (nBitsTotalH >>> 8)) & 0xff00ff00) ); dataWords[(((nBitsLeft + 64) >>> 9) << 4) + 14] = ( (((nBitsTotalL << 8) | (nBitsTotalL >>> 24)) & 0x00ff00ff) | (((nBitsTotalL << 24) | (nBitsTotalL >>> 8)) & 0xff00ff00) ); data.sigBytes = (dataWords.length + 1) * 4; // Hash final blocks this._process(); // Shortcuts var hash = this._hash; var H = hash.words; // Swap endian for (var i = 0; i < 4; i++) { // Shortcut var H_i = H[i]; H[i] = (((H_i << 8) | (H_i >>> 24)) & 0x00ff00ff) | (((H_i << 24) | (H_i >>> 8)) & 0xff00ff00); } // Return final computed hash return hash; }, clone: function () { var clone = Hasher.clone.call(this); clone._hash = this._hash.clone(); return clone; } }); function FF(a, b, c, d, x, s, t) { var n = a + ((b & c) | (~b & d)) + x + t; return ((n << s) | (n >>> (32 - s))) + b; } function GG(a, b, c, d, x, s, t) { var n = a + ((b & d) | (c & ~d)) + x + t; return ((n << s) | (n >>> (32 - s))) + b; } function HH(a, b, c, d, x, s, t) { var n = a + (b ^ c ^ d) + x + t; return ((n << s) | (n >>> (32 - s))) + b; } function II(a, b, c, d, x, s, t) { var n = a + (c ^ (b | ~d)) + x + t; return ((n << s) | (n >>> (32 - s))) + b; } /** * Shortcut function to the hasher's object interface. * * @param {WordArray|string} message The message to hash. * * @return {WordArray} The hash. * * @static * * @example * * var hash = CryptoJS.MD5('message'); * var hash = CryptoJS.MD5(wordArray); */ C.MD5 = Hasher._createHelper(MD5); /** * Shortcut function to the HMAC's object interface. * * @param {WordArray|string} message The message to hash. * @param {WordArray|string} key The secret key. * * @return {WordArray} The HMAC. * * @static * * @example * * var hmac = CryptoJS.HmacMD5(message, key); */ C.HmacMD5 = Hasher._createHmacHelper(MD5); }(Math)); return CryptoJS.MD5; })); },{"./core":524}],530:[function(_dereq_,module,exports){ ;(function (root, factory) { if (typeof exports === "object") { // CommonJS module.exports = exports = factory(_dereq_("./core")); } else if (typeof define === "function" && define.amd) { // AMD define(["./core"], factory); } else { // Global (browser) factory(root.CryptoJS); } }(this, function (CryptoJS) { (function () { // Shortcuts var C = CryptoJS; var C_lib = C.lib; var WordArray = C_lib.WordArray; var Hasher = C_lib.Hasher; var C_algo = C.algo; // Reusable object var W = []; /** * SHA-1 hash algorithm. */ var SHA1 = C_algo.SHA1 = Hasher.extend({ _doReset: function () { this._hash = new WordArray.init([ 0x67452301, 0xefcdab89, 0x98badcfe, 0x10325476, 0xc3d2e1f0 ]); }, _doProcessBlock: function (M, offset) { // Shortcut var H = this._hash.words; // Working variables var a = H[0]; var b = H[1]; var c = H[2]; var d = H[3]; var e = H[4]; // Computation for (var i = 0; i < 80; i++) { if (i < 16) { W[i] = M[offset + i] | 0; } else { var n = W[i - 3] ^ W[i - 8] ^ W[i - 14] ^ W[i - 16]; W[i] = (n << 1) | (n >>> 31); } var t = ((a << 5) | (a >>> 27)) + e + W[i]; if (i < 20) { t += ((b & c) | (~b & d)) + 0x5a827999; } else if (i < 40) { t += (b ^ c ^ d) + 0x6ed9eba1; } else if (i < 60) { t += ((b & c) | (b & d) | (c & d)) - 0x70e44324; } else /* if (i < 80) */ { t += (b ^ c ^ d) - 0x359d3e2a; } e = d; d = c; c = (b << 30) | (b >>> 2); b = a; a = t; } // Intermediate hash value H[0] = (H[0] + a) | 0; H[1] = (H[1] + b) | 0; H[2] = (H[2] + c) | 0; H[3] = (H[3] + d) | 0; H[4] = (H[4] + e) | 0; }, _doFinalize: function () { // Shortcuts var data = this._data; var dataWords = data.words; var nBitsTotal = this._nDataBytes * 8; var nBitsLeft = data.sigBytes * 8; // Add padding dataWords[nBitsLeft >>> 5] |= 0x80 << (24 - nBitsLeft % 32); dataWords[(((nBitsLeft + 64) >>> 9) << 4) + 14] = Math.floor(nBitsTotal / 0x100000000); dataWords[(((nBitsLeft + 64) >>> 9) << 4) + 15] = nBitsTotal; data.sigBytes = dataWords.length * 4; // Hash final blocks this._process(); // Return final computed hash return this._hash; }, clone: function () { var clone = Hasher.clone.call(this); clone._hash = this._hash.clone(); return clone; } }); /** * Shortcut function to the hasher's object interface. * * @param {WordArray|string} message The message to hash. * * @return {WordArray} The hash. * * @static * * @example * * var hash = CryptoJS.SHA1('message'); * var hash = CryptoJS.SHA1(wordArray); */ C.SHA1 = Hasher._createHelper(SHA1); /** * Shortcut function to the HMAC's object interface. * * @param {WordArray|string} message The message to hash. * @param {WordArray|string} key The secret key. * * @return {WordArray} The HMAC. * * @static * * @example * * var hmac = CryptoJS.HmacSHA1(message, key); */ C.HmacSHA1 = Hasher._createHmacHelper(SHA1); }()); return CryptoJS.SHA1; })); },{"./core":524}],531:[function(_dereq_,module,exports){ // Copyright Joyent, Inc. and other Node contributors. // // Permission is hereby granted, free of charge, to any person obtaining a // copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to permit // persons to whom the Software is furnished to do so, subject to the // following conditions: // // The above copyright notice and this permission notice shall be included // in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS // OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN // NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, // DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE // USE OR OTHER DEALINGS IN THE SOFTWARE. var objectCreate = Object.create || objectCreatePolyfill var objectKeys = Object.keys || objectKeysPolyfill var bind = Function.prototype.bind || functionBindPolyfill function EventEmitter() { if (!this._events || !Object.prototype.hasOwnProperty.call(this, '_events')) { this._events = objectCreate(null); this._eventsCount = 0; } this._maxListeners = this._maxListeners || undefined; } module.exports = EventEmitter; // Backwards-compat with node 0.10.x EventEmitter.EventEmitter = EventEmitter; EventEmitter.prototype._events = undefined; EventEmitter.prototype._maxListeners = undefined; // By default EventEmitters will print a warning if more than 10 listeners are // added to it. This is a useful default which helps finding memory leaks. var defaultMaxListeners = 10; var hasDefineProperty; try { var o = {}; if (Object.defineProperty) Object.defineProperty(o, 'x', { value: 0 }); hasDefineProperty = o.x === 0; } catch (err) { hasDefineProperty = false } if (hasDefineProperty) { Object.defineProperty(EventEmitter, 'defaultMaxListeners', { enumerable: true, get: function() { return defaultMaxListeners; }, set: function(arg) { // check whether the input is a positive number (whose value is zero or // greater and not a NaN). if (typeof arg !== 'number' || arg < 0 || arg !== arg) throw new TypeError('"defaultMaxListeners" must be a positive number'); defaultMaxListeners = arg; } }); } else { EventEmitter.defaultMaxListeners = defaultMaxListeners; } // Obviously not all Emitters should be limited to 10. This function allows // that to be increased. Set to zero for unlimited. EventEmitter.prototype.setMaxListeners = function setMaxListeners(n) { if (typeof n !== 'number' || n < 0 || isNaN(n)) throw new TypeError('"n" argument must be a positive number'); this._maxListeners = n; return this; }; function $getMaxListeners(that) { if (that._maxListeners === undefined) return EventEmitter.defaultMaxListeners; return that._maxListeners; } EventEmitter.prototype.getMaxListeners = function getMaxListeners() { return $getMaxListeners(this); }; // These standalone emit* functions are used to optimize calling of event // handlers for fast cases because emit() itself often has a variable number of // arguments and can be deoptimized because of that. These functions always have // the same number of arguments and thus do not get deoptimized, so the code // inside them can execute faster. function emitNone(handler, isFn, self) { if (isFn) handler.call(self); else { var len = handler.length; var listeners = arrayClone(handler, len); for (var i = 0; i < len; ++i) listeners[i].call(self); } } function emitOne(handler, isFn, self, arg1) { if (isFn) handler.call(self, arg1); else { var len = handler.length; var listeners = arrayClone(handler, len); for (var i = 0; i < len; ++i) listeners[i].call(self, arg1); } } function emitTwo(handler, isFn, self, arg1, arg2) { if (isFn) handler.call(self, arg1, arg2); else { var len = handler.length; var listeners = arrayClone(handler, len); for (var i = 0; i < len; ++i) listeners[i].call(self, arg1, arg2); } } function emitThree(handler, isFn, self, arg1, arg2, arg3) { if (isFn) handler.call(self, arg1, arg2, arg3); else { var len = handler.length; var listeners = arrayClone(handler, len); for (var i = 0; i < len; ++i) listeners[i].call(self, arg1, arg2, arg3); } } function emitMany(handler, isFn, self, args) { if (isFn) handler.apply(self, args); else { var len = handler.length; var listeners = arrayClone(handler, len); for (var i = 0; i < len; ++i) listeners[i].apply(self, args); } } EventEmitter.prototype.emit = function emit(type) { var er, handler, len, args, i, events; var doError = (type === 'error'); events = this._events; if (events) doError = (doError && events.error == null); else if (!doError) return false; // If there is no 'error' event listener then throw. if (doError) { if (arguments.length > 1) er = arguments[1]; if (er instanceof Error) { throw er; // Unhandled 'error' event } else { // At least give some kind of context to the user var err = new Error('Unhandled "error" event. (' + er + ')'); err.context = er; throw err; } return false; } handler = events[type]; if (!handler) return false; var isFn = typeof handler === 'function'; len = arguments.length; switch (len) { // fast cases case 1: emitNone(handler, isFn, this); break; case 2: emitOne(handler, isFn, this, arguments[1]); break; case 3: emitTwo(handler, isFn, this, arguments[1], arguments[2]); break; case 4: emitThree(handler, isFn, this, arguments[1], arguments[2], arguments[3]); break; // slower default: args = new Array(len - 1); for (i = 1; i < len; i++) args[i - 1] = arguments[i]; emitMany(handler, isFn, this, args); } return true; }; function _addListener(target, type, listener, prepend) { var m; var events; var existing; if (typeof listener !== 'function') throw new TypeError('"listener" argument must be a function'); events = target._events; if (!events) { events = target._events = objectCreate(null); target._eventsCount = 0; } else { // To avoid recursion in the case that type === "newListener"! Before // adding it to the listeners, first emit "newListener". if (events.newListener) { target.emit('newListener', type, listener.listener ? listener.listener : listener); // Re-assign `events` because a newListener handler could have caused the // this._events to be assigned to a new object events = target._events; } existing = events[type]; } if (!existing) { // Optimize the case of one listener. Don't need the extra array object. existing = events[type] = listener; ++target._eventsCount; } else { if (typeof existing === 'function') { // Adding the second element, need to change to array. existing = events[type] = prepend ? [listener, existing] : [existing, listener]; } else { // If we've already got an array, just append. if (prepend) { existing.unshift(listener); } else { existing.push(listener); } } // Check for listener leak if (!existing.warned) { m = $getMaxListeners(target); if (m && m > 0 && existing.length > m) { existing.warned = true; var w = new Error('Possible EventEmitter memory leak detected. ' + existing.length + ' "' + String(type) + '" listeners ' + 'added. Use emitter.setMaxListeners() to ' + 'increase limit.'); w.name = 'MaxListenersExceededWarning'; w.emitter = target; w.type = type; w.count = existing.length; if (typeof console === 'object' && console.warn) { console.warn('%s: %s', w.name, w.message); } } } } return target; } EventEmitter.prototype.addListener = function addListener(type, listener) { return _addListener(this, type, listener, false); }; EventEmitter.prototype.on = EventEmitter.prototype.addListener; EventEmitter.prototype.prependListener = function prependListener(type, listener) { return _addListener(this, type, listener, true); }; function onceWrapper() { if (!this.fired) { this.target.removeListener(this.type, this.wrapFn); this.fired = true; switch (arguments.length) { case 0: return this.listener.call(this.target); case 1: return this.listener.call(this.target, arguments[0]); case 2: return this.listener.call(this.target, arguments[0], arguments[1]); case 3: return this.listener.call(this.target, arguments[0], arguments[1], arguments[2]); default: var args = new Array(arguments.length); for (var i = 0; i < args.length; ++i) args[i] = arguments[i]; this.listener.apply(this.target, args); } } } function _onceWrap(target, type, listener) { var state = { fired: false, wrapFn: undefined, target: target, type: type, listener: listener }; var wrapped = bind.call(onceWrapper, state); wrapped.listener = listener; state.wrapFn = wrapped; return wrapped; } EventEmitter.prototype.once = function once(type, listener) { if (typeof listener !== 'function') throw new TypeError('"listener" argument must be a function'); this.on(type, _onceWrap(this, type, listener)); return this; }; EventEmitter.prototype.prependOnceListener = function prependOnceListener(type, listener) { if (typeof listener !== 'function') throw new TypeError('"listener" argument must be a function'); this.prependListener(type, _onceWrap(this, type, listener)); return this; }; // Emits a 'removeListener' event if and only if the listener was removed. EventEmitter.prototype.removeListener = function removeListener(type, listener) { var list, events, position, i, originalListener; if (typeof listener !== 'function') throw new TypeError('"listener" argument must be a function'); events = this._events; if (!events) return this; list = events[type]; if (!list) return this; if (list === listener || list.listener === listener) { if (--this._eventsCount === 0) this._events = objectCreate(null); else { delete events[type]; if (events.removeListener) this.emit('removeListener', type, list.listener || listener); } } else if (typeof list !== 'function') { position = -1; for (i = list.length - 1; i >= 0; i--) { if (list[i] === listener || list[i].listener === listener) { originalListener = list[i].listener; position = i; break; } } if (position < 0) return this; if (position === 0) list.shift(); else spliceOne(list, position); if (list.length === 1) events[type] = list[0]; if (events.removeListener) this.emit('removeListener', type, originalListener || listener); } return this; }; EventEmitter.prototype.removeAllListeners = function removeAllListeners(type) { var listeners, events, i; events = this._events; if (!events) return this; // not listening for removeListener, no need to emit if (!events.removeListener) { if (arguments.length === 0) { this._events = objectCreate(null); this._eventsCount = 0; } else if (events[type]) { if (--this._eventsCount === 0) this._events = objectCreate(null); else delete events[type]; } return this; } // emit removeListener for all listeners on all events if (arguments.length === 0) { var keys = objectKeys(events); var key; for (i = 0; i < keys.length; ++i) { key = keys[i]; if (key === 'removeListener') continue; this.removeAllListeners(key); } this.removeAllListeners('removeListener'); this._events = objectCreate(null); this._eventsCount = 0; return this; } listeners = events[type]; if (typeof listeners === 'function') { this.removeListener(type, listeners); } else if (listeners) { // LIFO order for (i = listeners.length - 1; i >= 0; i--) { this.removeListener(type, listeners[i]); } } return this; }; function _listeners(target, type, unwrap) { var events = target._events; if (!events) return []; var evlistener = events[type]; if (!evlistener) return []; if (typeof evlistener === 'function') return unwrap ? [evlistener.listener || evlistener] : [evlistener]; return unwrap ? unwrapListeners(evlistener) : arrayClone(evlistener, evlistener.length); } EventEmitter.prototype.listeners = function listeners(type) { return _listeners(this, type, true); }; EventEmitter.prototype.rawListeners = function rawListeners(type) { return _listeners(this, type, false); }; EventEmitter.listenerCount = function(emitter, type) { if (typeof emitter.listenerCount === 'function') { return emitter.listenerCount(type); } else { return listenerCount.call(emitter, type); } }; EventEmitter.prototype.listenerCount = listenerCount; function listenerCount(type) { var events = this._events; if (events) { var evlistener = events[type]; if (typeof evlistener === 'function') { return 1; } else if (evlistener) { return evlistener.length; } } return 0; } EventEmitter.prototype.eventNames = function eventNames() { return this._eventsCount > 0 ? Reflect.ownKeys(this._events) : []; }; // About 1.5x faster than the two-arg version of Array#splice(). function spliceOne(list, index) { for (var i = index, k = i + 1, n = list.length; k < n; i += 1, k += 1) list[i] = list[k]; list.pop(); } function arrayClone(arr, n) { var copy = new Array(n); for (var i = 0; i < n; ++i) copy[i] = arr[i]; return copy; } function unwrapListeners(arr) { var ret = new Array(arr.length); for (var i = 0; i < ret.length; ++i) { ret[i] = arr[i].listener || arr[i]; } return ret; } function objectCreatePolyfill(proto) { var F = function() {}; F.prototype = proto; return new F; } function objectKeysPolyfill(obj) { var keys = []; for (var k in obj) if (Object.prototype.hasOwnProperty.call(obj, k)) { keys.push(k); } return k; } function functionBindPolyfill(context) { var fn = this; return function () { return fn.apply(context, arguments); }; } },{}],532:[function(_dereq_,module,exports){ /** * Convert array of 16 byte values to UUID string format of the form: * XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX */ var byteToHex = []; for (var i = 0; i < 256; ++i) { byteToHex[i] = (i + 0x100).toString(16).substr(1); } function bytesToUuid(buf, offset) { var i = offset || 0; var bth = byteToHex; // join used to fix memory issue caused by concatenation: https://bugs.chromium.org/p/v8/issues/detail?id=3175#c4 return ([ bth[buf[i++]], bth[buf[i++]], bth[buf[i++]], bth[buf[i++]], '-', bth[buf[i++]], bth[buf[i++]], '-', bth[buf[i++]], bth[buf[i++]], '-', bth[buf[i++]], bth[buf[i++]], '-', bth[buf[i++]], bth[buf[i++]], bth[buf[i++]], bth[buf[i++]], bth[buf[i++]], bth[buf[i++]] ]).join(''); } module.exports = bytesToUuid; },{}],533:[function(_dereq_,module,exports){ // Unique ID creation requires a high quality random # generator. In the // browser this is a little complicated due to unknown quality of Math.random() // and inconsistent support for the `crypto` API. We do the best we can via // feature-detection // getRandomValues needs to be invoked in a context where "this" is a Crypto // implementation. Also, find the complete implementation of crypto on IE11. var getRandomValues = (typeof(crypto) != 'undefined' && crypto.getRandomValues && crypto.getRandomValues.bind(crypto)) || (typeof(msCrypto) != 'undefined' && typeof window.msCrypto.getRandomValues == 'function' && msCrypto.getRandomValues.bind(msCrypto)); if (getRandomValues) { // WHATWG crypto RNG - http://wiki.whatwg.org/wiki/Crypto var rnds8 = new Uint8Array(16); // eslint-disable-line no-undef module.exports = function whatwgRNG() { getRandomValues(rnds8); return rnds8; }; } else { // Math.random()-based (RNG) // // If all else fails, use Math.random(). It's fast, but is of unspecified // quality. var rnds = new Array(16); module.exports = function mathRNG() { for (var i = 0, r; i < 16; i++) { if ((i & 0x03) === 0) r = Math.random() * 0x100000000; rnds[i] = r >>> ((i & 0x03) << 3) & 0xff; } return rnds; }; } },{}],534:[function(_dereq_,module,exports){ var rng = _dereq_('./lib/rng'); var bytesToUuid = _dereq_('./lib/bytesToUuid'); function v4(options, buf, offset) { var i = buf && offset || 0; if (typeof(options) == 'string') { buf = options === 'binary' ? new Array(16) : null; options = null; } options = options || {}; var rnds = options.random || (options.rng || rng)(); // Per 4.4, set bits for version and `clock_seq_hi_and_reserved` rnds[6] = (rnds[6] & 0x0f) | 0x40; rnds[8] = (rnds[8] & 0x3f) | 0x80; // Copy bytes to buffer, if provided if (buf) { for (var ii = 0; ii < 16; ++ii) { buf[i + ii] = rnds[ii]; } } return buf || bytesToUuid(rnds); } module.exports = v4; },{"./lib/bytesToUuid":532,"./lib/rng":533}]},{},[24])(24) });