@salla.sa/twilight-components 2.11.21 → 2.11.23

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -45,6 +45,232 @@ export { SallaUserMenu, defineCustomElement as defineCustomElementSallaUserMenu
45
45
  export { SallaUserSettings, defineCustomElement as defineCustomElementSallaUserSettings } from './salla-user-settings.js';
46
46
  export { SallaVerify, defineCustomElement as defineCustomElementSallaVerify } from './salla-verify.js';
47
47
 
48
+ const global$1 = (typeof global !== "undefined" ? global :
49
+ typeof self !== "undefined" ? self :
50
+ typeof window !== "undefined" ? window : {});
51
+
52
+ // shim for using process in browser
53
+ // based off https://github.com/defunctzombie/node-process/blob/master/browser.js
54
+
55
+ function defaultSetTimout() {
56
+ throw new Error('setTimeout has not been defined');
57
+ }
58
+ function defaultClearTimeout () {
59
+ throw new Error('clearTimeout has not been defined');
60
+ }
61
+ var cachedSetTimeout = defaultSetTimout;
62
+ var cachedClearTimeout = defaultClearTimeout;
63
+ if (typeof global$1.setTimeout === 'function') {
64
+ cachedSetTimeout = setTimeout;
65
+ }
66
+ if (typeof global$1.clearTimeout === 'function') {
67
+ cachedClearTimeout = clearTimeout;
68
+ }
69
+
70
+ function runTimeout(fun) {
71
+ if (cachedSetTimeout === setTimeout) {
72
+ //normal enviroments in sane situations
73
+ return setTimeout(fun, 0);
74
+ }
75
+ // if setTimeout wasn't available but was latter defined
76
+ if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) {
77
+ cachedSetTimeout = setTimeout;
78
+ return setTimeout(fun, 0);
79
+ }
80
+ try {
81
+ // when when somebody has screwed with setTimeout but no I.E. maddness
82
+ return cachedSetTimeout(fun, 0);
83
+ } catch(e){
84
+ try {
85
+ // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
86
+ return cachedSetTimeout.call(null, fun, 0);
87
+ } catch(e){
88
+ // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error
89
+ return cachedSetTimeout.call(this, fun, 0);
90
+ }
91
+ }
92
+
93
+
94
+ }
95
+ function runClearTimeout(marker) {
96
+ if (cachedClearTimeout === clearTimeout) {
97
+ //normal enviroments in sane situations
98
+ return clearTimeout(marker);
99
+ }
100
+ // if clearTimeout wasn't available but was latter defined
101
+ if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) {
102
+ cachedClearTimeout = clearTimeout;
103
+ return clearTimeout(marker);
104
+ }
105
+ try {
106
+ // when when somebody has screwed with setTimeout but no I.E. maddness
107
+ return cachedClearTimeout(marker);
108
+ } catch (e){
109
+ try {
110
+ // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
111
+ return cachedClearTimeout.call(null, marker);
112
+ } catch (e){
113
+ // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.
114
+ // Some versions of I.E. have different rules for clearTimeout vs setTimeout
115
+ return cachedClearTimeout.call(this, marker);
116
+ }
117
+ }
118
+
119
+
120
+
121
+ }
122
+ var queue = [];
123
+ var draining = false;
124
+ var currentQueue;
125
+ var queueIndex = -1;
126
+
127
+ function cleanUpNextTick() {
128
+ if (!draining || !currentQueue) {
129
+ return;
130
+ }
131
+ draining = false;
132
+ if (currentQueue.length) {
133
+ queue = currentQueue.concat(queue);
134
+ } else {
135
+ queueIndex = -1;
136
+ }
137
+ if (queue.length) {
138
+ drainQueue();
139
+ }
140
+ }
141
+
142
+ function drainQueue() {
143
+ if (draining) {
144
+ return;
145
+ }
146
+ var timeout = runTimeout(cleanUpNextTick);
147
+ draining = true;
148
+
149
+ var len = queue.length;
150
+ while(len) {
151
+ currentQueue = queue;
152
+ queue = [];
153
+ while (++queueIndex < len) {
154
+ if (currentQueue) {
155
+ currentQueue[queueIndex].run();
156
+ }
157
+ }
158
+ queueIndex = -1;
159
+ len = queue.length;
160
+ }
161
+ currentQueue = null;
162
+ draining = false;
163
+ runClearTimeout(timeout);
164
+ }
165
+ function nextTick(fun) {
166
+ var args = new Array(arguments.length - 1);
167
+ if (arguments.length > 1) {
168
+ for (var i = 1; i < arguments.length; i++) {
169
+ args[i - 1] = arguments[i];
170
+ }
171
+ }
172
+ queue.push(new Item(fun, args));
173
+ if (queue.length === 1 && !draining) {
174
+ runTimeout(drainQueue);
175
+ }
176
+ }
177
+ // v8 likes predictible objects
178
+ function Item(fun, array) {
179
+ this.fun = fun;
180
+ this.array = array;
181
+ }
182
+ Item.prototype.run = function () {
183
+ this.fun.apply(null, this.array);
184
+ };
185
+ var title = 'browser';
186
+ var platform = 'browser';
187
+ var browser = true;
188
+ var env = {};
189
+ var argv = [];
190
+ var version = ''; // empty string to avoid regexp issues
191
+ var versions = {};
192
+ var release = {};
193
+ var config = {};
194
+
195
+ function noop() {}
196
+
197
+ var on = noop;
198
+ var addListener = noop;
199
+ var once = noop;
200
+ var off = noop;
201
+ var removeListener = noop;
202
+ var removeAllListeners = noop;
203
+ var emit = noop;
204
+
205
+ function binding(name) {
206
+ throw new Error('process.binding is not supported');
207
+ }
208
+
209
+ function cwd () { return '/' }
210
+ function chdir (dir) {
211
+ throw new Error('process.chdir is not supported');
212
+ }function umask() { return 0; }
213
+
214
+ // from https://github.com/kumavis/browser-process-hrtime/blob/master/index.js
215
+ var performance = global$1.performance || {};
216
+ var performanceNow =
217
+ performance.now ||
218
+ performance.mozNow ||
219
+ performance.msNow ||
220
+ performance.oNow ||
221
+ performance.webkitNow ||
222
+ function(){ return (new Date()).getTime() };
223
+
224
+ // generate timestamp or delta
225
+ // see http://nodejs.org/api/process.html#process_process_hrtime
226
+ function hrtime(previousTimestamp){
227
+ var clocktime = performanceNow.call(performance)*1e-3;
228
+ var seconds = Math.floor(clocktime);
229
+ var nanoseconds = Math.floor((clocktime%1)*1e9);
230
+ if (previousTimestamp) {
231
+ seconds = seconds - previousTimestamp[0];
232
+ nanoseconds = nanoseconds - previousTimestamp[1];
233
+ if (nanoseconds<0) {
234
+ seconds--;
235
+ nanoseconds += 1e9;
236
+ }
237
+ }
238
+ return [seconds,nanoseconds]
239
+ }
240
+
241
+ var startTime = new Date();
242
+ function uptime() {
243
+ var currentTime = new Date();
244
+ var dif = currentTime - startTime;
245
+ return dif / 1000;
246
+ }
247
+
248
+ var browser$1 = {
249
+ nextTick: nextTick,
250
+ title: title,
251
+ browser: browser,
252
+ env: env,
253
+ argv: argv,
254
+ version: version,
255
+ versions: versions,
256
+ on: on,
257
+ addListener: addListener,
258
+ once: once,
259
+ off: off,
260
+ removeListener: removeListener,
261
+ removeAllListeners: removeAllListeners,
262
+ emit: emit,
263
+ binding: binding,
264
+ cwd: cwd,
265
+ chdir: chdir,
266
+ umask: umask,
267
+ hrtime: hrtime,
268
+ platform: platform,
269
+ release: release,
270
+ config: config,
271
+ uptime: uptime
272
+ };
273
+
48
274
  /**
49
275
  * Checks if `value` is classified as an `Array` object.
50
276
  *
@@ -68,9 +294,9 @@ export { SallaVerify, defineCustomElement as defineCustomElementSallaVerify } fr
68
294
  * _.isArray(_.noop);
69
295
  * // => false
70
296
  */
71
- var isArray$1 = Array.isArray;
297
+ var isArray$2 = Array.isArray;
72
298
 
73
- var isArray_1 = isArray$1;
299
+ var isArray_1 = isArray$2;
74
300
 
75
301
  /** Detect free variable `global` from Node.js. */
76
302
  var freeGlobal = typeof commonjsGlobal == 'object' && commonjsGlobal && commonjsGlobal.Object === Object && commonjsGlobal;
@@ -1135,11 +1361,11 @@ var _baseToString = baseToString;
1135
1361
  * _.toString([1, 2, 3]);
1136
1362
  * // => '1,2,3'
1137
1363
  */
1138
- function toString$1(value) {
1364
+ function toString$2(value) {
1139
1365
  return value == null ? '' : _baseToString(value);
1140
1366
  }
1141
1367
 
1142
- var toString_1 = toString$1;
1368
+ var toString_1 = toString$2;
1143
1369
 
1144
1370
  /**
1145
1371
  * Casts `value` to a path array if it's not one.
@@ -1239,7 +1465,7 @@ var eventemitter2 = createCommonjsModule(function (module, exports) {
1239
1465
  return Object.prototype.toString.call(obj) === "[object Array]";
1240
1466
  };
1241
1467
  var defaultMaxListeners = 10;
1242
- var nextTickSupported= typeof process=='object' && typeof process.nextTick=='function';
1468
+ var nextTickSupported= typeof browser$1=='object' && typeof browser$1.nextTick=='function';
1243
1469
  var symbolsSupported= typeof Symbol==='function';
1244
1470
  var reflectSupported= typeof Reflect === 'object';
1245
1471
  var setImmediateSupported= typeof setImmediate === 'function';
@@ -1288,12 +1514,12 @@ var eventemitter2 = createCommonjsModule(function (module, exports) {
1288
1514
  errorMsg += ' Event name: ' + eventName + '.';
1289
1515
  }
1290
1516
 
1291
- if(typeof process !== 'undefined' && process.emitWarning){
1517
+ if(typeof browser$1 !== 'undefined' && browser$1.emitWarning){
1292
1518
  var e = new Error(errorMsg);
1293
1519
  e.name = 'MaxListenersExceededWarning';
1294
1520
  e.emitter = this;
1295
1521
  e.count = count;
1296
- process.emitWarning(e);
1522
+ browser$1.emitWarning(e);
1297
1523
  } else {
1298
1524
  console.error(errorMsg);
1299
1525
 
@@ -1999,7 +2225,7 @@ var eventemitter2 = createCommonjsModule(function (module, exports) {
1999
2225
  }).then(function () {
2000
2226
  context.event = event;
2001
2227
  return _listener.apply(context, args)
2002
- })) : (nextTick ? process.nextTick : _setImmediate)(function () {
2228
+ })) : (nextTick ? browser$1.nextTick : _setImmediate)(function () {
2003
2229
  context.event = event;
2004
2230
  _listener.apply(context, args);
2005
2231
  });
@@ -3212,8 +3438,8 @@ var Global$2 = util.Global;
3212
3438
 
3213
3439
  var localStorage_1 = {
3214
3440
  name: 'localStorage',
3215
- read: read$3,
3216
- write: write$3,
3441
+ read: read$4,
3442
+ write: write$4,
3217
3443
  each: each$3,
3218
3444
  remove: remove$3,
3219
3445
  clearAll: clearAll$3,
@@ -3223,18 +3449,18 @@ function localStorage() {
3223
3449
  return Global$2.localStorage
3224
3450
  }
3225
3451
 
3226
- function read$3(key) {
3452
+ function read$4(key) {
3227
3453
  return localStorage().getItem(key)
3228
3454
  }
3229
3455
 
3230
- function write$3(key, data) {
3456
+ function write$4(key, data) {
3231
3457
  return localStorage().setItem(key, data)
3232
3458
  }
3233
3459
 
3234
3460
  function each$3(fn) {
3235
3461
  for (var i = localStorage().length - 1; i >= 0; i--) {
3236
3462
  var key = localStorage().key(i);
3237
- fn(read$3(key), key);
3463
+ fn(read$4(key), key);
3238
3464
  }
3239
3465
  }
3240
3466
 
@@ -3250,8 +3476,8 @@ var Global$1 = util.Global;
3250
3476
 
3251
3477
  var sessionStorage_1 = {
3252
3478
  name: 'sessionStorage',
3253
- read: read$2,
3254
- write: write$2,
3479
+ read: read$3,
3480
+ write: write$3,
3255
3481
  each: each$2,
3256
3482
  remove: remove$2,
3257
3483
  clearAll: clearAll$2
@@ -3261,18 +3487,18 @@ function sessionStorage() {
3261
3487
  return Global$1.sessionStorage
3262
3488
  }
3263
3489
 
3264
- function read$2(key) {
3490
+ function read$3(key) {
3265
3491
  return sessionStorage().getItem(key)
3266
3492
  }
3267
3493
 
3268
- function write$2(key, data) {
3494
+ function write$3(key, data) {
3269
3495
  return sessionStorage().setItem(key, data)
3270
3496
  }
3271
3497
 
3272
3498
  function each$2(fn) {
3273
3499
  for (var i = sessionStorage().length - 1; i >= 0; i--) {
3274
3500
  var key = sessionStorage().key(i);
3275
- fn(read$2(key), key);
3501
+ fn(read$3(key), key);
3276
3502
  }
3277
3503
  }
3278
3504
 
@@ -3294,8 +3520,8 @@ var trim$1 = util.trim;
3294
3520
 
3295
3521
  var cookieStorage = {
3296
3522
  name: 'cookieStorage',
3297
- read: read$1,
3298
- write: write$1,
3523
+ read: read$2,
3524
+ write: write$2,
3299
3525
  each: each$1,
3300
3526
  remove: remove$1,
3301
3527
  clearAll: clearAll$1,
@@ -3303,7 +3529,7 @@ var cookieStorage = {
3303
3529
 
3304
3530
  var doc = Global.document;
3305
3531
 
3306
- function read$1(key) {
3532
+ function read$2(key) {
3307
3533
  if (!key || !_has(key)) { return null }
3308
3534
  var regexpStr = "(?:^|.*;\\s*)" +
3309
3535
  escape(key).replace(/[\-\.\+\*]/g, "\\$&") +
@@ -3324,7 +3550,7 @@ function each$1(callback) {
3324
3550
  }
3325
3551
  }
3326
3552
 
3327
- function write$1(key, data) {
3553
+ function write$2(key, data) {
3328
3554
  if(!key) { return }
3329
3555
  doc.cookie = escape(key) + "=" + escape(data) + "; expires=Tue, 19 Jan 2038 03:14:07 GMT; path=/";
3330
3556
  }
@@ -3353,8 +3579,8 @@ function _has(key) {
3353
3579
 
3354
3580
  var memoryStorage_1 = {
3355
3581
  name: 'memoryStorage',
3356
- read: read,
3357
- write: write,
3582
+ read: read$1,
3583
+ write: write$1,
3358
3584
  each: each,
3359
3585
  remove: remove,
3360
3586
  clearAll: clearAll,
@@ -3362,11 +3588,11 @@ var memoryStorage_1 = {
3362
3588
 
3363
3589
  var memoryStorage = {};
3364
3590
 
3365
- function read(key) {
3591
+ function read$1(key) {
3366
3592
  return memoryStorage[key]
3367
3593
  }
3368
3594
 
3369
- function write(key, data) {
3595
+ function write$1(key, data) {
3370
3596
  memoryStorage[key] = data;
3371
3597
  }
3372
3598
 
@@ -3386,7 +3612,7 @@ function clearAll(key) {
3386
3612
  memoryStorage = {};
3387
3613
  }
3388
3614
 
3389
- function a(e,t=!1){e+="";let r,o=["٠","١","٢","٣","٤","٥","٦","٧","٨","٩"],n=["0","1","2","3","4","5","6","7","8","9"],i=(t=t||!Salla.config.get("store.settings.arabic_numbers_enabled"))?o:n,l=t?n:o;for(let t=0;t<i.length;t++)r=new RegExp(i[t],"g"),e=e.replace(r,l[t]);return e}function s$1(e){let t=(e.match(/\./g)||[]).length;return t&&1!==t?s$1(e.replace(/\.(.+)\./g,".$1")):e}function c$1(e,t,r){let o=e[0];return r&&0==e.length?Array.isArray(r)?(r.push(t),r):[r,t]:Array.isArray(r)?(r.push(t),r):"string"==typeof r?[r,t]:r?(r[o]=c$1(e.slice(1),t,r[o]),r):o?{[o]:c$1(e.slice(1),t)}:""===o?[t]:t}function u$1(e){return Salla.config.get("store.url",window.location.href.split("/").slice(0,-1).join("/")).rtrim("/")+"/"+e.ltrim("/")}var d$1={digitsOnly:function(e){return a(e,!0).replace(/[^0-9.]/g,"").replace("..",".").rtrim(".")},inputDigitsOnly:function e(t,r=!1){if("string"==typeof t)return document.querySelectorAll(t).forEach((t=>e(t,r)));if(!t)return void Salla.logger.warn("Can't find Object With Id: "+t);let o=Salla.helpers.digitsOnly(t.value);return t.min&&o<t.min?t.value=t.min:t.max&&o>t.max?t.value=t.max:t.maxLength>=1&&o.toString().length>t.maxLength?t.value=o.toString().substring(0,t.maxLength):t.value=r||t.dataset.hasOwnProperty("digitsWithDecimal")?s$1(o):o.replace(/\D/g,"")},number:a,money:function(e){let t=Salla.config.currency(e?.currency).symbol;return a(e="object"==typeof e?e.amount:e)+" "+t},setNested:function(e,t,r){let o=e,n=t.split("."),i=n.length;for(let e=0;e<i-1;e++){let t=n[e];o[t]||(o[t]={}),o=o[t];}return o[n[i-1]]=r,e},getNested:function(t,r,o){let n=get_1(t,r);return void 0!==n?n:o},inputData:function(e,t,r={}){if(e.includes("[")){let o=e.split("]").join("").split("[");return {name:o[0],value:c$1(o.slice(1),t,r[o[0]])}}return {name:e,value:t}},url:{get:u$1,asset:function(e){return function(e){return window.location.origin+"/"+e.ltrim("/")}("themes/"+Salla.config.get("theme.name")+"/"+e.ltrim("/"))},cdn:function(e){return "https://cdn.salla.network/"+e.ltrim("/")},is_page:function(e){return e&&Salla.config.get("page.slug")===e},api:function(e){return Salla.config.get("store.api",u$1("")).rtrim("/")+"/"+e.ltrim("/")}},addParamToUrl:function(e,t){if(!t||!e)return window.location.href;let r=new RegExp("([?&])"+e+"=[^&]+[&]?","g"),o=window.location.href.replace(r,"$1").replace(/&$|\?$/,"");return o+=(o.includes("?")?"&":"?")+e+"="+encodeURIComponent(t),o.replace(/&$|\?$/,"")},debounce:function(e,t){t=t||100;let r,o=[];return function(...n){return clearTimeout(r),r=setTimeout((()=>{let t=e(...n);o.forEach((e=>e(t))),o=[];}),t),new Promise((e=>o.push(e)))}}},g$1=function(e){let t={log:function(t,r){if(!e)return;if(!salla.config.isDebug())return;"trace"===salla.config.get("debug")&&(r="trace");let o=e.log,n=void 0===r?o:this.__dict__[r]||o,i=["%cTwilight","color: #5cd5c4;font-weight:bold; border:1px solid #5cd5c4; padding: 2px 6px; border-radius: 5px;"],l={event:"#CFF680",backend:"#7b68ee"}[r];l&&(i[0]+="%c"+r[0].toUpperCase()+r.substring(1),i.push(`margin-left: 5px;color: ${l};font-weight:bold; border:1px solid ${l}; padding: 2px 6px; border-radius: 5px;`)),n.call(e,...i.concat(...t));},__dict__:{trace:e.trace,debug:e.debug,info:e.info,warn:e.warn,error:e.error}};return {event:function(){t.log(arguments,"event");},trace:function(){t.log(arguments,"trace");},debug:function(){t.log(arguments,"debug");},info:function(){t.log(arguments,"info");},warn:function(){t.log(arguments,"warn");},error:function(){t.log(arguments,"error");},log:function(){t.log(arguments,void 0);},backend:function(){t.log(arguments,"backend");},logs:function(e){[e].flat().forEach((e=>e&&t.log([e].flat(),"backend")));}}}(console);const p$1=storeEngine.createStore([localStorage_1,sessionStorage_1,cookieStorage,memoryStorage_1],[]);"undefined"==typeof global?(window.salla=window.salla||window.Salla||{},window.Salla=window.salla):(global.salla=global.salla||global.Salla||{},global.Salla=global.salla),Salla.status="base",Salla.config=new class{constructor(e={},t={}){this.default_properties=t,this.properties_={...this.default_properties,...e};}merge(e){return Object.assign(this.properties_,e),this.properties_.store={...this.default_properties.store,...this.properties_.store},this}set(e,t){return e.includes(".")?(Salla.helpers.setNested(this.properties_,e,t),this):(this.properties_[e]=t,this)}get(e,t=null){return e.includes(".")?Salla.helpers.getNested(this.properties_,e,t):this.properties_.hasOwnProperty(e)?this.properties_[e]||t:t||void 0}all(){return this.properties_}isDebug(){return this.get("debug")||Salla.storage.get("debug")}},Salla.logger=g$1,Salla.event=new class extends eventemitter2{constructor(){super({wildcard:!0,delimiter:"::",newListener:!1,removeListener:!1,maxListeners:10,verboseMemoryLeak:!1,ignoreErrors:!1}),this.delimiter="::","undefined"!=typeof document&&(this.body=document.querySelector("body")),this.logableEvents=["cart::item.added.failed","cart::item.deleted.failed"],this.ingoreLogEvents=["document::click","document::keyup","document::change"],this.noneFireableActions=["document.request"];}createAndDispatch(e,...t){this.dispatch(e,...t);}emit(e,...t){let r=e.replace("::",".");if(!this.noneFireableActions.includes(r)&&void 0!==Salla.call&&"function"==typeof Salla.call(r))return Salla.log(`'Salla.${r}(...)' triggered using event '${e}'`),r=r.split("."),void salla[r[0]][r[1]](...t);if(super.emit(e,...t),"undefined"!=typeof window){window.dataLayer=window.dataLayer||[];let r={event:e};t.map((e=>"object"==typeof e&&(r={...r,...e}))),window.dataLayer.push(r);}Salla.logger&&!this.ingoreLogEvents.includes(e)&&Salla.logger.event(e,...t),this.dispatchMobileEvent(e,{...t.values()});}dispatch(e,...t){return this.emit(e,...t)}dispatchEvents(e){if(e&&"object"==typeof e)for(const[t,r]of Object.entries(e))this.dispatch(t,r);else Salla.log("No Events To Dispatch!",e);}addListener(e,t){return this.on(e,t)}addEventListener(e,t){return this.on(e,t)}listen(e,t){return this.on(e,t)}registerGlobalListener(e,t){return this.onAny(t)}dispatchMobileEvent(e,t={}){if(!("undefined"!=typeof window&&window.dataLayer&&dataLayer[0]&&dataLayer[0].page&&dataLayer[0].page.mobileApp))return "";if(window.webkit)try{window.webkit.messageHandlers.callbackHandler.postMessage(JSON.stringify({event:e,details:t}));}catch(e){Salla.log(e,"The native context does not exist yet");}else if(Android)try{Android.customEventWithData(e,JSON.stringify({details:t}));}catch(e){Salla.log(e,"The native context does not exist yet");}}},Salla.storage=new class{constructor(){Salla.event.on("storage::item.remove",(e=>this.remove(e))),Salla.event.on("storage::item.set",((e,t)=>this.set(e,t))),this.store=p$1;}set(e,t){if(e.includes(".")){let r=e.split(".")[0],o={[r]:this.store.get(r)};return o=Salla.helpers.setNested(o,e,t),this.store.set(r,o[r])}return this.store.set(e,t)}remove(e){return this.store.remove(e)}clearAll(){return this.store.clearAll()}get(e,t){if(e.includes(".")){let t=e.split(".")[0];return Salla.helpers.getNested({[t]:this.store.get(t)},e)}return this.store.get(e,t)}},Salla.cookie=new class{constructor(){Salla.event.on("cookies::remove",(e=>this.remove(e))),Salla.event.on("cookies::add",((e,t)=>this.set(e,t)));}get(e){return document.cookie.split("; ").find((t=>t.startsWith(e+"=")))?.split("=")[1]}set(e,t="",r=10){let o="";if(r){let e=new Date;e.setTime(e.getTime()+24*r*60*60*1e3),o="; expires="+e.toUTCString();}return document.cookie=`${e}=${t}${o}"; path=/; secure; SameSite=Lax"`,this}remove(e){return document.cookie=`${e}=; Max-Age=0; path=/;`,this}clearAll(){let e=document.cookie.split(";");for(let t=0;t<e.length;t++){let r=e[t],o=r.indexOf("="),n=o>-1?r.substr(0,o):r;this.remove(n);}}},Salla.helpers=d$1,Salla.log=Salla.logger.log,Salla.money=Salla.helpers.money,Salla.url=Salla.helpers.url,Salla.versions={base:"[VI]{version}[/VI]"};var f$1=Salla;
3615
+ function a(e,t=!1){e+="";let r,o=["٠","١","٢","٣","٤","٥","٦","٧","٨","٩"],n=["0","1","2","3","4","5","6","7","8","9"],i=(t=t||!Salla.config.get("store.settings.arabic_numbers_enabled"))?o:n,l=t?n:o;for(let t=0;t<i.length;t++)r=new RegExp(i[t],"g"),e=e.replace(r,l[t]);return e}function s$1(e){let t=(e.match(/\./g)||[]).length;return t&&1!==t?s$1(e.replace(/\.(.+)\./g,".$1")):e}function c$1(e,t,r){let o=e[0];return r&&0==e.length?Array.isArray(r)?(r.push(t),r):[r,t]:Array.isArray(r)?(r.push(t),r):"string"==typeof r?[r,t]:r?(r[o]=c$1(e.slice(1),t,r[o]),r):o?{[o]:c$1(e.slice(1),t)}:""===o?[t]:t}function u$1(e){return Salla.config.get("store.url",window.location.href.split("/").slice(0,-1).join("/")).rtrim("/")+"/"+e.ltrim("/")}var d$1={digitsOnly:function(e){return a(e,!0).replace(/[^0-9.]/g,"").replace("..",".").rtrim(".")},inputDigitsOnly:function e(t,r=!1){if("string"==typeof t)return document.querySelectorAll(t).forEach((t=>e(t,r)));if(!t)return void Salla.logger.warn("Can't find Object With Id: "+t);let o=Salla.helpers.digitsOnly(t.value);return t.min&&o<t.min?t.value=t.min:t.max&&o>t.max?t.value=t.max:t.maxLength>=1&&o.toString().length>t.maxLength?t.value=o.toString().substring(0,t.maxLength):t.value=r||t.dataset.hasOwnProperty("digitsWithDecimal")?s$1(o):o.replace(/\D/g,"")},number:a,money:function(e){let t=Salla.config.currency(e?.currency).symbol;return a(e="object"==typeof e?e.amount:e)+" "+t},setNested:function(e,t,r){let o=e,n=t.split("."),i=n.length;for(let e=0;e<i-1;e++){let t=n[e];o[t]||(o[t]={}),o=o[t];}return o[n[i-1]]=r,e},getNested:function(t,r,o){let n=get_1(t,r);return void 0!==n?n:o},inputData:function(e,t,r={}){if(e.includes("[")){let o=e.split("]").join("").split("[");return {name:o[0],value:c$1(o.slice(1),t,r[o[0]])}}return {name:e,value:t}},url:{get:u$1,asset:function(e){return function(e){return window.location.origin+"/"+e.ltrim("/")}("themes/"+Salla.config.get("theme.name")+"/"+e.ltrim("/"))},cdn:function(e){return "https://cdn.salla.network/"+e.ltrim("/")},is_page:function(e){return e&&Salla.config.get("page.slug")===e},api:function(e){return Salla.config.get("store.api",u$1("")).rtrim("/")+"/"+e.ltrim("/")}},addParamToUrl:function(e,t){if(!t||!e)return window.location.href;let r=new RegExp("([?&])"+e+"=[^&]+[&]?","g"),o=window.location.href.replace(r,"$1").replace(/&$|\?$/,"");return o.includes("?")?o+="&":o+=(o.endsWith("/")?"":"/")+"?",(o+e+"="+encodeURIComponent(t)).replace(/&$|\?$/,"")},debounce:function(e,t){t=t||100;let r,o=[];return function(...n){return clearTimeout(r),r=setTimeout((()=>{let t=e(...n);o.forEach((e=>e(t))),o=[];}),t),new Promise((e=>o.push(e)))}}},g$1=function(e){let t={log:function(t,r){if(!e)return;if(!salla.config.isDebug())return;"trace"===salla.config.get("debug")&&(r="trace");let o=e.log,n=void 0===r?o:this.__dict__[r]||o,i=["%cTwilight","color: #5cd5c4;font-weight:bold; border:1px solid #5cd5c4; padding: 2px 6px; border-radius: 5px;"],l={event:"#CFF680",backend:"#7b68ee"}[r];l&&(i[0]+="%c"+r[0].toUpperCase()+r.substring(1),i.push(`margin-left: 5px;color: ${l};font-weight:bold; border:1px solid ${l}; padding: 2px 6px; border-radius: 5px;`)),n.call(e,...i.concat(...t));},__dict__:{trace:e.trace,debug:e.debug,info:e.info,warn:e.warn,error:e.error}};return {event:function(){t.log(arguments,"event");},trace:function(){t.log(arguments,"trace");},debug:function(){t.log(arguments,"debug");},info:function(){t.log(arguments,"info");},warn:function(){t.log(arguments,"warn");},error:function(){t.log(arguments,"error");},log:function(){t.log(arguments,void 0);},backend:function(){t.log(arguments,"backend");},logs:function(e){[e].flat().forEach((e=>e&&t.log([e].flat(),"backend")));}}}(console);const p$1=storeEngine.createStore([localStorage_1,sessionStorage_1,cookieStorage,memoryStorage_1],[]);"undefined"==typeof global$1?(window.salla=window.salla||window.Salla||{},window.Salla=window.salla):(global$1.salla=global$1.salla||global$1.Salla||{},global$1.Salla=global$1.salla),Salla.status="base",Salla.config=new class{constructor(e={},t={}){this.default_properties=t,this.properties_={...this.default_properties,...e};}merge(e){return Object.assign(this.properties_,e),this.properties_.store={...this.default_properties.store,...this.properties_.store},this}set(e,t){return e.includes(".")?(Salla.helpers.setNested(this.properties_,e,t),this):(this.properties_[e]=t,this)}get(e,t=null){return e.includes(".")?Salla.helpers.getNested(this.properties_,e,t):this.properties_.hasOwnProperty(e)?this.properties_[e]||t:t||void 0}all(){return this.properties_}isDebug(){return this.get("debug")||Salla.storage.get("debug")}},Salla.logger=g$1,Salla.event=new class extends eventemitter2{constructor(){super({wildcard:!0,delimiter:"::",newListener:!1,removeListener:!1,maxListeners:10,verboseMemoryLeak:!1,ignoreErrors:!1}),this.delimiter="::","undefined"!=typeof document&&(this.body=document.querySelector("body")),this.logableEvents=["cart::item.added.failed","cart::item.deleted.failed"],this.ingoreLogEvents=["document::click","document::keyup","document::change"],this.noneFireableActions=["document.request"];}createAndDispatch(e,...t){this.dispatch(e,...t);}emit(e,...t){let r=e.replace("::",".");if(!this.noneFireableActions.includes(r)&&void 0!==Salla.call&&"function"==typeof Salla.call(r))return Salla.log(`'Salla.${r}(...)' triggered using event '${e}'`),r=r.split("."),void salla[r[0]][r[1]](...t);if(super.emit(e,...t),"undefined"!=typeof window){window.dataLayer=window.dataLayer||[];let r={event:e};t.map((e=>"object"==typeof e&&(r={...r,...e}))),window.dataLayer.push(r);}Salla.logger&&!this.ingoreLogEvents.includes(e)&&Salla.logger.event(e,...t),this.dispatchMobileEvent(e,{...t.values()});}dispatch(e,...t){return this.emit(e,...t)}dispatchEvents(e){if(e&&"object"==typeof e)for(const[t,r]of Object.entries(e))this.dispatch(t,r);else Salla.log("No Events To Dispatch!",e);}addListener(e,t){return this.on(e,t)}addEventListener(e,t){return this.on(e,t)}listen(e,t){return this.on(e,t)}registerGlobalListener(e,t){return this.onAny(t)}dispatchMobileEvent(e,t={}){if(!("undefined"!=typeof window&&window.dataLayer&&dataLayer[0]&&dataLayer[0].page&&dataLayer[0].page.mobileApp))return "";if(window.webkit)try{window.webkit.messageHandlers.callbackHandler.postMessage(JSON.stringify({event:e,details:t}));}catch(e){Salla.log(e,"The native context does not exist yet");}else if(Android)try{Android.customEventWithData(e,JSON.stringify({details:t}));}catch(e){Salla.log(e,"The native context does not exist yet");}}},Salla.storage=new class{constructor(){Salla.event.on("storage::item.remove",(e=>this.remove(e))),Salla.event.on("storage::item.set",((e,t)=>this.set(e,t))),this.store=p$1;}set(e,t){if(e.includes(".")){let r=e.split(".")[0],o={[r]:this.store.get(r)};return o=Salla.helpers.setNested(o,e,t),this.store.set(r,o[r])}return this.store.set(e,t)}remove(e){return this.store.remove(e)}clearAll(){return this.store.clearAll()}get(e,t){if(e.includes(".")){let t=e.split(".")[0];return Salla.helpers.getNested({[t]:this.store.get(t)},e)}return this.store.get(e,t)}},Salla.cookie=new class{constructor(){Salla.event.on("cookies::remove",(e=>this.remove(e))),Salla.event.on("cookies::add",((e,t)=>this.set(e,t)));}get(e){return document.cookie.split("; ").find((t=>t.startsWith(e+"=")))?.split("=")[1]}set(e,t="",r=10){let o="";if(r){let e=new Date;e.setTime(e.getTime()+24*r*60*60*1e3),o="; expires="+e.toUTCString();}return document.cookie=`${e}=${t}${o}"; path=/; secure; SameSite=Lax"`,this}remove(e){return document.cookie=`${e}=; Max-Age=0; path=/;`,this}clearAll(){let e=document.cookie.split(";");for(let t=0;t<e.length;t++){let r=e[t],o=r.indexOf("="),n=o>-1?r.substr(0,o):r;this.remove(n);}}},Salla.helpers=d$1,Salla.log=Salla.logger.log,Salla.money=Salla.helpers.money,Salla.url=Salla.helpers.url,Salla.versions={base:"[VI]{version}[/VI]"};var f$1=Salla;
3390
3616
 
3391
3617
  var evEmitter = createCommonjsModule(function (module) {
3392
3618
  /**
@@ -5547,13 +5773,13 @@ var bind = function bind(fn, thisArg) {
5547
5773
 
5548
5774
  // utils is a library of generic helper functions non-specific to axios
5549
5775
 
5550
- var toString = Object.prototype.toString;
5776
+ var toString$1 = Object.prototype.toString;
5551
5777
 
5552
5778
  // eslint-disable-next-line func-names
5553
5779
  var kindOf = (function(cache) {
5554
5780
  // eslint-disable-next-line func-names
5555
5781
  return function(thing) {
5556
- var str = toString.call(thing);
5782
+ var str = toString$1.call(thing);
5557
5783
  return cache[str] || (cache[str] = str.slice(8, -1).toLowerCase());
5558
5784
  };
5559
5785
  })(Object.create(null));
@@ -5571,7 +5797,7 @@ function kindOfTest(type) {
5571
5797
  * @param {Object} val The value to test
5572
5798
  * @returns {boolean} True if value is an Array, otherwise false
5573
5799
  */
5574
- function isArray(val) {
5800
+ function isArray$1(val) {
5575
5801
  return Array.isArray(val);
5576
5802
  }
5577
5803
 
@@ -5591,7 +5817,7 @@ function isUndefined(val) {
5591
5817
  * @param {Object} val The value to test
5592
5818
  * @returns {boolean} True if value is a Buffer, otherwise false
5593
5819
  */
5594
- function isBuffer(val) {
5820
+ function isBuffer$1(val) {
5595
5821
  return val !== null && !isUndefined(val) && val.constructor !== null && !isUndefined(val.constructor)
5596
5822
  && typeof val.constructor.isBuffer === 'function' && val.constructor.isBuffer(val);
5597
5823
  }
@@ -5710,7 +5936,7 @@ var isFileList = kindOfTest('FileList');
5710
5936
  * @returns {boolean} True if value is a Function, otherwise false
5711
5937
  */
5712
5938
  function isFunction(val) {
5713
- return toString.call(val) === '[object Function]';
5939
+ return toString$1.call(val) === '[object Function]';
5714
5940
  }
5715
5941
 
5716
5942
  /**
@@ -5733,7 +5959,7 @@ function isFormData(thing) {
5733
5959
  var pattern = '[object FormData]';
5734
5960
  return thing && (
5735
5961
  (typeof FormData === 'function' && thing instanceof FormData) ||
5736
- toString.call(thing) === pattern ||
5962
+ toString$1.call(thing) === pattern ||
5737
5963
  (isFunction(thing.toString) && thing.toString() === pattern)
5738
5964
  );
5739
5965
  }
@@ -5807,7 +6033,7 @@ function forEach(obj, fn) {
5807
6033
  obj = [obj];
5808
6034
  }
5809
6035
 
5810
- if (isArray(obj)) {
6036
+ if (isArray$1(obj)) {
5811
6037
  // Iterate over array values
5812
6038
  for (var i = 0, l = obj.length; i < l; i++) {
5813
6039
  fn.call(null, obj[i], i, obj);
@@ -5846,7 +6072,7 @@ function merge(/* obj1, obj2, obj3, ... */) {
5846
6072
  result[key] = merge(result[key], val);
5847
6073
  } else if (isPlainObject(val)) {
5848
6074
  result[key] = merge({}, val);
5849
- } else if (isArray(val)) {
6075
+ } else if (isArray$1(val)) {
5850
6076
  result[key] = val.slice();
5851
6077
  } else {
5852
6078
  result[key] = val;
@@ -5980,9 +6206,9 @@ var isTypedArray = (function(TypedArray) {
5980
6206
  })(typeof Uint8Array !== 'undefined' && Object.getPrototypeOf(Uint8Array));
5981
6207
 
5982
6208
  var utils = {
5983
- isArray: isArray,
6209
+ isArray: isArray$1,
5984
6210
  isArrayBuffer: isArrayBuffer,
5985
- isBuffer: isBuffer,
6211
+ isBuffer: isBuffer$1,
5986
6212
  isFormData: isFormData,
5987
6213
  isArrayBufferView: isArrayBufferView,
5988
6214
  isString: isString,
@@ -6228,6 +6454,1973 @@ var transitional = {
6228
6454
  clarifyTimeoutError: false
6229
6455
  };
6230
6456
 
6457
+ var lookup = [];
6458
+ var revLookup = [];
6459
+ var Arr = typeof Uint8Array !== 'undefined' ? Uint8Array : Array;
6460
+ var inited = false;
6461
+ function init () {
6462
+ inited = true;
6463
+ var code = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';
6464
+ for (var i = 0, len = code.length; i < len; ++i) {
6465
+ lookup[i] = code[i];
6466
+ revLookup[code.charCodeAt(i)] = i;
6467
+ }
6468
+
6469
+ revLookup['-'.charCodeAt(0)] = 62;
6470
+ revLookup['_'.charCodeAt(0)] = 63;
6471
+ }
6472
+
6473
+ function toByteArray (b64) {
6474
+ if (!inited) {
6475
+ init();
6476
+ }
6477
+ var i, j, l, tmp, placeHolders, arr;
6478
+ var len = b64.length;
6479
+
6480
+ if (len % 4 > 0) {
6481
+ throw new Error('Invalid string. Length must be a multiple of 4')
6482
+ }
6483
+
6484
+ // the number of equal signs (place holders)
6485
+ // if there are two placeholders, than the two characters before it
6486
+ // represent one byte
6487
+ // if there is only one, then the three characters before it represent 2 bytes
6488
+ // this is just a cheap hack to not do indexOf twice
6489
+ placeHolders = b64[len - 2] === '=' ? 2 : b64[len - 1] === '=' ? 1 : 0;
6490
+
6491
+ // base64 is 4/3 + up to two characters of the original data
6492
+ arr = new Arr(len * 3 / 4 - placeHolders);
6493
+
6494
+ // if there are placeholders, only get up to the last complete 4 chars
6495
+ l = placeHolders > 0 ? len - 4 : len;
6496
+
6497
+ var L = 0;
6498
+
6499
+ for (i = 0, j = 0; i < l; i += 4, j += 3) {
6500
+ tmp = (revLookup[b64.charCodeAt(i)] << 18) | (revLookup[b64.charCodeAt(i + 1)] << 12) | (revLookup[b64.charCodeAt(i + 2)] << 6) | revLookup[b64.charCodeAt(i + 3)];
6501
+ arr[L++] = (tmp >> 16) & 0xFF;
6502
+ arr[L++] = (tmp >> 8) & 0xFF;
6503
+ arr[L++] = tmp & 0xFF;
6504
+ }
6505
+
6506
+ if (placeHolders === 2) {
6507
+ tmp = (revLookup[b64.charCodeAt(i)] << 2) | (revLookup[b64.charCodeAt(i + 1)] >> 4);
6508
+ arr[L++] = tmp & 0xFF;
6509
+ } else if (placeHolders === 1) {
6510
+ tmp = (revLookup[b64.charCodeAt(i)] << 10) | (revLookup[b64.charCodeAt(i + 1)] << 4) | (revLookup[b64.charCodeAt(i + 2)] >> 2);
6511
+ arr[L++] = (tmp >> 8) & 0xFF;
6512
+ arr[L++] = tmp & 0xFF;
6513
+ }
6514
+
6515
+ return arr
6516
+ }
6517
+
6518
+ function tripletToBase64 (num) {
6519
+ return lookup[num >> 18 & 0x3F] + lookup[num >> 12 & 0x3F] + lookup[num >> 6 & 0x3F] + lookup[num & 0x3F]
6520
+ }
6521
+
6522
+ function encodeChunk (uint8, start, end) {
6523
+ var tmp;
6524
+ var output = [];
6525
+ for (var i = start; i < end; i += 3) {
6526
+ tmp = (uint8[i] << 16) + (uint8[i + 1] << 8) + (uint8[i + 2]);
6527
+ output.push(tripletToBase64(tmp));
6528
+ }
6529
+ return output.join('')
6530
+ }
6531
+
6532
+ function fromByteArray (uint8) {
6533
+ if (!inited) {
6534
+ init();
6535
+ }
6536
+ var tmp;
6537
+ var len = uint8.length;
6538
+ var extraBytes = len % 3; // if we have 1 byte left, pad 2 bytes
6539
+ var output = '';
6540
+ var parts = [];
6541
+ var maxChunkLength = 16383; // must be multiple of 3
6542
+
6543
+ // go through the array every three bytes, we'll deal with trailing stuff later
6544
+ for (var i = 0, len2 = len - extraBytes; i < len2; i += maxChunkLength) {
6545
+ parts.push(encodeChunk(uint8, i, (i + maxChunkLength) > len2 ? len2 : (i + maxChunkLength)));
6546
+ }
6547
+
6548
+ // pad the end with zeros, but make sure to not forget the extra bytes
6549
+ if (extraBytes === 1) {
6550
+ tmp = uint8[len - 1];
6551
+ output += lookup[tmp >> 2];
6552
+ output += lookup[(tmp << 4) & 0x3F];
6553
+ output += '==';
6554
+ } else if (extraBytes === 2) {
6555
+ tmp = (uint8[len - 2] << 8) + (uint8[len - 1]);
6556
+ output += lookup[tmp >> 10];
6557
+ output += lookup[(tmp >> 4) & 0x3F];
6558
+ output += lookup[(tmp << 2) & 0x3F];
6559
+ output += '=';
6560
+ }
6561
+
6562
+ parts.push(output);
6563
+
6564
+ return parts.join('')
6565
+ }
6566
+
6567
+ function read (buffer, offset, isLE, mLen, nBytes) {
6568
+ var e, m;
6569
+ var eLen = nBytes * 8 - mLen - 1;
6570
+ var eMax = (1 << eLen) - 1;
6571
+ var eBias = eMax >> 1;
6572
+ var nBits = -7;
6573
+ var i = isLE ? (nBytes - 1) : 0;
6574
+ var d = isLE ? -1 : 1;
6575
+ var s = buffer[offset + i];
6576
+
6577
+ i += d;
6578
+
6579
+ e = s & ((1 << (-nBits)) - 1);
6580
+ s >>= (-nBits);
6581
+ nBits += eLen;
6582
+ for (; nBits > 0; e = e * 256 + buffer[offset + i], i += d, nBits -= 8) {}
6583
+
6584
+ m = e & ((1 << (-nBits)) - 1);
6585
+ e >>= (-nBits);
6586
+ nBits += mLen;
6587
+ for (; nBits > 0; m = m * 256 + buffer[offset + i], i += d, nBits -= 8) {}
6588
+
6589
+ if (e === 0) {
6590
+ e = 1 - eBias;
6591
+ } else if (e === eMax) {
6592
+ return m ? NaN : ((s ? -1 : 1) * Infinity)
6593
+ } else {
6594
+ m = m + Math.pow(2, mLen);
6595
+ e = e - eBias;
6596
+ }
6597
+ return (s ? -1 : 1) * m * Math.pow(2, e - mLen)
6598
+ }
6599
+
6600
+ function write (buffer, value, offset, isLE, mLen, nBytes) {
6601
+ var e, m, c;
6602
+ var eLen = nBytes * 8 - mLen - 1;
6603
+ var eMax = (1 << eLen) - 1;
6604
+ var eBias = eMax >> 1;
6605
+ var rt = (mLen === 23 ? Math.pow(2, -24) - Math.pow(2, -77) : 0);
6606
+ var i = isLE ? 0 : (nBytes - 1);
6607
+ var d = isLE ? 1 : -1;
6608
+ var s = value < 0 || (value === 0 && 1 / value < 0) ? 1 : 0;
6609
+
6610
+ value = Math.abs(value);
6611
+
6612
+ if (isNaN(value) || value === Infinity) {
6613
+ m = isNaN(value) ? 1 : 0;
6614
+ e = eMax;
6615
+ } else {
6616
+ e = Math.floor(Math.log(value) / Math.LN2);
6617
+ if (value * (c = Math.pow(2, -e)) < 1) {
6618
+ e--;
6619
+ c *= 2;
6620
+ }
6621
+ if (e + eBias >= 1) {
6622
+ value += rt / c;
6623
+ } else {
6624
+ value += rt * Math.pow(2, 1 - eBias);
6625
+ }
6626
+ if (value * c >= 2) {
6627
+ e++;
6628
+ c /= 2;
6629
+ }
6630
+
6631
+ if (e + eBias >= eMax) {
6632
+ m = 0;
6633
+ e = eMax;
6634
+ } else if (e + eBias >= 1) {
6635
+ m = (value * c - 1) * Math.pow(2, mLen);
6636
+ e = e + eBias;
6637
+ } else {
6638
+ m = value * Math.pow(2, eBias - 1) * Math.pow(2, mLen);
6639
+ e = 0;
6640
+ }
6641
+ }
6642
+
6643
+ for (; mLen >= 8; buffer[offset + i] = m & 0xff, i += d, m /= 256, mLen -= 8) {}
6644
+
6645
+ e = (e << mLen) | m;
6646
+ eLen += mLen;
6647
+ for (; eLen > 0; buffer[offset + i] = e & 0xff, i += d, e /= 256, eLen -= 8) {}
6648
+
6649
+ buffer[offset + i - d] |= s * 128;
6650
+ }
6651
+
6652
+ var toString = {}.toString;
6653
+
6654
+ var isArray = Array.isArray || function (arr) {
6655
+ return toString.call(arr) == '[object Array]';
6656
+ };
6657
+
6658
+ /*!
6659
+ * The buffer module from node.js, for the browser.
6660
+ *
6661
+ * @author Feross Aboukhadijeh <feross@feross.org> <http://feross.org>
6662
+ * @license MIT
6663
+ */
6664
+
6665
+ var INSPECT_MAX_BYTES = 50;
6666
+
6667
+ /**
6668
+ * If `Buffer.TYPED_ARRAY_SUPPORT`:
6669
+ * === true Use Uint8Array implementation (fastest)
6670
+ * === false Use Object implementation (most compatible, even IE6)
6671
+ *
6672
+ * Browsers that support typed arrays are IE 10+, Firefox 4+, Chrome 7+, Safari 5.1+,
6673
+ * Opera 11.6+, iOS 4.2+.
6674
+ *
6675
+ * Due to various browser bugs, sometimes the Object implementation will be used even
6676
+ * when the browser supports typed arrays.
6677
+ *
6678
+ * Note:
6679
+ *
6680
+ * - Firefox 4-29 lacks support for adding new properties to `Uint8Array` instances,
6681
+ * See: https://bugzilla.mozilla.org/show_bug.cgi?id=695438.
6682
+ *
6683
+ * - Chrome 9-10 is missing the `TypedArray.prototype.subarray` function.
6684
+ *
6685
+ * - IE10 has a broken `TypedArray.prototype.subarray` function which returns arrays of
6686
+ * incorrect length in some situations.
6687
+
6688
+ * We detect these buggy browsers and set `Buffer.TYPED_ARRAY_SUPPORT` to `false` so they
6689
+ * get the Object implementation, which is slower but behaves correctly.
6690
+ */
6691
+ Buffer.TYPED_ARRAY_SUPPORT = global$1.TYPED_ARRAY_SUPPORT !== undefined
6692
+ ? global$1.TYPED_ARRAY_SUPPORT
6693
+ : true;
6694
+
6695
+ function kMaxLength () {
6696
+ return Buffer.TYPED_ARRAY_SUPPORT
6697
+ ? 0x7fffffff
6698
+ : 0x3fffffff
6699
+ }
6700
+
6701
+ function createBuffer (that, length) {
6702
+ if (kMaxLength() < length) {
6703
+ throw new RangeError('Invalid typed array length')
6704
+ }
6705
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
6706
+ // Return an augmented `Uint8Array` instance, for best performance
6707
+ that = new Uint8Array(length);
6708
+ that.__proto__ = Buffer.prototype;
6709
+ } else {
6710
+ // Fallback: Return an object instance of the Buffer class
6711
+ if (that === null) {
6712
+ that = new Buffer(length);
6713
+ }
6714
+ that.length = length;
6715
+ }
6716
+
6717
+ return that
6718
+ }
6719
+
6720
+ /**
6721
+ * The Buffer constructor returns instances of `Uint8Array` that have their
6722
+ * prototype changed to `Buffer.prototype`. Furthermore, `Buffer` is a subclass of
6723
+ * `Uint8Array`, so the returned instances will have all the node `Buffer` methods
6724
+ * and the `Uint8Array` methods. Square bracket notation works as expected -- it
6725
+ * returns a single octet.
6726
+ *
6727
+ * The `Uint8Array` prototype remains unmodified.
6728
+ */
6729
+
6730
+ function Buffer (arg, encodingOrOffset, length) {
6731
+ if (!Buffer.TYPED_ARRAY_SUPPORT && !(this instanceof Buffer)) {
6732
+ return new Buffer(arg, encodingOrOffset, length)
6733
+ }
6734
+
6735
+ // Common case.
6736
+ if (typeof arg === 'number') {
6737
+ if (typeof encodingOrOffset === 'string') {
6738
+ throw new Error(
6739
+ 'If encoding is specified then the first argument must be a string'
6740
+ )
6741
+ }
6742
+ return allocUnsafe(this, arg)
6743
+ }
6744
+ return from(this, arg, encodingOrOffset, length)
6745
+ }
6746
+
6747
+ Buffer.poolSize = 8192; // not used by this implementation
6748
+
6749
+ // TODO: Legacy, not needed anymore. Remove in next major version.
6750
+ Buffer._augment = function (arr) {
6751
+ arr.__proto__ = Buffer.prototype;
6752
+ return arr
6753
+ };
6754
+
6755
+ function from (that, value, encodingOrOffset, length) {
6756
+ if (typeof value === 'number') {
6757
+ throw new TypeError('"value" argument must not be a number')
6758
+ }
6759
+
6760
+ if (typeof ArrayBuffer !== 'undefined' && value instanceof ArrayBuffer) {
6761
+ return fromArrayBuffer(that, value, encodingOrOffset, length)
6762
+ }
6763
+
6764
+ if (typeof value === 'string') {
6765
+ return fromString(that, value, encodingOrOffset)
6766
+ }
6767
+
6768
+ return fromObject(that, value)
6769
+ }
6770
+
6771
+ /**
6772
+ * Functionally equivalent to Buffer(arg, encoding) but throws a TypeError
6773
+ * if value is a number.
6774
+ * Buffer.from(str[, encoding])
6775
+ * Buffer.from(array)
6776
+ * Buffer.from(buffer)
6777
+ * Buffer.from(arrayBuffer[, byteOffset[, length]])
6778
+ **/
6779
+ Buffer.from = function (value, encodingOrOffset, length) {
6780
+ return from(null, value, encodingOrOffset, length)
6781
+ };
6782
+
6783
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
6784
+ Buffer.prototype.__proto__ = Uint8Array.prototype;
6785
+ Buffer.__proto__ = Uint8Array;
6786
+ }
6787
+
6788
+ function assertSize (size) {
6789
+ if (typeof size !== 'number') {
6790
+ throw new TypeError('"size" argument must be a number')
6791
+ } else if (size < 0) {
6792
+ throw new RangeError('"size" argument must not be negative')
6793
+ }
6794
+ }
6795
+
6796
+ function alloc (that, size, fill, encoding) {
6797
+ assertSize(size);
6798
+ if (size <= 0) {
6799
+ return createBuffer(that, size)
6800
+ }
6801
+ if (fill !== undefined) {
6802
+ // Only pay attention to encoding if it's a string. This
6803
+ // prevents accidentally sending in a number that would
6804
+ // be interpretted as a start offset.
6805
+ return typeof encoding === 'string'
6806
+ ? createBuffer(that, size).fill(fill, encoding)
6807
+ : createBuffer(that, size).fill(fill)
6808
+ }
6809
+ return createBuffer(that, size)
6810
+ }
6811
+
6812
+ /**
6813
+ * Creates a new filled Buffer instance.
6814
+ * alloc(size[, fill[, encoding]])
6815
+ **/
6816
+ Buffer.alloc = function (size, fill, encoding) {
6817
+ return alloc(null, size, fill, encoding)
6818
+ };
6819
+
6820
+ function allocUnsafe (that, size) {
6821
+ assertSize(size);
6822
+ that = createBuffer(that, size < 0 ? 0 : checked(size) | 0);
6823
+ if (!Buffer.TYPED_ARRAY_SUPPORT) {
6824
+ for (var i = 0; i < size; ++i) {
6825
+ that[i] = 0;
6826
+ }
6827
+ }
6828
+ return that
6829
+ }
6830
+
6831
+ /**
6832
+ * Equivalent to Buffer(num), by default creates a non-zero-filled Buffer instance.
6833
+ * */
6834
+ Buffer.allocUnsafe = function (size) {
6835
+ return allocUnsafe(null, size)
6836
+ };
6837
+ /**
6838
+ * Equivalent to SlowBuffer(num), by default creates a non-zero-filled Buffer instance.
6839
+ */
6840
+ Buffer.allocUnsafeSlow = function (size) {
6841
+ return allocUnsafe(null, size)
6842
+ };
6843
+
6844
+ function fromString (that, string, encoding) {
6845
+ if (typeof encoding !== 'string' || encoding === '') {
6846
+ encoding = 'utf8';
6847
+ }
6848
+
6849
+ if (!Buffer.isEncoding(encoding)) {
6850
+ throw new TypeError('"encoding" must be a valid string encoding')
6851
+ }
6852
+
6853
+ var length = byteLength(string, encoding) | 0;
6854
+ that = createBuffer(that, length);
6855
+
6856
+ var actual = that.write(string, encoding);
6857
+
6858
+ if (actual !== length) {
6859
+ // Writing a hex string, for example, that contains invalid characters will
6860
+ // cause everything after the first invalid character to be ignored. (e.g.
6861
+ // 'abxxcd' will be treated as 'ab')
6862
+ that = that.slice(0, actual);
6863
+ }
6864
+
6865
+ return that
6866
+ }
6867
+
6868
+ function fromArrayLike (that, array) {
6869
+ var length = array.length < 0 ? 0 : checked(array.length) | 0;
6870
+ that = createBuffer(that, length);
6871
+ for (var i = 0; i < length; i += 1) {
6872
+ that[i] = array[i] & 255;
6873
+ }
6874
+ return that
6875
+ }
6876
+
6877
+ function fromArrayBuffer (that, array, byteOffset, length) {
6878
+
6879
+ if (byteOffset < 0 || array.byteLength < byteOffset) {
6880
+ throw new RangeError('\'offset\' is out of bounds')
6881
+ }
6882
+
6883
+ if (array.byteLength < byteOffset + (length || 0)) {
6884
+ throw new RangeError('\'length\' is out of bounds')
6885
+ }
6886
+
6887
+ if (byteOffset === undefined && length === undefined) {
6888
+ array = new Uint8Array(array);
6889
+ } else if (length === undefined) {
6890
+ array = new Uint8Array(array, byteOffset);
6891
+ } else {
6892
+ array = new Uint8Array(array, byteOffset, length);
6893
+ }
6894
+
6895
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
6896
+ // Return an augmented `Uint8Array` instance, for best performance
6897
+ that = array;
6898
+ that.__proto__ = Buffer.prototype;
6899
+ } else {
6900
+ // Fallback: Return an object instance of the Buffer class
6901
+ that = fromArrayLike(that, array);
6902
+ }
6903
+ return that
6904
+ }
6905
+
6906
+ function fromObject (that, obj) {
6907
+ if (internalIsBuffer(obj)) {
6908
+ var len = checked(obj.length) | 0;
6909
+ that = createBuffer(that, len);
6910
+
6911
+ if (that.length === 0) {
6912
+ return that
6913
+ }
6914
+
6915
+ obj.copy(that, 0, 0, len);
6916
+ return that
6917
+ }
6918
+
6919
+ if (obj) {
6920
+ if ((typeof ArrayBuffer !== 'undefined' &&
6921
+ obj.buffer instanceof ArrayBuffer) || 'length' in obj) {
6922
+ if (typeof obj.length !== 'number' || isnan(obj.length)) {
6923
+ return createBuffer(that, 0)
6924
+ }
6925
+ return fromArrayLike(that, obj)
6926
+ }
6927
+
6928
+ if (obj.type === 'Buffer' && isArray(obj.data)) {
6929
+ return fromArrayLike(that, obj.data)
6930
+ }
6931
+ }
6932
+
6933
+ throw new TypeError('First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.')
6934
+ }
6935
+
6936
+ function checked (length) {
6937
+ // Note: cannot use `length < kMaxLength()` here because that fails when
6938
+ // length is NaN (which is otherwise coerced to zero.)
6939
+ if (length >= kMaxLength()) {
6940
+ throw new RangeError('Attempt to allocate Buffer larger than maximum ' +
6941
+ 'size: 0x' + kMaxLength().toString(16) + ' bytes')
6942
+ }
6943
+ return length | 0
6944
+ }
6945
+ Buffer.isBuffer = isBuffer;
6946
+ function internalIsBuffer (b) {
6947
+ return !!(b != null && b._isBuffer)
6948
+ }
6949
+
6950
+ Buffer.compare = function compare (a, b) {
6951
+ if (!internalIsBuffer(a) || !internalIsBuffer(b)) {
6952
+ throw new TypeError('Arguments must be Buffers')
6953
+ }
6954
+
6955
+ if (a === b) return 0
6956
+
6957
+ var x = a.length;
6958
+ var y = b.length;
6959
+
6960
+ for (var i = 0, len = Math.min(x, y); i < len; ++i) {
6961
+ if (a[i] !== b[i]) {
6962
+ x = a[i];
6963
+ y = b[i];
6964
+ break
6965
+ }
6966
+ }
6967
+
6968
+ if (x < y) return -1
6969
+ if (y < x) return 1
6970
+ return 0
6971
+ };
6972
+
6973
+ Buffer.isEncoding = function isEncoding (encoding) {
6974
+ switch (String(encoding).toLowerCase()) {
6975
+ case 'hex':
6976
+ case 'utf8':
6977
+ case 'utf-8':
6978
+ case 'ascii':
6979
+ case 'latin1':
6980
+ case 'binary':
6981
+ case 'base64':
6982
+ case 'ucs2':
6983
+ case 'ucs-2':
6984
+ case 'utf16le':
6985
+ case 'utf-16le':
6986
+ return true
6987
+ default:
6988
+ return false
6989
+ }
6990
+ };
6991
+
6992
+ Buffer.concat = function concat (list, length) {
6993
+ if (!isArray(list)) {
6994
+ throw new TypeError('"list" argument must be an Array of Buffers')
6995
+ }
6996
+
6997
+ if (list.length === 0) {
6998
+ return Buffer.alloc(0)
6999
+ }
7000
+
7001
+ var i;
7002
+ if (length === undefined) {
7003
+ length = 0;
7004
+ for (i = 0; i < list.length; ++i) {
7005
+ length += list[i].length;
7006
+ }
7007
+ }
7008
+
7009
+ var buffer = Buffer.allocUnsafe(length);
7010
+ var pos = 0;
7011
+ for (i = 0; i < list.length; ++i) {
7012
+ var buf = list[i];
7013
+ if (!internalIsBuffer(buf)) {
7014
+ throw new TypeError('"list" argument must be an Array of Buffers')
7015
+ }
7016
+ buf.copy(buffer, pos);
7017
+ pos += buf.length;
7018
+ }
7019
+ return buffer
7020
+ };
7021
+
7022
+ function byteLength (string, encoding) {
7023
+ if (internalIsBuffer(string)) {
7024
+ return string.length
7025
+ }
7026
+ if (typeof ArrayBuffer !== 'undefined' && typeof ArrayBuffer.isView === 'function' &&
7027
+ (ArrayBuffer.isView(string) || string instanceof ArrayBuffer)) {
7028
+ return string.byteLength
7029
+ }
7030
+ if (typeof string !== 'string') {
7031
+ string = '' + string;
7032
+ }
7033
+
7034
+ var len = string.length;
7035
+ if (len === 0) return 0
7036
+
7037
+ // Use a for loop to avoid recursion
7038
+ var loweredCase = false;
7039
+ for (;;) {
7040
+ switch (encoding) {
7041
+ case 'ascii':
7042
+ case 'latin1':
7043
+ case 'binary':
7044
+ return len
7045
+ case 'utf8':
7046
+ case 'utf-8':
7047
+ case undefined:
7048
+ return utf8ToBytes(string).length
7049
+ case 'ucs2':
7050
+ case 'ucs-2':
7051
+ case 'utf16le':
7052
+ case 'utf-16le':
7053
+ return len * 2
7054
+ case 'hex':
7055
+ return len >>> 1
7056
+ case 'base64':
7057
+ return base64ToBytes(string).length
7058
+ default:
7059
+ if (loweredCase) return utf8ToBytes(string).length // assume utf8
7060
+ encoding = ('' + encoding).toLowerCase();
7061
+ loweredCase = true;
7062
+ }
7063
+ }
7064
+ }
7065
+ Buffer.byteLength = byteLength;
7066
+
7067
+ function slowToString (encoding, start, end) {
7068
+ var loweredCase = false;
7069
+
7070
+ // No need to verify that "this.length <= MAX_UINT32" since it's a read-only
7071
+ // property of a typed array.
7072
+
7073
+ // This behaves neither like String nor Uint8Array in that we set start/end
7074
+ // to their upper/lower bounds if the value passed is out of range.
7075
+ // undefined is handled specially as per ECMA-262 6th Edition,
7076
+ // Section 13.3.3.7 Runtime Semantics: KeyedBindingInitialization.
7077
+ if (start === undefined || start < 0) {
7078
+ start = 0;
7079
+ }
7080
+ // Return early if start > this.length. Done here to prevent potential uint32
7081
+ // coercion fail below.
7082
+ if (start > this.length) {
7083
+ return ''
7084
+ }
7085
+
7086
+ if (end === undefined || end > this.length) {
7087
+ end = this.length;
7088
+ }
7089
+
7090
+ if (end <= 0) {
7091
+ return ''
7092
+ }
7093
+
7094
+ // Force coersion to uint32. This will also coerce falsey/NaN values to 0.
7095
+ end >>>= 0;
7096
+ start >>>= 0;
7097
+
7098
+ if (end <= start) {
7099
+ return ''
7100
+ }
7101
+
7102
+ if (!encoding) encoding = 'utf8';
7103
+
7104
+ while (true) {
7105
+ switch (encoding) {
7106
+ case 'hex':
7107
+ return hexSlice(this, start, end)
7108
+
7109
+ case 'utf8':
7110
+ case 'utf-8':
7111
+ return utf8Slice(this, start, end)
7112
+
7113
+ case 'ascii':
7114
+ return asciiSlice(this, start, end)
7115
+
7116
+ case 'latin1':
7117
+ case 'binary':
7118
+ return latin1Slice(this, start, end)
7119
+
7120
+ case 'base64':
7121
+ return base64Slice(this, start, end)
7122
+
7123
+ case 'ucs2':
7124
+ case 'ucs-2':
7125
+ case 'utf16le':
7126
+ case 'utf-16le':
7127
+ return utf16leSlice(this, start, end)
7128
+
7129
+ default:
7130
+ if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding)
7131
+ encoding = (encoding + '').toLowerCase();
7132
+ loweredCase = true;
7133
+ }
7134
+ }
7135
+ }
7136
+
7137
+ // The property is used by `Buffer.isBuffer` and `is-buffer` (in Safari 5-7) to detect
7138
+ // Buffer instances.
7139
+ Buffer.prototype._isBuffer = true;
7140
+
7141
+ function swap (b, n, m) {
7142
+ var i = b[n];
7143
+ b[n] = b[m];
7144
+ b[m] = i;
7145
+ }
7146
+
7147
+ Buffer.prototype.swap16 = function swap16 () {
7148
+ var len = this.length;
7149
+ if (len % 2 !== 0) {
7150
+ throw new RangeError('Buffer size must be a multiple of 16-bits')
7151
+ }
7152
+ for (var i = 0; i < len; i += 2) {
7153
+ swap(this, i, i + 1);
7154
+ }
7155
+ return this
7156
+ };
7157
+
7158
+ Buffer.prototype.swap32 = function swap32 () {
7159
+ var len = this.length;
7160
+ if (len % 4 !== 0) {
7161
+ throw new RangeError('Buffer size must be a multiple of 32-bits')
7162
+ }
7163
+ for (var i = 0; i < len; i += 4) {
7164
+ swap(this, i, i + 3);
7165
+ swap(this, i + 1, i + 2);
7166
+ }
7167
+ return this
7168
+ };
7169
+
7170
+ Buffer.prototype.swap64 = function swap64 () {
7171
+ var len = this.length;
7172
+ if (len % 8 !== 0) {
7173
+ throw new RangeError('Buffer size must be a multiple of 64-bits')
7174
+ }
7175
+ for (var i = 0; i < len; i += 8) {
7176
+ swap(this, i, i + 7);
7177
+ swap(this, i + 1, i + 6);
7178
+ swap(this, i + 2, i + 5);
7179
+ swap(this, i + 3, i + 4);
7180
+ }
7181
+ return this
7182
+ };
7183
+
7184
+ Buffer.prototype.toString = function toString () {
7185
+ var length = this.length | 0;
7186
+ if (length === 0) return ''
7187
+ if (arguments.length === 0) return utf8Slice(this, 0, length)
7188
+ return slowToString.apply(this, arguments)
7189
+ };
7190
+
7191
+ Buffer.prototype.equals = function equals (b) {
7192
+ if (!internalIsBuffer(b)) throw new TypeError('Argument must be a Buffer')
7193
+ if (this === b) return true
7194
+ return Buffer.compare(this, b) === 0
7195
+ };
7196
+
7197
+ Buffer.prototype.inspect = function inspect () {
7198
+ var str = '';
7199
+ var max = INSPECT_MAX_BYTES;
7200
+ if (this.length > 0) {
7201
+ str = this.toString('hex', 0, max).match(/.{2}/g).join(' ');
7202
+ if (this.length > max) str += ' ... ';
7203
+ }
7204
+ return '<Buffer ' + str + '>'
7205
+ };
7206
+
7207
+ Buffer.prototype.compare = function compare (target, start, end, thisStart, thisEnd) {
7208
+ if (!internalIsBuffer(target)) {
7209
+ throw new TypeError('Argument must be a Buffer')
7210
+ }
7211
+
7212
+ if (start === undefined) {
7213
+ start = 0;
7214
+ }
7215
+ if (end === undefined) {
7216
+ end = target ? target.length : 0;
7217
+ }
7218
+ if (thisStart === undefined) {
7219
+ thisStart = 0;
7220
+ }
7221
+ if (thisEnd === undefined) {
7222
+ thisEnd = this.length;
7223
+ }
7224
+
7225
+ if (start < 0 || end > target.length || thisStart < 0 || thisEnd > this.length) {
7226
+ throw new RangeError('out of range index')
7227
+ }
7228
+
7229
+ if (thisStart >= thisEnd && start >= end) {
7230
+ return 0
7231
+ }
7232
+ if (thisStart >= thisEnd) {
7233
+ return -1
7234
+ }
7235
+ if (start >= end) {
7236
+ return 1
7237
+ }
7238
+
7239
+ start >>>= 0;
7240
+ end >>>= 0;
7241
+ thisStart >>>= 0;
7242
+ thisEnd >>>= 0;
7243
+
7244
+ if (this === target) return 0
7245
+
7246
+ var x = thisEnd - thisStart;
7247
+ var y = end - start;
7248
+ var len = Math.min(x, y);
7249
+
7250
+ var thisCopy = this.slice(thisStart, thisEnd);
7251
+ var targetCopy = target.slice(start, end);
7252
+
7253
+ for (var i = 0; i < len; ++i) {
7254
+ if (thisCopy[i] !== targetCopy[i]) {
7255
+ x = thisCopy[i];
7256
+ y = targetCopy[i];
7257
+ break
7258
+ }
7259
+ }
7260
+
7261
+ if (x < y) return -1
7262
+ if (y < x) return 1
7263
+ return 0
7264
+ };
7265
+
7266
+ // Finds either the first index of `val` in `buffer` at offset >= `byteOffset`,
7267
+ // OR the last index of `val` in `buffer` at offset <= `byteOffset`.
7268
+ //
7269
+ // Arguments:
7270
+ // - buffer - a Buffer to search
7271
+ // - val - a string, Buffer, or number
7272
+ // - byteOffset - an index into `buffer`; will be clamped to an int32
7273
+ // - encoding - an optional encoding, relevant is val is a string
7274
+ // - dir - true for indexOf, false for lastIndexOf
7275
+ function bidirectionalIndexOf (buffer, val, byteOffset, encoding, dir) {
7276
+ // Empty buffer means no match
7277
+ if (buffer.length === 0) return -1
7278
+
7279
+ // Normalize byteOffset
7280
+ if (typeof byteOffset === 'string') {
7281
+ encoding = byteOffset;
7282
+ byteOffset = 0;
7283
+ } else if (byteOffset > 0x7fffffff) {
7284
+ byteOffset = 0x7fffffff;
7285
+ } else if (byteOffset < -0x80000000) {
7286
+ byteOffset = -0x80000000;
7287
+ }
7288
+ byteOffset = +byteOffset; // Coerce to Number.
7289
+ if (isNaN(byteOffset)) {
7290
+ // byteOffset: it it's undefined, null, NaN, "foo", etc, search whole buffer
7291
+ byteOffset = dir ? 0 : (buffer.length - 1);
7292
+ }
7293
+
7294
+ // Normalize byteOffset: negative offsets start from the end of the buffer
7295
+ if (byteOffset < 0) byteOffset = buffer.length + byteOffset;
7296
+ if (byteOffset >= buffer.length) {
7297
+ if (dir) return -1
7298
+ else byteOffset = buffer.length - 1;
7299
+ } else if (byteOffset < 0) {
7300
+ if (dir) byteOffset = 0;
7301
+ else return -1
7302
+ }
7303
+
7304
+ // Normalize val
7305
+ if (typeof val === 'string') {
7306
+ val = Buffer.from(val, encoding);
7307
+ }
7308
+
7309
+ // Finally, search either indexOf (if dir is true) or lastIndexOf
7310
+ if (internalIsBuffer(val)) {
7311
+ // Special case: looking for empty string/buffer always fails
7312
+ if (val.length === 0) {
7313
+ return -1
7314
+ }
7315
+ return arrayIndexOf(buffer, val, byteOffset, encoding, dir)
7316
+ } else if (typeof val === 'number') {
7317
+ val = val & 0xFF; // Search for a byte value [0-255]
7318
+ if (Buffer.TYPED_ARRAY_SUPPORT &&
7319
+ typeof Uint8Array.prototype.indexOf === 'function') {
7320
+ if (dir) {
7321
+ return Uint8Array.prototype.indexOf.call(buffer, val, byteOffset)
7322
+ } else {
7323
+ return Uint8Array.prototype.lastIndexOf.call(buffer, val, byteOffset)
7324
+ }
7325
+ }
7326
+ return arrayIndexOf(buffer, [ val ], byteOffset, encoding, dir)
7327
+ }
7328
+
7329
+ throw new TypeError('val must be string, number or Buffer')
7330
+ }
7331
+
7332
+ function arrayIndexOf (arr, val, byteOffset, encoding, dir) {
7333
+ var indexSize = 1;
7334
+ var arrLength = arr.length;
7335
+ var valLength = val.length;
7336
+
7337
+ if (encoding !== undefined) {
7338
+ encoding = String(encoding).toLowerCase();
7339
+ if (encoding === 'ucs2' || encoding === 'ucs-2' ||
7340
+ encoding === 'utf16le' || encoding === 'utf-16le') {
7341
+ if (arr.length < 2 || val.length < 2) {
7342
+ return -1
7343
+ }
7344
+ indexSize = 2;
7345
+ arrLength /= 2;
7346
+ valLength /= 2;
7347
+ byteOffset /= 2;
7348
+ }
7349
+ }
7350
+
7351
+ function read (buf, i) {
7352
+ if (indexSize === 1) {
7353
+ return buf[i]
7354
+ } else {
7355
+ return buf.readUInt16BE(i * indexSize)
7356
+ }
7357
+ }
7358
+
7359
+ var i;
7360
+ if (dir) {
7361
+ var foundIndex = -1;
7362
+ for (i = byteOffset; i < arrLength; i++) {
7363
+ if (read(arr, i) === read(val, foundIndex === -1 ? 0 : i - foundIndex)) {
7364
+ if (foundIndex === -1) foundIndex = i;
7365
+ if (i - foundIndex + 1 === valLength) return foundIndex * indexSize
7366
+ } else {
7367
+ if (foundIndex !== -1) i -= i - foundIndex;
7368
+ foundIndex = -1;
7369
+ }
7370
+ }
7371
+ } else {
7372
+ if (byteOffset + valLength > arrLength) byteOffset = arrLength - valLength;
7373
+ for (i = byteOffset; i >= 0; i--) {
7374
+ var found = true;
7375
+ for (var j = 0; j < valLength; j++) {
7376
+ if (read(arr, i + j) !== read(val, j)) {
7377
+ found = false;
7378
+ break
7379
+ }
7380
+ }
7381
+ if (found) return i
7382
+ }
7383
+ }
7384
+
7385
+ return -1
7386
+ }
7387
+
7388
+ Buffer.prototype.includes = function includes (val, byteOffset, encoding) {
7389
+ return this.indexOf(val, byteOffset, encoding) !== -1
7390
+ };
7391
+
7392
+ Buffer.prototype.indexOf = function indexOf (val, byteOffset, encoding) {
7393
+ return bidirectionalIndexOf(this, val, byteOffset, encoding, true)
7394
+ };
7395
+
7396
+ Buffer.prototype.lastIndexOf = function lastIndexOf (val, byteOffset, encoding) {
7397
+ return bidirectionalIndexOf(this, val, byteOffset, encoding, false)
7398
+ };
7399
+
7400
+ function hexWrite (buf, string, offset, length) {
7401
+ offset = Number(offset) || 0;
7402
+ var remaining = buf.length - offset;
7403
+ if (!length) {
7404
+ length = remaining;
7405
+ } else {
7406
+ length = Number(length);
7407
+ if (length > remaining) {
7408
+ length = remaining;
7409
+ }
7410
+ }
7411
+
7412
+ // must be an even number of digits
7413
+ var strLen = string.length;
7414
+ if (strLen % 2 !== 0) throw new TypeError('Invalid hex string')
7415
+
7416
+ if (length > strLen / 2) {
7417
+ length = strLen / 2;
7418
+ }
7419
+ for (var i = 0; i < length; ++i) {
7420
+ var parsed = parseInt(string.substr(i * 2, 2), 16);
7421
+ if (isNaN(parsed)) return i
7422
+ buf[offset + i] = parsed;
7423
+ }
7424
+ return i
7425
+ }
7426
+
7427
+ function utf8Write (buf, string, offset, length) {
7428
+ return blitBuffer(utf8ToBytes(string, buf.length - offset), buf, offset, length)
7429
+ }
7430
+
7431
+ function asciiWrite (buf, string, offset, length) {
7432
+ return blitBuffer(asciiToBytes(string), buf, offset, length)
7433
+ }
7434
+
7435
+ function latin1Write (buf, string, offset, length) {
7436
+ return asciiWrite(buf, string, offset, length)
7437
+ }
7438
+
7439
+ function base64Write (buf, string, offset, length) {
7440
+ return blitBuffer(base64ToBytes(string), buf, offset, length)
7441
+ }
7442
+
7443
+ function ucs2Write (buf, string, offset, length) {
7444
+ return blitBuffer(utf16leToBytes(string, buf.length - offset), buf, offset, length)
7445
+ }
7446
+
7447
+ Buffer.prototype.write = function write (string, offset, length, encoding) {
7448
+ // Buffer#write(string)
7449
+ if (offset === undefined) {
7450
+ encoding = 'utf8';
7451
+ length = this.length;
7452
+ offset = 0;
7453
+ // Buffer#write(string, encoding)
7454
+ } else if (length === undefined && typeof offset === 'string') {
7455
+ encoding = offset;
7456
+ length = this.length;
7457
+ offset = 0;
7458
+ // Buffer#write(string, offset[, length][, encoding])
7459
+ } else if (isFinite(offset)) {
7460
+ offset = offset | 0;
7461
+ if (isFinite(length)) {
7462
+ length = length | 0;
7463
+ if (encoding === undefined) encoding = 'utf8';
7464
+ } else {
7465
+ encoding = length;
7466
+ length = undefined;
7467
+ }
7468
+ // legacy write(string, encoding, offset, length) - remove in v0.13
7469
+ } else {
7470
+ throw new Error(
7471
+ 'Buffer.write(string, encoding, offset[, length]) is no longer supported'
7472
+ )
7473
+ }
7474
+
7475
+ var remaining = this.length - offset;
7476
+ if (length === undefined || length > remaining) length = remaining;
7477
+
7478
+ if ((string.length > 0 && (length < 0 || offset < 0)) || offset > this.length) {
7479
+ throw new RangeError('Attempt to write outside buffer bounds')
7480
+ }
7481
+
7482
+ if (!encoding) encoding = 'utf8';
7483
+
7484
+ var loweredCase = false;
7485
+ for (;;) {
7486
+ switch (encoding) {
7487
+ case 'hex':
7488
+ return hexWrite(this, string, offset, length)
7489
+
7490
+ case 'utf8':
7491
+ case 'utf-8':
7492
+ return utf8Write(this, string, offset, length)
7493
+
7494
+ case 'ascii':
7495
+ return asciiWrite(this, string, offset, length)
7496
+
7497
+ case 'latin1':
7498
+ case 'binary':
7499
+ return latin1Write(this, string, offset, length)
7500
+
7501
+ case 'base64':
7502
+ // Warning: maxLength not taken into account in base64Write
7503
+ return base64Write(this, string, offset, length)
7504
+
7505
+ case 'ucs2':
7506
+ case 'ucs-2':
7507
+ case 'utf16le':
7508
+ case 'utf-16le':
7509
+ return ucs2Write(this, string, offset, length)
7510
+
7511
+ default:
7512
+ if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding)
7513
+ encoding = ('' + encoding).toLowerCase();
7514
+ loweredCase = true;
7515
+ }
7516
+ }
7517
+ };
7518
+
7519
+ Buffer.prototype.toJSON = function toJSON () {
7520
+ return {
7521
+ type: 'Buffer',
7522
+ data: Array.prototype.slice.call(this._arr || this, 0)
7523
+ }
7524
+ };
7525
+
7526
+ function base64Slice (buf, start, end) {
7527
+ if (start === 0 && end === buf.length) {
7528
+ return fromByteArray(buf)
7529
+ } else {
7530
+ return fromByteArray(buf.slice(start, end))
7531
+ }
7532
+ }
7533
+
7534
+ function utf8Slice (buf, start, end) {
7535
+ end = Math.min(buf.length, end);
7536
+ var res = [];
7537
+
7538
+ var i = start;
7539
+ while (i < end) {
7540
+ var firstByte = buf[i];
7541
+ var codePoint = null;
7542
+ var bytesPerSequence = (firstByte > 0xEF) ? 4
7543
+ : (firstByte > 0xDF) ? 3
7544
+ : (firstByte > 0xBF) ? 2
7545
+ : 1;
7546
+
7547
+ if (i + bytesPerSequence <= end) {
7548
+ var secondByte, thirdByte, fourthByte, tempCodePoint;
7549
+
7550
+ switch (bytesPerSequence) {
7551
+ case 1:
7552
+ if (firstByte < 0x80) {
7553
+ codePoint = firstByte;
7554
+ }
7555
+ break
7556
+ case 2:
7557
+ secondByte = buf[i + 1];
7558
+ if ((secondByte & 0xC0) === 0x80) {
7559
+ tempCodePoint = (firstByte & 0x1F) << 0x6 | (secondByte & 0x3F);
7560
+ if (tempCodePoint > 0x7F) {
7561
+ codePoint = tempCodePoint;
7562
+ }
7563
+ }
7564
+ break
7565
+ case 3:
7566
+ secondByte = buf[i + 1];
7567
+ thirdByte = buf[i + 2];
7568
+ if ((secondByte & 0xC0) === 0x80 && (thirdByte & 0xC0) === 0x80) {
7569
+ tempCodePoint = (firstByte & 0xF) << 0xC | (secondByte & 0x3F) << 0x6 | (thirdByte & 0x3F);
7570
+ if (tempCodePoint > 0x7FF && (tempCodePoint < 0xD800 || tempCodePoint > 0xDFFF)) {
7571
+ codePoint = tempCodePoint;
7572
+ }
7573
+ }
7574
+ break
7575
+ case 4:
7576
+ secondByte = buf[i + 1];
7577
+ thirdByte = buf[i + 2];
7578
+ fourthByte = buf[i + 3];
7579
+ if ((secondByte & 0xC0) === 0x80 && (thirdByte & 0xC0) === 0x80 && (fourthByte & 0xC0) === 0x80) {
7580
+ tempCodePoint = (firstByte & 0xF) << 0x12 | (secondByte & 0x3F) << 0xC | (thirdByte & 0x3F) << 0x6 | (fourthByte & 0x3F);
7581
+ if (tempCodePoint > 0xFFFF && tempCodePoint < 0x110000) {
7582
+ codePoint = tempCodePoint;
7583
+ }
7584
+ }
7585
+ }
7586
+ }
7587
+
7588
+ if (codePoint === null) {
7589
+ // we did not generate a valid codePoint so insert a
7590
+ // replacement char (U+FFFD) and advance only 1 byte
7591
+ codePoint = 0xFFFD;
7592
+ bytesPerSequence = 1;
7593
+ } else if (codePoint > 0xFFFF) {
7594
+ // encode to utf16 (surrogate pair dance)
7595
+ codePoint -= 0x10000;
7596
+ res.push(codePoint >>> 10 & 0x3FF | 0xD800);
7597
+ codePoint = 0xDC00 | codePoint & 0x3FF;
7598
+ }
7599
+
7600
+ res.push(codePoint);
7601
+ i += bytesPerSequence;
7602
+ }
7603
+
7604
+ return decodeCodePointsArray(res)
7605
+ }
7606
+
7607
+ // Based on http://stackoverflow.com/a/22747272/680742, the browser with
7608
+ // the lowest limit is Chrome, with 0x10000 args.
7609
+ // We go 1 magnitude less, for safety
7610
+ var MAX_ARGUMENTS_LENGTH = 0x1000;
7611
+
7612
+ function decodeCodePointsArray (codePoints) {
7613
+ var len = codePoints.length;
7614
+ if (len <= MAX_ARGUMENTS_LENGTH) {
7615
+ return String.fromCharCode.apply(String, codePoints) // avoid extra slice()
7616
+ }
7617
+
7618
+ // Decode in chunks to avoid "call stack size exceeded".
7619
+ var res = '';
7620
+ var i = 0;
7621
+ while (i < len) {
7622
+ res += String.fromCharCode.apply(
7623
+ String,
7624
+ codePoints.slice(i, i += MAX_ARGUMENTS_LENGTH)
7625
+ );
7626
+ }
7627
+ return res
7628
+ }
7629
+
7630
+ function asciiSlice (buf, start, end) {
7631
+ var ret = '';
7632
+ end = Math.min(buf.length, end);
7633
+
7634
+ for (var i = start; i < end; ++i) {
7635
+ ret += String.fromCharCode(buf[i] & 0x7F);
7636
+ }
7637
+ return ret
7638
+ }
7639
+
7640
+ function latin1Slice (buf, start, end) {
7641
+ var ret = '';
7642
+ end = Math.min(buf.length, end);
7643
+
7644
+ for (var i = start; i < end; ++i) {
7645
+ ret += String.fromCharCode(buf[i]);
7646
+ }
7647
+ return ret
7648
+ }
7649
+
7650
+ function hexSlice (buf, start, end) {
7651
+ var len = buf.length;
7652
+
7653
+ if (!start || start < 0) start = 0;
7654
+ if (!end || end < 0 || end > len) end = len;
7655
+
7656
+ var out = '';
7657
+ for (var i = start; i < end; ++i) {
7658
+ out += toHex(buf[i]);
7659
+ }
7660
+ return out
7661
+ }
7662
+
7663
+ function utf16leSlice (buf, start, end) {
7664
+ var bytes = buf.slice(start, end);
7665
+ var res = '';
7666
+ for (var i = 0; i < bytes.length; i += 2) {
7667
+ res += String.fromCharCode(bytes[i] + bytes[i + 1] * 256);
7668
+ }
7669
+ return res
7670
+ }
7671
+
7672
+ Buffer.prototype.slice = function slice (start, end) {
7673
+ var len = this.length;
7674
+ start = ~~start;
7675
+ end = end === undefined ? len : ~~end;
7676
+
7677
+ if (start < 0) {
7678
+ start += len;
7679
+ if (start < 0) start = 0;
7680
+ } else if (start > len) {
7681
+ start = len;
7682
+ }
7683
+
7684
+ if (end < 0) {
7685
+ end += len;
7686
+ if (end < 0) end = 0;
7687
+ } else if (end > len) {
7688
+ end = len;
7689
+ }
7690
+
7691
+ if (end < start) end = start;
7692
+
7693
+ var newBuf;
7694
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
7695
+ newBuf = this.subarray(start, end);
7696
+ newBuf.__proto__ = Buffer.prototype;
7697
+ } else {
7698
+ var sliceLen = end - start;
7699
+ newBuf = new Buffer(sliceLen, undefined);
7700
+ for (var i = 0; i < sliceLen; ++i) {
7701
+ newBuf[i] = this[i + start];
7702
+ }
7703
+ }
7704
+
7705
+ return newBuf
7706
+ };
7707
+
7708
+ /*
7709
+ * Need to make sure that buffer isn't trying to write out of bounds.
7710
+ */
7711
+ function checkOffset (offset, ext, length) {
7712
+ if ((offset % 1) !== 0 || offset < 0) throw new RangeError('offset is not uint')
7713
+ if (offset + ext > length) throw new RangeError('Trying to access beyond buffer length')
7714
+ }
7715
+
7716
+ Buffer.prototype.readUIntLE = function readUIntLE (offset, byteLength, noAssert) {
7717
+ offset = offset | 0;
7718
+ byteLength = byteLength | 0;
7719
+ if (!noAssert) checkOffset(offset, byteLength, this.length);
7720
+
7721
+ var val = this[offset];
7722
+ var mul = 1;
7723
+ var i = 0;
7724
+ while (++i < byteLength && (mul *= 0x100)) {
7725
+ val += this[offset + i] * mul;
7726
+ }
7727
+
7728
+ return val
7729
+ };
7730
+
7731
+ Buffer.prototype.readUIntBE = function readUIntBE (offset, byteLength, noAssert) {
7732
+ offset = offset | 0;
7733
+ byteLength = byteLength | 0;
7734
+ if (!noAssert) {
7735
+ checkOffset(offset, byteLength, this.length);
7736
+ }
7737
+
7738
+ var val = this[offset + --byteLength];
7739
+ var mul = 1;
7740
+ while (byteLength > 0 && (mul *= 0x100)) {
7741
+ val += this[offset + --byteLength] * mul;
7742
+ }
7743
+
7744
+ return val
7745
+ };
7746
+
7747
+ Buffer.prototype.readUInt8 = function readUInt8 (offset, noAssert) {
7748
+ if (!noAssert) checkOffset(offset, 1, this.length);
7749
+ return this[offset]
7750
+ };
7751
+
7752
+ Buffer.prototype.readUInt16LE = function readUInt16LE (offset, noAssert) {
7753
+ if (!noAssert) checkOffset(offset, 2, this.length);
7754
+ return this[offset] | (this[offset + 1] << 8)
7755
+ };
7756
+
7757
+ Buffer.prototype.readUInt16BE = function readUInt16BE (offset, noAssert) {
7758
+ if (!noAssert) checkOffset(offset, 2, this.length);
7759
+ return (this[offset] << 8) | this[offset + 1]
7760
+ };
7761
+
7762
+ Buffer.prototype.readUInt32LE = function readUInt32LE (offset, noAssert) {
7763
+ if (!noAssert) checkOffset(offset, 4, this.length);
7764
+
7765
+ return ((this[offset]) |
7766
+ (this[offset + 1] << 8) |
7767
+ (this[offset + 2] << 16)) +
7768
+ (this[offset + 3] * 0x1000000)
7769
+ };
7770
+
7771
+ Buffer.prototype.readUInt32BE = function readUInt32BE (offset, noAssert) {
7772
+ if (!noAssert) checkOffset(offset, 4, this.length);
7773
+
7774
+ return (this[offset] * 0x1000000) +
7775
+ ((this[offset + 1] << 16) |
7776
+ (this[offset + 2] << 8) |
7777
+ this[offset + 3])
7778
+ };
7779
+
7780
+ Buffer.prototype.readIntLE = function readIntLE (offset, byteLength, noAssert) {
7781
+ offset = offset | 0;
7782
+ byteLength = byteLength | 0;
7783
+ if (!noAssert) checkOffset(offset, byteLength, this.length);
7784
+
7785
+ var val = this[offset];
7786
+ var mul = 1;
7787
+ var i = 0;
7788
+ while (++i < byteLength && (mul *= 0x100)) {
7789
+ val += this[offset + i] * mul;
7790
+ }
7791
+ mul *= 0x80;
7792
+
7793
+ if (val >= mul) val -= Math.pow(2, 8 * byteLength);
7794
+
7795
+ return val
7796
+ };
7797
+
7798
+ Buffer.prototype.readIntBE = function readIntBE (offset, byteLength, noAssert) {
7799
+ offset = offset | 0;
7800
+ byteLength = byteLength | 0;
7801
+ if (!noAssert) checkOffset(offset, byteLength, this.length);
7802
+
7803
+ var i = byteLength;
7804
+ var mul = 1;
7805
+ var val = this[offset + --i];
7806
+ while (i > 0 && (mul *= 0x100)) {
7807
+ val += this[offset + --i] * mul;
7808
+ }
7809
+ mul *= 0x80;
7810
+
7811
+ if (val >= mul) val -= Math.pow(2, 8 * byteLength);
7812
+
7813
+ return val
7814
+ };
7815
+
7816
+ Buffer.prototype.readInt8 = function readInt8 (offset, noAssert) {
7817
+ if (!noAssert) checkOffset(offset, 1, this.length);
7818
+ if (!(this[offset] & 0x80)) return (this[offset])
7819
+ return ((0xff - this[offset] + 1) * -1)
7820
+ };
7821
+
7822
+ Buffer.prototype.readInt16LE = function readInt16LE (offset, noAssert) {
7823
+ if (!noAssert) checkOffset(offset, 2, this.length);
7824
+ var val = this[offset] | (this[offset + 1] << 8);
7825
+ return (val & 0x8000) ? val | 0xFFFF0000 : val
7826
+ };
7827
+
7828
+ Buffer.prototype.readInt16BE = function readInt16BE (offset, noAssert) {
7829
+ if (!noAssert) checkOffset(offset, 2, this.length);
7830
+ var val = this[offset + 1] | (this[offset] << 8);
7831
+ return (val & 0x8000) ? val | 0xFFFF0000 : val
7832
+ };
7833
+
7834
+ Buffer.prototype.readInt32LE = function readInt32LE (offset, noAssert) {
7835
+ if (!noAssert) checkOffset(offset, 4, this.length);
7836
+
7837
+ return (this[offset]) |
7838
+ (this[offset + 1] << 8) |
7839
+ (this[offset + 2] << 16) |
7840
+ (this[offset + 3] << 24)
7841
+ };
7842
+
7843
+ Buffer.prototype.readInt32BE = function readInt32BE (offset, noAssert) {
7844
+ if (!noAssert) checkOffset(offset, 4, this.length);
7845
+
7846
+ return (this[offset] << 24) |
7847
+ (this[offset + 1] << 16) |
7848
+ (this[offset + 2] << 8) |
7849
+ (this[offset + 3])
7850
+ };
7851
+
7852
+ Buffer.prototype.readFloatLE = function readFloatLE (offset, noAssert) {
7853
+ if (!noAssert) checkOffset(offset, 4, this.length);
7854
+ return read(this, offset, true, 23, 4)
7855
+ };
7856
+
7857
+ Buffer.prototype.readFloatBE = function readFloatBE (offset, noAssert) {
7858
+ if (!noAssert) checkOffset(offset, 4, this.length);
7859
+ return read(this, offset, false, 23, 4)
7860
+ };
7861
+
7862
+ Buffer.prototype.readDoubleLE = function readDoubleLE (offset, noAssert) {
7863
+ if (!noAssert) checkOffset(offset, 8, this.length);
7864
+ return read(this, offset, true, 52, 8)
7865
+ };
7866
+
7867
+ Buffer.prototype.readDoubleBE = function readDoubleBE (offset, noAssert) {
7868
+ if (!noAssert) checkOffset(offset, 8, this.length);
7869
+ return read(this, offset, false, 52, 8)
7870
+ };
7871
+
7872
+ function checkInt (buf, value, offset, ext, max, min) {
7873
+ if (!internalIsBuffer(buf)) throw new TypeError('"buffer" argument must be a Buffer instance')
7874
+ if (value > max || value < min) throw new RangeError('"value" argument is out of bounds')
7875
+ if (offset + ext > buf.length) throw new RangeError('Index out of range')
7876
+ }
7877
+
7878
+ Buffer.prototype.writeUIntLE = function writeUIntLE (value, offset, byteLength, noAssert) {
7879
+ value = +value;
7880
+ offset = offset | 0;
7881
+ byteLength = byteLength | 0;
7882
+ if (!noAssert) {
7883
+ var maxBytes = Math.pow(2, 8 * byteLength) - 1;
7884
+ checkInt(this, value, offset, byteLength, maxBytes, 0);
7885
+ }
7886
+
7887
+ var mul = 1;
7888
+ var i = 0;
7889
+ this[offset] = value & 0xFF;
7890
+ while (++i < byteLength && (mul *= 0x100)) {
7891
+ this[offset + i] = (value / mul) & 0xFF;
7892
+ }
7893
+
7894
+ return offset + byteLength
7895
+ };
7896
+
7897
+ Buffer.prototype.writeUIntBE = function writeUIntBE (value, offset, byteLength, noAssert) {
7898
+ value = +value;
7899
+ offset = offset | 0;
7900
+ byteLength = byteLength | 0;
7901
+ if (!noAssert) {
7902
+ var maxBytes = Math.pow(2, 8 * byteLength) - 1;
7903
+ checkInt(this, value, offset, byteLength, maxBytes, 0);
7904
+ }
7905
+
7906
+ var i = byteLength - 1;
7907
+ var mul = 1;
7908
+ this[offset + i] = value & 0xFF;
7909
+ while (--i >= 0 && (mul *= 0x100)) {
7910
+ this[offset + i] = (value / mul) & 0xFF;
7911
+ }
7912
+
7913
+ return offset + byteLength
7914
+ };
7915
+
7916
+ Buffer.prototype.writeUInt8 = function writeUInt8 (value, offset, noAssert) {
7917
+ value = +value;
7918
+ offset = offset | 0;
7919
+ if (!noAssert) checkInt(this, value, offset, 1, 0xff, 0);
7920
+ if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value);
7921
+ this[offset] = (value & 0xff);
7922
+ return offset + 1
7923
+ };
7924
+
7925
+ function objectWriteUInt16 (buf, value, offset, littleEndian) {
7926
+ if (value < 0) value = 0xffff + value + 1;
7927
+ for (var i = 0, j = Math.min(buf.length - offset, 2); i < j; ++i) {
7928
+ buf[offset + i] = (value & (0xff << (8 * (littleEndian ? i : 1 - i)))) >>>
7929
+ (littleEndian ? i : 1 - i) * 8;
7930
+ }
7931
+ }
7932
+
7933
+ Buffer.prototype.writeUInt16LE = function writeUInt16LE (value, offset, noAssert) {
7934
+ value = +value;
7935
+ offset = offset | 0;
7936
+ if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0);
7937
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
7938
+ this[offset] = (value & 0xff);
7939
+ this[offset + 1] = (value >>> 8);
7940
+ } else {
7941
+ objectWriteUInt16(this, value, offset, true);
7942
+ }
7943
+ return offset + 2
7944
+ };
7945
+
7946
+ Buffer.prototype.writeUInt16BE = function writeUInt16BE (value, offset, noAssert) {
7947
+ value = +value;
7948
+ offset = offset | 0;
7949
+ if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0);
7950
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
7951
+ this[offset] = (value >>> 8);
7952
+ this[offset + 1] = (value & 0xff);
7953
+ } else {
7954
+ objectWriteUInt16(this, value, offset, false);
7955
+ }
7956
+ return offset + 2
7957
+ };
7958
+
7959
+ function objectWriteUInt32 (buf, value, offset, littleEndian) {
7960
+ if (value < 0) value = 0xffffffff + value + 1;
7961
+ for (var i = 0, j = Math.min(buf.length - offset, 4); i < j; ++i) {
7962
+ buf[offset + i] = (value >>> (littleEndian ? i : 3 - i) * 8) & 0xff;
7963
+ }
7964
+ }
7965
+
7966
+ Buffer.prototype.writeUInt32LE = function writeUInt32LE (value, offset, noAssert) {
7967
+ value = +value;
7968
+ offset = offset | 0;
7969
+ if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0);
7970
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
7971
+ this[offset + 3] = (value >>> 24);
7972
+ this[offset + 2] = (value >>> 16);
7973
+ this[offset + 1] = (value >>> 8);
7974
+ this[offset] = (value & 0xff);
7975
+ } else {
7976
+ objectWriteUInt32(this, value, offset, true);
7977
+ }
7978
+ return offset + 4
7979
+ };
7980
+
7981
+ Buffer.prototype.writeUInt32BE = function writeUInt32BE (value, offset, noAssert) {
7982
+ value = +value;
7983
+ offset = offset | 0;
7984
+ if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0);
7985
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
7986
+ this[offset] = (value >>> 24);
7987
+ this[offset + 1] = (value >>> 16);
7988
+ this[offset + 2] = (value >>> 8);
7989
+ this[offset + 3] = (value & 0xff);
7990
+ } else {
7991
+ objectWriteUInt32(this, value, offset, false);
7992
+ }
7993
+ return offset + 4
7994
+ };
7995
+
7996
+ Buffer.prototype.writeIntLE = function writeIntLE (value, offset, byteLength, noAssert) {
7997
+ value = +value;
7998
+ offset = offset | 0;
7999
+ if (!noAssert) {
8000
+ var limit = Math.pow(2, 8 * byteLength - 1);
8001
+
8002
+ checkInt(this, value, offset, byteLength, limit - 1, -limit);
8003
+ }
8004
+
8005
+ var i = 0;
8006
+ var mul = 1;
8007
+ var sub = 0;
8008
+ this[offset] = value & 0xFF;
8009
+ while (++i < byteLength && (mul *= 0x100)) {
8010
+ if (value < 0 && sub === 0 && this[offset + i - 1] !== 0) {
8011
+ sub = 1;
8012
+ }
8013
+ this[offset + i] = ((value / mul) >> 0) - sub & 0xFF;
8014
+ }
8015
+
8016
+ return offset + byteLength
8017
+ };
8018
+
8019
+ Buffer.prototype.writeIntBE = function writeIntBE (value, offset, byteLength, noAssert) {
8020
+ value = +value;
8021
+ offset = offset | 0;
8022
+ if (!noAssert) {
8023
+ var limit = Math.pow(2, 8 * byteLength - 1);
8024
+
8025
+ checkInt(this, value, offset, byteLength, limit - 1, -limit);
8026
+ }
8027
+
8028
+ var i = byteLength - 1;
8029
+ var mul = 1;
8030
+ var sub = 0;
8031
+ this[offset + i] = value & 0xFF;
8032
+ while (--i >= 0 && (mul *= 0x100)) {
8033
+ if (value < 0 && sub === 0 && this[offset + i + 1] !== 0) {
8034
+ sub = 1;
8035
+ }
8036
+ this[offset + i] = ((value / mul) >> 0) - sub & 0xFF;
8037
+ }
8038
+
8039
+ return offset + byteLength
8040
+ };
8041
+
8042
+ Buffer.prototype.writeInt8 = function writeInt8 (value, offset, noAssert) {
8043
+ value = +value;
8044
+ offset = offset | 0;
8045
+ if (!noAssert) checkInt(this, value, offset, 1, 0x7f, -0x80);
8046
+ if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value);
8047
+ if (value < 0) value = 0xff + value + 1;
8048
+ this[offset] = (value & 0xff);
8049
+ return offset + 1
8050
+ };
8051
+
8052
+ Buffer.prototype.writeInt16LE = function writeInt16LE (value, offset, noAssert) {
8053
+ value = +value;
8054
+ offset = offset | 0;
8055
+ if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000);
8056
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
8057
+ this[offset] = (value & 0xff);
8058
+ this[offset + 1] = (value >>> 8);
8059
+ } else {
8060
+ objectWriteUInt16(this, value, offset, true);
8061
+ }
8062
+ return offset + 2
8063
+ };
8064
+
8065
+ Buffer.prototype.writeInt16BE = function writeInt16BE (value, offset, noAssert) {
8066
+ value = +value;
8067
+ offset = offset | 0;
8068
+ if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000);
8069
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
8070
+ this[offset] = (value >>> 8);
8071
+ this[offset + 1] = (value & 0xff);
8072
+ } else {
8073
+ objectWriteUInt16(this, value, offset, false);
8074
+ }
8075
+ return offset + 2
8076
+ };
8077
+
8078
+ Buffer.prototype.writeInt32LE = function writeInt32LE (value, offset, noAssert) {
8079
+ value = +value;
8080
+ offset = offset | 0;
8081
+ if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000);
8082
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
8083
+ this[offset] = (value & 0xff);
8084
+ this[offset + 1] = (value >>> 8);
8085
+ this[offset + 2] = (value >>> 16);
8086
+ this[offset + 3] = (value >>> 24);
8087
+ } else {
8088
+ objectWriteUInt32(this, value, offset, true);
8089
+ }
8090
+ return offset + 4
8091
+ };
8092
+
8093
+ Buffer.prototype.writeInt32BE = function writeInt32BE (value, offset, noAssert) {
8094
+ value = +value;
8095
+ offset = offset | 0;
8096
+ if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000);
8097
+ if (value < 0) value = 0xffffffff + value + 1;
8098
+ if (Buffer.TYPED_ARRAY_SUPPORT) {
8099
+ this[offset] = (value >>> 24);
8100
+ this[offset + 1] = (value >>> 16);
8101
+ this[offset + 2] = (value >>> 8);
8102
+ this[offset + 3] = (value & 0xff);
8103
+ } else {
8104
+ objectWriteUInt32(this, value, offset, false);
8105
+ }
8106
+ return offset + 4
8107
+ };
8108
+
8109
+ function checkIEEE754 (buf, value, offset, ext, max, min) {
8110
+ if (offset + ext > buf.length) throw new RangeError('Index out of range')
8111
+ if (offset < 0) throw new RangeError('Index out of range')
8112
+ }
8113
+
8114
+ function writeFloat (buf, value, offset, littleEndian, noAssert) {
8115
+ if (!noAssert) {
8116
+ checkIEEE754(buf, value, offset, 4);
8117
+ }
8118
+ write(buf, value, offset, littleEndian, 23, 4);
8119
+ return offset + 4
8120
+ }
8121
+
8122
+ Buffer.prototype.writeFloatLE = function writeFloatLE (value, offset, noAssert) {
8123
+ return writeFloat(this, value, offset, true, noAssert)
8124
+ };
8125
+
8126
+ Buffer.prototype.writeFloatBE = function writeFloatBE (value, offset, noAssert) {
8127
+ return writeFloat(this, value, offset, false, noAssert)
8128
+ };
8129
+
8130
+ function writeDouble (buf, value, offset, littleEndian, noAssert) {
8131
+ if (!noAssert) {
8132
+ checkIEEE754(buf, value, offset, 8);
8133
+ }
8134
+ write(buf, value, offset, littleEndian, 52, 8);
8135
+ return offset + 8
8136
+ }
8137
+
8138
+ Buffer.prototype.writeDoubleLE = function writeDoubleLE (value, offset, noAssert) {
8139
+ return writeDouble(this, value, offset, true, noAssert)
8140
+ };
8141
+
8142
+ Buffer.prototype.writeDoubleBE = function writeDoubleBE (value, offset, noAssert) {
8143
+ return writeDouble(this, value, offset, false, noAssert)
8144
+ };
8145
+
8146
+ // copy(targetBuffer, targetStart=0, sourceStart=0, sourceEnd=buffer.length)
8147
+ Buffer.prototype.copy = function copy (target, targetStart, start, end) {
8148
+ if (!start) start = 0;
8149
+ if (!end && end !== 0) end = this.length;
8150
+ if (targetStart >= target.length) targetStart = target.length;
8151
+ if (!targetStart) targetStart = 0;
8152
+ if (end > 0 && end < start) end = start;
8153
+
8154
+ // Copy 0 bytes; we're done
8155
+ if (end === start) return 0
8156
+ if (target.length === 0 || this.length === 0) return 0
8157
+
8158
+ // Fatal error conditions
8159
+ if (targetStart < 0) {
8160
+ throw new RangeError('targetStart out of bounds')
8161
+ }
8162
+ if (start < 0 || start >= this.length) throw new RangeError('sourceStart out of bounds')
8163
+ if (end < 0) throw new RangeError('sourceEnd out of bounds')
8164
+
8165
+ // Are we oob?
8166
+ if (end > this.length) end = this.length;
8167
+ if (target.length - targetStart < end - start) {
8168
+ end = target.length - targetStart + start;
8169
+ }
8170
+
8171
+ var len = end - start;
8172
+ var i;
8173
+
8174
+ if (this === target && start < targetStart && targetStart < end) {
8175
+ // descending copy from end
8176
+ for (i = len - 1; i >= 0; --i) {
8177
+ target[i + targetStart] = this[i + start];
8178
+ }
8179
+ } else if (len < 1000 || !Buffer.TYPED_ARRAY_SUPPORT) {
8180
+ // ascending copy from start
8181
+ for (i = 0; i < len; ++i) {
8182
+ target[i + targetStart] = this[i + start];
8183
+ }
8184
+ } else {
8185
+ Uint8Array.prototype.set.call(
8186
+ target,
8187
+ this.subarray(start, start + len),
8188
+ targetStart
8189
+ );
8190
+ }
8191
+
8192
+ return len
8193
+ };
8194
+
8195
+ // Usage:
8196
+ // buffer.fill(number[, offset[, end]])
8197
+ // buffer.fill(buffer[, offset[, end]])
8198
+ // buffer.fill(string[, offset[, end]][, encoding])
8199
+ Buffer.prototype.fill = function fill (val, start, end, encoding) {
8200
+ // Handle string cases:
8201
+ if (typeof val === 'string') {
8202
+ if (typeof start === 'string') {
8203
+ encoding = start;
8204
+ start = 0;
8205
+ end = this.length;
8206
+ } else if (typeof end === 'string') {
8207
+ encoding = end;
8208
+ end = this.length;
8209
+ }
8210
+ if (val.length === 1) {
8211
+ var code = val.charCodeAt(0);
8212
+ if (code < 256) {
8213
+ val = code;
8214
+ }
8215
+ }
8216
+ if (encoding !== undefined && typeof encoding !== 'string') {
8217
+ throw new TypeError('encoding must be a string')
8218
+ }
8219
+ if (typeof encoding === 'string' && !Buffer.isEncoding(encoding)) {
8220
+ throw new TypeError('Unknown encoding: ' + encoding)
8221
+ }
8222
+ } else if (typeof val === 'number') {
8223
+ val = val & 255;
8224
+ }
8225
+
8226
+ // Invalid ranges are not set to a default, so can range check early.
8227
+ if (start < 0 || this.length < start || this.length < end) {
8228
+ throw new RangeError('Out of range index')
8229
+ }
8230
+
8231
+ if (end <= start) {
8232
+ return this
8233
+ }
8234
+
8235
+ start = start >>> 0;
8236
+ end = end === undefined ? this.length : end >>> 0;
8237
+
8238
+ if (!val) val = 0;
8239
+
8240
+ var i;
8241
+ if (typeof val === 'number') {
8242
+ for (i = start; i < end; ++i) {
8243
+ this[i] = val;
8244
+ }
8245
+ } else {
8246
+ var bytes = internalIsBuffer(val)
8247
+ ? val
8248
+ : utf8ToBytes(new Buffer(val, encoding).toString());
8249
+ var len = bytes.length;
8250
+ for (i = 0; i < end - start; ++i) {
8251
+ this[i + start] = bytes[i % len];
8252
+ }
8253
+ }
8254
+
8255
+ return this
8256
+ };
8257
+
8258
+ // HELPER FUNCTIONS
8259
+ // ================
8260
+
8261
+ var INVALID_BASE64_RE = /[^+\/0-9A-Za-z-_]/g;
8262
+
8263
+ function base64clean (str) {
8264
+ // Node strips out invalid characters like \n and \t from the string, base64-js does not
8265
+ str = stringtrim(str).replace(INVALID_BASE64_RE, '');
8266
+ // Node converts strings with length < 2 to ''
8267
+ if (str.length < 2) return ''
8268
+ // Node allows for non-padded base64 strings (missing trailing ===), base64-js does not
8269
+ while (str.length % 4 !== 0) {
8270
+ str = str + '=';
8271
+ }
8272
+ return str
8273
+ }
8274
+
8275
+ function stringtrim (str) {
8276
+ if (str.trim) return str.trim()
8277
+ return str.replace(/^\s+|\s+$/g, '')
8278
+ }
8279
+
8280
+ function toHex (n) {
8281
+ if (n < 16) return '0' + n.toString(16)
8282
+ return n.toString(16)
8283
+ }
8284
+
8285
+ function utf8ToBytes (string, units) {
8286
+ units = units || Infinity;
8287
+ var codePoint;
8288
+ var length = string.length;
8289
+ var leadSurrogate = null;
8290
+ var bytes = [];
8291
+
8292
+ for (var i = 0; i < length; ++i) {
8293
+ codePoint = string.charCodeAt(i);
8294
+
8295
+ // is surrogate component
8296
+ if (codePoint > 0xD7FF && codePoint < 0xE000) {
8297
+ // last char was a lead
8298
+ if (!leadSurrogate) {
8299
+ // no lead yet
8300
+ if (codePoint > 0xDBFF) {
8301
+ // unexpected trail
8302
+ if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD);
8303
+ continue
8304
+ } else if (i + 1 === length) {
8305
+ // unpaired lead
8306
+ if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD);
8307
+ continue
8308
+ }
8309
+
8310
+ // valid lead
8311
+ leadSurrogate = codePoint;
8312
+
8313
+ continue
8314
+ }
8315
+
8316
+ // 2 leads in a row
8317
+ if (codePoint < 0xDC00) {
8318
+ if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD);
8319
+ leadSurrogate = codePoint;
8320
+ continue
8321
+ }
8322
+
8323
+ // valid surrogate pair
8324
+ codePoint = (leadSurrogate - 0xD800 << 10 | codePoint - 0xDC00) + 0x10000;
8325
+ } else if (leadSurrogate) {
8326
+ // valid bmp char, but last char was a lead
8327
+ if ((units -= 3) > -1) bytes.push(0xEF, 0xBF, 0xBD);
8328
+ }
8329
+
8330
+ leadSurrogate = null;
8331
+
8332
+ // encode utf8
8333
+ if (codePoint < 0x80) {
8334
+ if ((units -= 1) < 0) break
8335
+ bytes.push(codePoint);
8336
+ } else if (codePoint < 0x800) {
8337
+ if ((units -= 2) < 0) break
8338
+ bytes.push(
8339
+ codePoint >> 0x6 | 0xC0,
8340
+ codePoint & 0x3F | 0x80
8341
+ );
8342
+ } else if (codePoint < 0x10000) {
8343
+ if ((units -= 3) < 0) break
8344
+ bytes.push(
8345
+ codePoint >> 0xC | 0xE0,
8346
+ codePoint >> 0x6 & 0x3F | 0x80,
8347
+ codePoint & 0x3F | 0x80
8348
+ );
8349
+ } else if (codePoint < 0x110000) {
8350
+ if ((units -= 4) < 0) break
8351
+ bytes.push(
8352
+ codePoint >> 0x12 | 0xF0,
8353
+ codePoint >> 0xC & 0x3F | 0x80,
8354
+ codePoint >> 0x6 & 0x3F | 0x80,
8355
+ codePoint & 0x3F | 0x80
8356
+ );
8357
+ } else {
8358
+ throw new Error('Invalid code point')
8359
+ }
8360
+ }
8361
+
8362
+ return bytes
8363
+ }
8364
+
8365
+ function asciiToBytes (str) {
8366
+ var byteArray = [];
8367
+ for (var i = 0; i < str.length; ++i) {
8368
+ // Node's code seems to be doing this and not & 0x7F..
8369
+ byteArray.push(str.charCodeAt(i) & 0xFF);
8370
+ }
8371
+ return byteArray
8372
+ }
8373
+
8374
+ function utf16leToBytes (str, units) {
8375
+ var c, hi, lo;
8376
+ var byteArray = [];
8377
+ for (var i = 0; i < str.length; ++i) {
8378
+ if ((units -= 2) < 0) break
8379
+
8380
+ c = str.charCodeAt(i);
8381
+ hi = c >> 8;
8382
+ lo = c % 256;
8383
+ byteArray.push(lo);
8384
+ byteArray.push(hi);
8385
+ }
8386
+
8387
+ return byteArray
8388
+ }
8389
+
8390
+
8391
+ function base64ToBytes (str) {
8392
+ return toByteArray(base64clean(str))
8393
+ }
8394
+
8395
+ function blitBuffer (src, dst, offset, length) {
8396
+ for (var i = 0; i < length; ++i) {
8397
+ if ((i + offset >= dst.length) || (i >= src.length)) break
8398
+ dst[i + offset] = src[i];
8399
+ }
8400
+ return i
8401
+ }
8402
+
8403
+ function isnan (val) {
8404
+ return val !== val // eslint-disable-line no-self-compare
8405
+ }
8406
+
8407
+
8408
+ // the following is from is-buffer, also by Feross Aboukhadijeh and with same lisence
8409
+ // The _isBuffer check is for Safari 5-7 support, because it's missing
8410
+ // Object.prototype.constructor. Remove this eventually
8411
+ function isBuffer(obj) {
8412
+ return obj != null && (!!obj._isBuffer || isFastBuffer(obj) || isSlowBuffer(obj))
8413
+ }
8414
+
8415
+ function isFastBuffer (obj) {
8416
+ return !!obj.constructor && typeof obj.constructor.isBuffer === 'function' && obj.constructor.isBuffer(obj)
8417
+ }
8418
+
8419
+ // For Node v0.10 support. Remove this eventually.
8420
+ function isSlowBuffer (obj) {
8421
+ return typeof obj.readFloatLE === 'function' && typeof obj.slice === 'function' && isFastBuffer(obj.slice(0, 0))
8422
+ }
8423
+
6231
8424
  /**
6232
8425
  * Convert a data object to FormData
6233
8426
  * @param {Object} obj
@@ -6776,7 +8969,7 @@ function getDefaultAdapter() {
6776
8969
  if (typeof XMLHttpRequest !== 'undefined') {
6777
8970
  // For browsers use XHR adapter
6778
8971
  adapter = xhr;
6779
- } else if (typeof process !== 'undefined' && Object.prototype.toString.call(process) === '[object process]') {
8972
+ } else if (typeof browser$1 !== 'undefined' && Object.prototype.toString.call(browser$1) === '[object process]') {
6780
8973
  // For node use HTTP adapter
6781
8974
  adapter = xhr;
6782
8975
  }
@@ -7553,7 +9746,7 @@ var axios = axios_1;
7553
9746
 
7554
9747
  function e(e){this.message=e;}e.prototype=new Error,e.prototype.name="InvalidCharacterError";var r="undefined"!=typeof window&&window.atob&&window.atob.bind(window)||function(r){var t=String(r).replace(/=+$/,"");if(t.length%4==1)throw new e("'atob' failed: The string to be decoded is not correctly encoded.");for(var n,o,a=0,i=0,c="";o=t.charAt(i++);~o&&(n=a%4?64*n+o:o,a++%4)?c+=String.fromCharCode(255&n>>(-2*a&6)):0)o="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=".indexOf(o);return c};function t(e){var t=e.replace(/-/g,"+").replace(/_/g,"/");switch(t.length%4){case 0:break;case 2:t+="==";break;case 3:t+="=";break;default:throw "Illegal base64url string!"}try{return function(e){return decodeURIComponent(r(e).replace(/(.)/g,(function(e,r){var t=r.charCodeAt(0).toString(16).toUpperCase();return t.length<2&&(t="0"+t),"%"+t})))}(t)}catch(e){return r(t)}}function n$1(e){this.message=e;}function o$1(e,r){if("string"!=typeof e)throw new n$1("Invalid token specified");var o=!0===(r=r||{}).header?0:1;try{return JSON.parse(t(e.split(".")[o]))}catch(e){throw new n$1("Invalid token specified: "+e.message)}}n$1.prototype=new Error,n$1.prototype.name="InvalidTokenError";
7555
9748
 
7556
- let s=function(e,t,a){return alert(e)},n=function(e,t){return s(e,l.error,t)},l={error:"error",success:"success",info:"info"};var o={fire:function(e,t,a){return s(e,t,a)},setNotifier:function(e){s=e,salla.event.emit("twilight::notifier.changed");},error:n,success:function(e,t){return s(e,l.success,t)},info:function(e,t){return s(e,l.info,t)},sallaInitiated:function(){let e=window.location.href.match(/([\?\&]danger=)[^&]+/g);e&&(window.history.replaceState(null,document.title,window.location.pathname),salla.event.once("twilight::notifier.changed",(()=>{e.forEach((e=>{n(decodeURI(e.replace("?danger=","").replace("&danger=","")));}));})));},types:l};class d{constructor(e,t){return this.api=e,this.event=t,new Proxy(this,{get:function(a,r){return "event"===r?t:"api"===r?e:e&&e[r]||a[r]}})}}String.prototype.toStudlyCase=function(){return this.trim().replace(/([^a-zA-Z\d].)/g,(function(e){return e.toUpperCase().replace(/[^a-zA-Z\d]/g,"")}))},String.prototype.toDatasetName=function(){return this.startsWith("data-")?this.substr(5).toStudlyCase():this.toStudlyCase()},String.prototype.toSelector=function(){return this.trim().startsWith(".")||this.trim().startsWith("#")?this:"#"+this},String.prototype.replaceArray=function(e,t){for(var a,r=this,i=0;i<e.length;i++)a=new RegExp(e[i],"g"),r=r.replace(a,t[i]);return r},String.prototype.rtrim=function(e){return void 0===e&&(e="\\s"),this.replace(new RegExp("["+e+"]*$"),"")},String.prototype.ltrim=function(e){return void 0===e&&(e="\\s"),this.replace(new RegExp("^["+e+"]*"),"")},String.prototype.digitsOnly=function(){return Salla.helpers.digitsOnly(this)},Element.prototype.matches||(Element.prototype.matches=Element.prototype.msMatchesSelector),Element.prototype.closest||(Element.prototype.closest=function(e){for(var t=this;t;){if(t.matches(e))return t;t=t.parentElement;}}),Element.prototype.getElementSallaData=function(e,...t){if(!this.getAttribute)return;if(this.hasAttribute("data-json"))try{return JSON.parse(this.getAttribute("data-json"))}catch(e){}let a=this.getAttribute("data-function");if(a&&window[a])return "function"==typeof window[a]?this.getFilteredData(window[a].call(this,...t)):this.getFilteredData(window[a]);let r=this.hasAttribute("data-form-selector")?document.querySelector(this.dataset.formSelector):void 0;if(r="FORM"===this.tagName?this:r||this.closest("form")||this.closest("[salla-form-data]")||this,r&&"FORM"===r.tagName)return this.getFilteredData(new FormData(r),null,r);let i=r.querySelectorAll("[name]");if(!i.length)return this.getFilteredData();let s=Object.assign({},this.dataset);return i.forEach((e=>{if(!["checkbox","radio"].includes(e.type)||e.checked)try{let t=Salla.helpers.inputData(e.name,e.value,s);s[t.name]=t.value;}catch(t){Salla.log(e.name+" can't be send");}})),this.getFilteredData(s)},Element.prototype.canEventFireHook=function(e){return !!this.hasAttribute&&this.hasAttribute(Salla.api.hooksPrefix+e.type)},Element.prototype.hasAttributeStartsWith=function(e,t){e=e.toLowerCase();for(var a=0;a<this.attributes.length;a++){let r=this.attributes[a].name.toLowerCase();if(0===r.indexOf(e))return !t||r}return !1},HTMLFormElement.prototype.getAjaxFormData=function(e){var t=this.querySelectorAll('input[type="file"]');t.forEach((e=>{e.files.length||e.setAttribute("disabled","");}));var a=new FormData(this);return t.forEach((e=>{e.files.length||e.removeAttribute("disabled");})),{formData:this.getFilteredData(a,e),url:this.getAttribute("action"),method:this.getAttribute("method")||"post",events:{success:this.dataset.onSuccess,fail:this.dataset.onFail}}},Element.prototype.getFilteredData=function(e=null,t=null,a=null){return e=e||a?.dataset||this.dataset,a&&this.name&&void 0!==this.value&&(e=function(e,t,a){e instanceof FormData?e.append(t,a):e[t]=a;return e}(e,this.name,this.value)),["filterBeforeSubmit","filterBeforeSend"].forEach((r=>{let i=a?.dataset[r]||this.dataset[r];if(i){var s=window[i];if("function"==typeof s){if(!s(e,a||this,t)&&e)throw `Data failed to be pass verify function window.${i}(formData, element, event)!`;return s(e,a||this,t)}Salla.log("window."+i+"() not found!");}})),e},HTMLAnchorElement.prototype.getAjaxFormData=function(e){return {formData:this.getFilteredData(null,e),url:this.getAttribute("href"),method:this.dataset.type||"get",events:{success:this.dataset.onSuccess,fail:this.dataset.onFail}}};class c{constructor(){this.events={},this.namespace="";let e=/function (.{1,})\(/.exec(this.constructor.toString());this.className=(e&&e.length>1?e[1]:"").toLowerCase();}after_init(){this.createDynamicFunctions();}createDynamicFunctions(){Object.keys(this.events).forEach((e=>{this.createDynamicEventFuns(e),this.createDynamicListenerFuns(e);}));}createDynamicEventFuns(e){if(this[e])return;let t=this;this[e]=function(...a){return t.dispatch(e,...a)};}createDynamicListenerFuns(e){let t="on"+e.charAt(0).toUpperCase()+e.slice(1);if(this[t])return;let a=this;this[t]=function(t){return a.on(e,(async(...e)=>t(...e)))};}getEventName(e){return e=this.events[e]||e,!this.namespace||e.includes("::")?e:this.namespace+Salla.event.delimiter+e}dispatch(e,...t){return Salla.event.emitAsync(this.getEventName(e),...t)}on(e,t){return Salla.event.addListener(this.getEventName(e),t)}once(e,t){return Salla.event.once(this.getEventName(e),t)}}function u(e){e&&e.sallaInitiated&&!e.initiated&&(e.sallaInitiated(),e.initiated=!0);}Salla.event.auth=new class extends c{constructor(){super(),this.namespace="auth",this.events={login:"login",logout:"logout",codeSent:"code.sent",codeNotSent:"code.not-sent",verified:"verified",verificationFailed:"verification.failed",loggedIn:"logged.in",registered:"registered",registrationFailed:"registration.failed",loggedOut:"logged.out",failedLogout:"failed.logout",refreshFailed:"refresh.failed",tokenFetched:"token.fetched"},this.after_init();}login(e){return e?(e.type&&this.setTypeActionOnVerified(e.type),this.next_event=e.next_event||null,this.dispatch("login",...arguments)):(this.next_event=null,this.dispatch("login",...arguments))}loggedIn(e){return Salla.profile.info().finally((()=>this.dispatch("loggedIn",e)))}setTypeActionOnVerified(e){this.type_action_on_verified=e;}getTypeActionOnVerified(){return this.type_action_on_verified||"redirect"}},Salla.event.cart=new class extends c{constructor(){super(),this.namespace="cart",this.events={latestFetched:"latest.fetched",latestFailed:"latest.failed",updated:"updated",itemUpdated:"item.updated",itemUpdatedFailed:"item.updated.failed",itemAdded:"item.added",itemAddedFailed:"item.added.failed",itemDeleted:"item.deleted",itemDeletedFailed:"item.deleted.failed",submitted:"submitted",submitFailed:"submit.failed",imageDeleted:"image.deleted",imageNotDeleted:"image.not.deleted",detailsFetched:"details.fetched",detailsNotFetched:"details.not.fetched",successReset:"success.reset",priceQuoteSucceeded:"price-quote.succeeded",priceQuoteFailed:"price-quote.failed",couponAdded:"coupon.added",couponDeleted:"coupon.deleted",couponAdditionFailed:"coupon.addition.failed",couponDeletionFailed:"coupon.deletion.failed",quickOrderSettingFetched:"quick-order.fetched",quickOrderSettingFailed:"quick-order.failed",quickOrderSucceeded:"quick-order.succeeded",quickOrderFailed:"quick-order.failed"},this.after_init();}updated(e){return Salla.cookie.set("fresh_summary",1),e&&"object"==typeof e?(e.offer&&salla.product.event.offerExisted(e.offer),e.redirect&&(salla.log("The current cart is purchased!"),salla.cart.api.reset()),e.cart?(salla.storage.set("cart.summary",{total:e.cart.total,sub_total:e.cart.sub_total,discount:e.cart.discount,real_shipping_cost:e.cart.real_shipping_cost,count:e.cart.count,shipping_cost:e.cart.free_shipping_bar?.has_free_shipping?0:e.cart.real_shipping_cost}),this.dispatch("updated",e.cart)):void salla.log("Failed to get the cart summary!")):(Salla.logger.info("Cart summary not an object!",e),this.dispatch("updated"))}latestFetched(e){return this.updated(e.data),this.dispatch("latestFetched",e)}itemAdded(e,t){return this.updated(e.data),this.dispatch("itemAdded",e,t)}itemDeleted(e,t){return this.updated(e.data),this.dispatch("itemDeleted",e,t)}itemUpdated(e,t){return this.updated(e.data),this.dispatch("itemUpdated",e,t)}couponAdded(e,t){return this.updated(e.data),this.dispatch("couponAdded",e,t)}couponDeleted(e,t){return this.updated(e.data),this.dispatch("couponDeleted",e,t)}},Salla.event.order=new class extends c{constructor(){super(),this.namespace="order",this.events={canceled:"canceled",notCanceled:"not.canceled",orderCreated:"order.created",orderCreationFailed:"order.creation.failed",invoiceSent:"invoice.sent",invoiceNotSent:"invoice.not.sent"},this.after_init();}},Salla.event.scope=new class extends c{constructor(){super(),this.namespace="scope",this.events={fetched:"fetched",notFetched:"not.fetched",productAvailabilityFetched:"product-availability.fetched",productAvailabilityNotFetched:"product-availability.not.fetched",changeSucceeded:"changed",changeFailed:"not.changed"},this.after_init();}},Salla.event.rating=new class extends c{constructor(){super(),this.namespace="rating",this.events={orderNotFetched:"order.not.fetched",orderFetched:"order.fetched",storeRated:"store.rated",storeFailed:"store.failed",productsRated:"products.rated",productsFailed:"products.failed",shippingRated:"shipping.rated",shippingFailed:"shipping.failed"},this.after_init();}},Salla.event.comment=new class extends c{constructor(){super(),this.namespace="comment",this.events={added:"added",additionFailed:"addition.failed"},this.after_init();}},Salla.event.loyalty=new class extends c{constructor(){super(),this.namespace="loyalty",this.events={exchangeSucceeded:"exchange.succeeded",exchangeFailed:"exchange.failed",programFetched:"program.fetched",programNotFetched:"program.not.fetched",resetSucceeded:"exchange-reset.succeeded",resetFailed:"exchange-reset.failed"},this.after_init();}},Salla.event.product=new class extends c{constructor(){super(),this.namespace="product",this.events={priceUpdated:"price.updated",priceUpdateFailed:"price.updated.failed",availabilitySubscribed:"availability.subscribed",availabilitySubscribeFailed:"availability.subscribe.failed",categoriesFetched:"categories.fetched",categoriesFailed:"categories.failed",searchFailed:"search.failed",searchResults:"search.results",offerExisted:"offer.existed",fetchOffersFailed:"fetch.offers.failed",offersFetched:"offers.fetched",sizeGuideFetched:"size-guide.fetched",SizeGuideFetchFailed:"size-guide.failed",giftFetched:"gift.fetched",giftFetchFailed:"gift.failed",detailFetched:"detail.fetched",detailFetchFailed:"detail.failed",addGiftToCartSucceeded:"gift.add-to-cart.succeeded",addGiftToCartFailed:"gift.add-to-cart.failed",giftImageUploadSucceeded:"gift.image-upload.succeeded",giftImageUploadFailed:"gift.image-upload.failed"},this.after_init();}},Salla.event.profile=new class extends c{constructor(){super(),this.namespace="profile",this.events={updated:"updated",updateFailed:"update.failed",verificationCodeSent:"verification.code.sent",updateContactsFailed:"update.contacts.failed",verified:"verified",unverified:"unverified",infoFetched:"info.fetched",infoNotFetched:"info.not.fetched",settingsUpdated:"settings.updated",updateSettingsFailed:"update.settings.failed",deleted:"deleted",notDeleted:"not.deleted"},this.after_init();}},Salla.event.currency=new class extends c{constructor(){super(),this.namespace="currency",this.events={changed:"changed",failed:"failed",fetched:"fetched",failedToFetch:"failed.to.fetch"},this.after_init();}},Salla.event.document=new class extends c{constructor(){super(),this.namespace="document",this.events={click:"click",change:"change",submit:"submit",keyup:"keyup",leaving:"leaving",request:"request",requestFailed:"request.failed"},this.after_init();}onClick(e,t){this.fireCallableFuns("click",e,t);}onChange(e,t){this.fireCallableFuns("change",e,t);}onSubmit(e,t){this.fireCallableFuns("submit",e,t);}onKeyup(e,t){this.fireCallableFuns("keyup",e,t);}fireCallableFuns(e,t,a){this.on(e,(e=>{"function"!=typeof t?"function"==typeof a&&e.target.matches(t)&&a(e):t(e);}));}fireEvent(e,t,...a){return this.fireEventForElements(e,t,!1,...a)}fireEventForAll(e,t,...a){return this.fireEventForElements(e,t,!0,...a)}fireEventForElements(e,t,a,...r){if("string"==typeof e){if(a)return document.querySelectorAll(e).forEach((e=>this.fireEventForElements(e,t,!1,...r)));e=document.querySelector(e);}if(!e)return void salla.log("Failed To get element to fire event: "+t);const i=new CustomEvent(t,...r);return e.dispatchEvent(i)}},Salla.event.wishlist=new class extends c{constructor(){super(),this.namespace="wishlist",this.events={added:"added",removed:"removed",additionFailed:"addition.failed",removingFailed:"removing.failed"},this.after_init();}},Salla.event.infiniteScroll=new class extends c{constructor(){super(),this.namespace="infiniteScroll",this.events={scrollThreshold:"scroll.threshold",request:"request",load:"load",append:"append",error:"error",last:"last",history:"history"},this.after_init();}},Salla.event.booking=new class extends c{constructor(){super(),this.namespace="booking",this.events={added:"added",additionFailed:"addition.failed"},this.after_init();}},Salla.event.on("twilight::initiated",(()=>{Object.keys(Salla).forEach((e=>{"object"==typeof(e=Salla[e])&&(u(e),Object.keys(e).forEach((t=>{u(e[t]);})));}));})),Salla.config.default_properties={debug:"undefined"!=typeof process&&"development"==="production",token:null,fastRequests:!0,canLeave:!0,store:{api:"https://api.salla.dev/store/v1/"},currencies:{SAR:{code:"SAR",name:"ريال سعودي",symbol:"ر.س",amount:1,country_code:"sa"}}},Salla.config.merge(Salla.config.default_properties),Salla.config.triedToGetCurrencies_=!1,Salla.config.triedToGetLanguages_=!1,Salla.config.isUser=()=>"user"===Salla.config.get("user.type"),Salla.config.isGuest=()=>!Salla.config.isUser(),Salla.config.languages=async()=>{if(Salla.config.triedToGetLanguages_)return Salla.config.get("languages");Salla.config.triedToGetLanguages_=!0;let e=!0,t=[];return (await salla.document.api.request("languages",null,"get"))?.data?.map((a=>{e&&(t=[],e=!1),a.code=a.code||a.iso_code,a.url=salla.url.get(a.code),a.is_rtl=a.is_rtl||a.rtl,t.push(a);})),Salla.config.set("languages",t),t},Salla.config.currencies=async()=>{if(Salla.config.triedToGetCurrencies_)return Salla.config.get("currencies");Salla.config.triedToGetCurrencies_=!0;let e=!0,t={};return (await salla.currency.api.list())?.data?.map((a=>{e&&(t={},e=!1),a.country_code=a.code.substr(0,2).toLowerCase(),t[a.code]=a;})),Salla.config.set("currencies",t),t},Salla.config.currency=e=>(e=e||Salla.config.get("user.currency_code"),Salla.config.get("currencies."+e)||Object.values(Salla.config.get("currencies"))[0]);class h{constructor(){this.endpoints={},this.webEndpoints=[],this.namespace="BaseApi",this.endpointsMethods={},this.endpointsHeaders={};let e=/function (.{1,})\(/.exec(this.constructor.toString());this.className=(e&&e.length>1?e[1]:"").toLowerCase(),this.debounce={request:void 0,time:300,enabled:!0,exclude:[]};}after_init(){}normalRequest(e,t,a=null){let r=Array.isArray(e),i=r?this.getUrl(...e):this.getUrl(e);e=r?e[0]:e,a=a||this.endpointsMethods[e]||"post";let s=this.endpointsHeaders[e];if("get"===a&&t instanceof FormData){let e={};Array.from(t.entries()).forEach((function(t){e[t[0]]=t[1];})),t={params:e};}return s&&"get"===a&&(t=t?Object.assign(t,s):s),this.webEndpoints.includes(e)?i=salla.url.get(i):"http"!==i.substring(0,4)&&(i=salla.url.api(i)),Salla.api.request(i,t,a,{headers:s})}request(e,t,a=null){return !salla.api.isFastRequestsAllowed()&&this.debounce.enabled?(this.debounce.request||(this.debounce.request=salla.helpers.debounce(this.normalRequest.bind(this),this.debounce.time)),this.debounce.request(e,t,a)):this.normalRequest(e,t,a)}getUrl(e){let t=this.endpoints[e]||e;const a=/{[^{}]+}/i;for(let e=1;e<arguments.length;e++)t=t.replace(a,arguments[e]);return t}event(){return salla.event[this.className]}}class p extends h{constructor(){super(),this.namespace="cart",this.endpoints={latest:"cart/latest",details:"cart/{cart}",quickAdd:"cart/{cart}/item/{product}/quick-add",addItem:"cart/{cart}/item/{product}/add",deleteItem:"cart/{cart}/item/{item}",updateItem:"cart/{cart}/item/{item}",deleteImage:"cart/{cart}/image/{image}",uploadImage:"cart/{cart}/image",status:"cart/{cart}/status",addCoupon:"cart/{id}/coupon",deleteCoupon:"cart/{id}/coupon",getQuickOrderSettings:"checkout/quick-checkout",createQuickOrder:"checkout/quick-checkout",priceQuote:"cart/{cartId}/price-quote"},this.endpointsMethods={latest:"get",details:"get",status:"get",updateItem:"post",deleteItem:"delete",deleteImage:"delete",deleteCoupon:"put",getQuickOrderSettings:"get"},this.webEndpoints=["latest"],this.latestCart=null,this.after_init(),salla.event.on("request::initiated",(()=>this.getCurrentCartId()));}async getCurrentCartId(){if(salla.cart.api.latestCart)return salla.cart.api.latestCart.cart.id;let e=salla.storage.get("cart.id");if(e)return e;let t=await this.latest();return salla.cart.api.latestCart=t.data,salla.cart.api.latestCart.cart.id}getUploadImageEndpoint(e){return salla.url.api(this.getUrl("uploadImage",e||salla.storage.get("cart.id")))}latest(){return this.request("latest",{params:{source:""}}).then((e=>(salla.storage.set("cart",e.data.cart),salla.event.cart.latestFetched(e),e))).catch((e=>{throw salla.storage.set("cart",""),salla.event.cart.latestFailed(e),e}))}async details(){let e=await this.getCurrentCartId();return this.request(["details",e]).then((function(e){return salla.cart.event.detailsFetched(e),e})).catch((function(e){throw salla.cart.event.detailsNotFetched(e),e}))}async quickAdd(e,t){return this.addItem({id:e,quantity:t,endpoint:"quickAdd"})}async addItem(e){let t=this.getCartPayload(e);if(!t.id){let e='There is no product "id"!';return salla.cart.event.itemAddedFailed(e),salla.api.errorPromise(e)}let a=salla.form.getPossibleValue(t.payload,["endpoint"]);a&&["addItem","quickAdd"].includes(a)||(a=salla.form.getPossibleValue(t.payload,["quantity","donating_amount"])?"addItem":"quickAdd");let r=await this.getCurrentCartId();return this.request([a,r,t.id],t.payload).then((function(e){return salla.cart.event.itemAdded(e,t.id),e})).catch((function(e){throw salla.cart.event.itemAddedFailed(e,t.id),e}))}async deleteItem(e){let t=this.getCartPayload(e);if(!t.id){let e='There is no "id"!';return salla.cart.event.itemDeletedFailed(e),salla.api.errorPromise(e)}let a=await this.getCurrentCartId();return this.request(["deleteItem",a,t.id]).then((function(e){return salla.cart.event.itemDeleted(e,t.id),e})).catch((function(e){throw salla.cart.event.itemDeletedFailed(e,t.id),e}))}async updateItem(e){let t=this.getCartPayload(e);if(!t.id){let e='There is no "id"!';return salla.cart.event.itemUpdatedFailed(e),salla.api.errorPromise(e)}let a=await this.getCurrentCartId();return "Object"===t.payload.constructor?.name?t.payload._method="PUT":t.payload.append("_method","PUT"),this.request(["updateItem",a,t.id],t.payload).then((function(e){return salla.cart.event.itemUpdated(e,t.id),e})).catch((function(e){throw salla.cart.event.itemUpdatedFailed(e,t.id),e}))}async deleteImage(e){if(!(e=salla.form.getPossibleValue(e,["id","image_id","photo_id"]))){let e='There is no "id"!';return salla.cart.event.imageNotDeleted(e),salla.api.errorPromise(e)}let t=await this.getCurrentCartId();return this.request(["deleteImage",t,e]).then((function(t){return salla.cart.event.imageDeleted(t,e),t})).catch((function(t){throw salla.cart.event.imageNotDeleted(t,e),t}))}async status(e){return this.request(["status",e||await this.getCurrentCartId()],{params:{has_apple_pay:!!window.ApplePaySession}})}async submit(){this.status(await this.getCurrentCartId()).then((e=>{let t=e.data.next_step.to;if(!["checkout","refresh","login"].includes(t)){let e="Can't find next_step );";throw salla.cart.event.submitFailed(e),e}if(salla.cart.event.submitted(e),"login"===t)return salla.auth.setCanRedirect(!1),salla.event.dispatch("login::open"),void salla.auth.event.onLoggedIn((e=>{salla.event.dispatch("login::close"),this.submit();}));"checkout"===t?window.location.href=e.data.next_step.url+(window.ApplePaySession?"?has_apple_pay=true":""):window.location.reload();})).catch((function(e){throw salla.cart.event.submitFailed(e),e}));}getCartPayload(e){let t=e?.data||("object"==typeof e?e:void 0);return e=t?salla.form.getPossibleValue(t,["prod_id","product_id","item_id","id"]):e,t="object"==typeof t?t:void 0,{id:e,payload:t}}normalRequest(e,t,a=null){return super.normalRequest(e,t,a).catch((e=>{throw 403===e?.response?.status&&(salla.cart.api.reset(),salla.error(salla.lang.get("pages.checkout.try_again"))),e}))}reset(){salla.api.cart.latestCart=null,salla.storage.remove("cart"),salla.cart.event.successReset();}async addCoupon(e){if(e=e.data||e,!(e=salla.form.getPossibleValue(e,["coupon"]))){let e=new Error('There is no "Coupon Code"!');return e.name="EmptyCoupon",salla.event.cart.couponAdditionFailed(e),salla.api.errorPromise(e)}let t=await salla.cart.api.getCurrentCartId();return this.request(["addCoupon",t],{coupon:e}).then((function(e){return salla.event.cart.couponAdded(e,t),e})).catch((function(e){throw salla.event.cart.couponAdditionFailed(e,t),e}))}async deleteCoupon(){let e=await salla.cart.api.getCurrentCartId();return this.request(["deleteCoupon",e],{}).then((function(t){return salla.event.cart.couponDeleted(t,e),t})).catch((function(t){throw salla.event.cart.couponDeletionFailed(t,e),t}))}getQuickOrderSettings(){return this.request("getQuickOrderSettings").then((e=>(salla.event.cart.quickOrderSettingFetched(e),e))).catch((e=>{throw salla.event.cart.quickOrderSettingFailed(e),e}))}createQuickOrder(e){return this.request("createQuickOrder",e).then((e=>(salla.event.cart.quickOrderSucceeded(e),e))).catch((e=>{throw salla.event.cart.quickOrderFailed(e),e}))}async priceQuote(e){return salla.config.isGuest()?(salla.auth.api.setAfterLoginEvent("cart::priceQuote",e),void salla.event.dispatch("login::open")):this.request(["priceQuote",e||await this.getCurrentCartId()]).then((e=>(salla.cart.api.reset(),salla.event.cart.priceQuoteSucceeded(e).then((()=>(setTimeout((()=>window.location.href=salla.url.get("/")),1e3),e)))))).catch((e=>salla.event.cart.priceQuoteFailed(e).then((()=>{throw 404===e.error?.code&&window.location.reload(),e}))))}}class g extends h{constructor(){super(),this.namespace="loyalty",this.endpoints={getProgram:"loyalty",exchange:"loyalty/exchange",reset:"loyalty/exchange"},this.endpointsMethods={getProgram:"get",reset:"put"},this.after_init();}getProgram(){return this.request("getProgram").then((e=>(salla.loyalty.event.programFetched(e),e))).catch((e=>{throw salla.loyalty.event.programNotFetched(e),e}))}async exchange(e,t=null){if(!(e=salla.form.getPossibleValue(e,["id","loyalty_prize_id","prize_id"]))){let e="Unable to find cart id. Please provide one.";return salla.loyalty.event.exchangeFailed(e),salla.api.errorPromise(e)}if(!(t=t||await salla.cart.getCurrentCartId())){let e="Unable to find cart id. Please provide one.";return salla.loyalty.event.exchangeFailed(e),salla.api.errorPromise(e)}return this.request("exchange",{loyalty_prize_id:e,cart_id:t}).then((function(t){return salla.loyalty.event.exchangeSucceeded(t,e),t})).catch((function(t){throw salla.loyalty.event.exchangeFailed(t,e),t}))}async reset(e=null){if(!(e=e||await salla.cart.getCurrentCartId())){let e="Unable to find cart id. Please provide one.";return salla.loyalty.event.resetFailed(e),salla.api.errorPromise(e)}return this.request("reset",{cart_id:e}).then((e=>(salla.loyalty.event.resetSucceeded(e),e))).catch((e=>{throw salla.loyalty.event.resetFailed(e),e}))}}class f extends h{constructor(){super(),this.namespace="auth",this.canRedirect_=!0,this.afterLoginEvent={event:null,payload:null},this.endpoints={login:"auth/{type}/send_verification",resend:"auth/resend_verification",verify:"auth/{type}/verify",register:"auth/register",logout:"logout",refresh:"auth/refresh"},this.webEndpoints=["logout","auth/jwt","refresh"],this.endpointsMethods={logout:"get"},this.after_init();}setAfterLoginEvent(e,t){salla.api.auth.afterLoginEvent={event:e,payload:t};}setCanRedirect(e){salla.api.auth.canRedirect_=e;}canRedirect(){return salla.api.auth.canRedirect_&&!salla.api.auth.afterLoginEvent.event}login(e){e?.data&&(e=e.data);let t=salla.form.getPossibleValue(e,["type"]);if(!["email","mobile"].includes(t)){let e="Login type should be in: [email, mobile]";return salla.auth.event.codeNotSent(e),salla.api.errorPromise(e)}return this.request(["login",t],e).then((function(e){return salla.auth.event.codeSent(e,t),e})).catch((function(e){throw salla.auth.event.codeNotSent(e,t),e}))}async verify(e,t=!0){let a=salla.form.getPossibleValue(e,["type"]);if(!a){let e="Failed to know what's login type!";return salla.auth.event.verificationFailed(e),salla.api.errorPromise(e)}t=!1!==salla.form.getPossibleValue(e,["supportWebAuth"])&&t,salla.auth.event.next_event&&(e.next_event=salla.auth.event.next_event);let r=await salla.auth.api.request(["verify",a],e);if(200!==r?.status)return salla.auth.event.verificationFailed(r,a),salla.api.errorPromise(r);let i="authenticated"===r.data?.case;return i&&salla.auth.event.tokenFetched(r.data.token),t&&await salla.auth.api.request("auth/jwt"),i&&salla.auth.event.loggedIn(r).then((()=>salla.auth.api.afterUserLogin())),salla.auth.event.verified(r,a),salla.api.successPromise(r)}resend(e){let t;return (e=e.data||e).type=e.type||"mobile","mobile"!==e.type||e.phone&&e.country_code?"email"!==e.type||e.email?this.request("resend",e).then((function(t){return salla.auth.event.codeSent(t,e),t})).catch((function(t){throw salla.auth.event.codeNotSent(t,e),t})):(salla.auth.event.codeNotSent(t="There is no email!",e),salla.api.errorPromise(t)):(salla.auth.event.codeNotSent(t="There is no phone or country_code!",e),salla.api.errorPromise(t))}register(e){let t;return e.data&&(t=e.element,e=e.data),salla.auth.event.next_event&&(e.next_event=salla.auth.event.next_event),this.request("register",e).then((async function(e){return salla.auth.event.registered.call(t,e),"authenticated"===e.data?.case&&(salla.auth.event.tokenFetched(e.data.token),await salla.auth.request("auth/jwt"),salla.auth.event.loggedIn(e),salla.auth.api.afterUserLogin()),e})).catch((function(e){throw salla.auth.event.registrationFailed.call(t,e),e}))}logout(){return salla.storage.clearAll(),salla.cookie.clearAll(),salla.auth.event.loggedOut().then((()=>{let e=salla.url.get("logout");console.log(`Going to ${e}, to do any thing before this action use: salla.auth.even.onLoggedOut(()=>{...})`),location.href=e;}))}refresh(){return this.request("refresh").then((function(e){return salla.auth.event.tokenFetched(e.data.token),e})).catch((function(e){throw salla.auth.event.refreshFailed(e),e}))}afterUserLogin(){this.afterLoginEvent.event&&salla.event.emit(this.afterLoginEvent.event,this.afterLoginEvent.payload);}}class m extends h{constructor(){super(),this.namespace="order",this.endpoints={cancel:"orders/cancel/{id}",createCartFromOrder:"reorder/{id}",sendInvoice:"orders/send/{id}"},this.endpointsMethods={createCartFromOrder:"get"},this.after_init();}show(e){let t=salla.form.getPossibleValue(e?.data||e,["id","order_id"]);salla.event.dispatch("mobile::order.placed",{order_id:t}),location.href=salla.form.getPossibleValue(e?.data||e,["url"]);}cancel(e){return e=e||Salla.config.get("page.id"),this.request(["cancel",e],{params:{has_apple_pay:!!window.ApplePaySession}}).then((function(t){return salla.event.order.canceled(t,e),t})).catch((function(t){throw salla.event.order.notCanceled(t,e),t}))}createCartFromOrder(e){return e=e||salla.config.get("page.id"),this.request(["createCartFromOrder",e]).then((function(t){return salla.cart.reset(),salla.storage.set("cart",{id:t.data.cart_id,user_id:salla.config.get("user.id")}),salla.event.order.orderCreated(t,e),window.location.href=t.data.url,t})).catch((function(t){throw salla.event.order.orderCreationFailed(t,e),t}))}sendInvoice(e){let t=salla.form.getPossibleValue(e,["id"])||salla.config.get("page.id");if(!t||isNaN(t)){let e="There is no id!";return salla.order.event.invoiceNotSent(e),salla.api.errorPromise(e)}return this.request(["sendInvoice",t],e).then((e=>(salla.event.order.invoiceSent(e,t),e))).catch((e=>{throw salla.event.order.invoiceNotSent(e,t),e}))}}class v extends h{constructor(){super(),this.namespace="product",this.previousQuery="",this.endpoints={get:"products/{id}/details",getPrice:"products/{id}/price",availabilitySubscribe:"products/{id}/availability-notify",search:"products/search",detail:"products/{product_id}/details",categories:"products/categories/{?id}",offers:"products/{product_id}/specialoffer",getSizeGuides:"products/{prod_id}/size-guides",giftDetail:"products/{product_id}/buy-as-gift",giftToCart:"products/{product_id}/buy-as-gift",giftImage:"products/buy-as-gift/image"},this.endpointsMethods={detail:"get",giftDetail:"get"},this.after_init();}get(e,t=[]){if(!Array.isArray(t)){let e="withItems should be array.";return salla.api.errorPromise(e)}if(!e){let e="productId is not passed.";return salla.api.errorPromise(e)}return this.request(["get",e],{params:{with:t}}).then((function(e){return e})).catch((function(e){throw e}))}getPrice(e){let t=e.data||e,a=salla.form.getPossibleValue(t,["id","prod_id","product_id"]);return this.request(["getPrice",a],"object"==typeof t?t:void 0).then((function(e){return salla.product.event.priceUpdated(e,a),e})).catch((function(e){throw salla.product.event.priceUpdateFailed(e,a),e}))}categories(e){return this.request(["categories",e||""],null,"get").then((function(e){return salla.product.event.categoriesFetched(e),e})).catch((function(e){throw salla.product.event.categoriesFailed(e),e}))}availabilitySubscribe(e){let t=e.data||e;return e=salla.form.getPossibleValue(t,["id","prod_id"]),this.request(["availabilitySubscribe",e],"object"==typeof t?t:void 0).then((function(t){return salla.product.event.availabilitySubscribed(t,e),t})).catch((function(t){throw salla.product.event.availabilitySubscribedFailed(t,e),t}))}search(e){let t=e.data;if(t||(t={params:"string"==typeof e?{query:e}:e}),!(e=t instanceof FormData?t.get("query"):t.query||t.params?.query)){let e='There is no "query"!';return salla.product.event.searchFailed(e),salla.api.errorPromise(e)}if(e===salla.api.product.previousQuery){let e="Query is same as previous one!";return salla.product.event.searchFailed(e),salla.api.product.previousQuery=null,salla.api.errorPromise(e)}return salla.api.product.previousQuery=e,this.request("search",t,"get").then((function(t){return salla.product.event.searchResults(t,e),t})).catch((function(t){throw salla.product.event.searchFailed(t,e),t}))}offers(e){if(!(e=salla.form.getPossibleValue(e?.data|e,["product_id","id"]))){let e='There is no "product_id"!';return salla.offer.event.fetchDetailsFailed(e),salla.api.errorPromise(e)}return this.request(["offers",e]).then((function(t){return salla.product.event.offersFetched(t,e),t})).catch((function(t){throw salla.product.event.fetchOffersFailed(t,e),t}))}getSizeGuides(e){return this.request(`products/${e}/size-guides`,null,"get").then((t=>(salla.product.event.sizeGuideFetched(t,e),t))).catch((t=>{throw salla.product.event.sizeGuideFetchFailed(t,e),t}))}getGiftDetails(e){return this.request(["giftDetail",e]).then((t=>(salla.product.event.giftFetched(t,e),t))).catch((t=>{throw salla.product.event.giftFetchFailed(t,e),t}))}getDetails(e,t=[]){if(!Array.isArray(t)){let e="withItems should be array.";return salla.product.event.detailFetchFailed(e),salla.api.errorPromise(e)}if(!e){let e="productId is not passed.";return salla.product.event.detailFetchFailed(e),salla.api.errorPromise(e)}return this.request(["detail",e],{params:{with:t}}).then((function(t){return salla.product.event.detailFetched(t,e),t})).catch((function(t){throw salla.product.event.detailFetchFailed(t,e),t}))}addGiftToCart(e,t,a=!1){return this.request(["giftToCart",e],t).then((t=>(salla.product.event.addGiftToCartSucceeded(t,e),a&&(window.location.href=t.redirect),response))).catch((t=>{throw salla.product.event.addGiftToCartFailed(t,e),t}))}uploadGiftImage(e){return this.request("giftImage",e).then((e=>(salla.product.event.giftImageUploadSucceeded(e),e))).catch((e=>{throw salla.product.event.giftImageUploadFailed(e),e}))}}class y extends h{constructor(){super(),this.namespace="profile",this.endpoints={info:"auth/user",update:"profile/update",updateContacts:"profile/contacts/update",updateSettings:"profile/settings",verify:"profile/verify",delete:"profile"},this.endpointsMethods={delete:"delete"},this.after_init();}info(){return this.request("info",null,"get").then((e=>{let t={id:e.data.id,type:"user",email:e.data.email,mobile:e.data.phone.code+e.data.phone.number,country_code:e.data.phone.country,language_code:e.data.language,currency_code:e.data.currency,notifications:e.data.notifications,pending_orders:e.data.pending_orders,avatar:e.data.avatar,first_name:e.data.first_name,last_name:e.data.last_name,fetched_at:Date.now()};return salla.config.set("user",t),salla.storage.set("user",t),salla.profile.event.infoFetched(e),e})).catch((e=>{throw salla.profile.event.infoNotFetched(e),e}))}update(e){return this.request("update",e).then((e=>(salla.profile.event.updated(e),e))).catch((e=>{throw salla.event.profile.updateFailed(e),e}))}updateContacts(e){return this.request("updateContacts",e).then((e=>(salla.profile.event.verificationCodeSent(e),e))).catch((e=>{throw salla.event.profile.updateContactsFailed(e),e}))}verify(e){return this.request("verify",e).then((e=>(salla.profile.event.verified(e),e))).catch((e=>{throw salla.event.profile.unVerified(e),e}))}updateSettings(e){return this.request("updateSettings",e).then((e=>(salla.event.profile.settingsUpdated(e),e))).catch((e=>{throw salla.event.profile.updateSettingsFailed(e),e}))}delete(){return this.request("delete").then((e=>(salla.storage.clearAll(),salla.cookie.clearAll(),salla.event.profile.deleted(e),window.location.href=salla.url.get("logout"),e))).catch((e=>{throw salla.event.profile.notDeleted(e),e}))}}class w extends h{constructor(){super(),this.namespace="comment",this.endpoints={add:"{type}/{id}/comments"},this.after_init();}add(e){e?.data&&(e=e.data);let t,a=salla.form.getPossibleValue(e,["id"]),r=salla.form.getPossibleValue(e,["type"]),i=salla.form.getPossibleValue(e,["comment"]);return a?r&&["products","pages","product","page"].includes(r)?i?(r+=["product","page"].includes(r)?"s":"",this.request(["add",r,a],{comment:i}).then((function(e){return salla.event.comment.added(e,a),e})).catch((function(e){throw salla.event.comment.additionFailed(e,a),e}))):(salla.event.comment.additionFailed(t="can't find comment content!"),salla.api.errorPromise(t)):(salla.event.comment.additionFailed(t="Failed to get type one of:(products, product, page, pages)!"),salla.api.errorPromise(t)):(salla.event.comment.additionFailed(t="Failed to get id!"),salla.api.errorPromise(t))}}class b extends h{constructor(){super(),this.namespace="currency",this.endpoints={change:"/",list:"currencies"},this.endpointsMethods={change:"get",list:"get"},this.webEndpoints=["change"],this.after_init();}change(e){if(!(e=salla.form.getPossibleValue(e.data||e,["currency","code"]))){let e="Can't find currency code!";return salla.currency.event.failed(e),salla.api.errorPromise(e)}return this.request("change",{params:{change_currency:"",currency:e}}).then((function(t){return salla.cookie.set("fresh_summary",1),salla.storage.set("cart",""),salla.currency.event.changed(t,e),t})).catch((function(t){throw salla.currency.event.failed(t,e),t}))}list(){return this.request("list").then((function(e){return salla.currency.event.fetched(e),e})).catch((function(e){throw salla.currency.event.failedToFetch(e),e}))}}class F extends h{constructor(){super(),this.namespace="document";}}class S extends h{constructor(){super(),this.namespace="rating",this.endpoints={store:"rating/store",products:"rating/products",shipping:"rating/shipping",order:"rating/{order_id}"},this.endpointsMethods={order:"get"},this.after_init();}order(e){let t="object"==typeof e?e:{},a=salla.form.getPossibleValue(e?.data||e,["order_id","id"]);if(!a){let e='There is no "order_id"!';return salla.event.rating.orderNotFetched(e),salla.api.errorPromise(e)}return this.request(["order",a],t).then((function(e){return salla.event.rating.orderFetched(e,a),e})).catch((function(e){throw salla.event.rating.orderNotFetched(e,a),e}))}store(e){if(!(e=e.data||e)){let e='There is no "data"!';return salla.event.rating.storeFailed(e),salla.api.errorPromise(e)}return this.request("store",e).then((function(t){return salla.event.rating.storeRated(t,e),t})).catch((function(t){throw salla.event.rating.storeFailed(t,e),t}))}products(e){if(!(e=e.data||e)){let e='There is no "data"!';return salla.event.rating.productsFailed(e),salla.api.errorPromise(e)}return this.request("products",e).then((function(t){return salla.event.rating.productsRated(t,e),t})).catch((function(t){throw salla.event.rating.productsFailed(t,e),t}))}shipping(e){if(!(e=e.data||e)){let e='There is no "data"!';return salla.event.rating.shippingFailed(e),salla.api.errorPromise(e)}return this.request("shipping",e).then((function(t){return salla.event.rating.shippingRated(t,e),t})).catch((function(t){throw salla.event.rating.shippingFailed(t,e),t}))}}class _ extends h{constructor(){super(),this.namespace="wishlist",this.endpoints={add:"products/favorites/{id}",remove:"products/favorites/{id}"},this.endpointsMethods={remove:"delete"},this.after_init();}toggle(e){return salla.storage.get("salla::wishlist",[]).includes(e)?this.remove(e):this.add(e)}add(e){let t;return salla.config.isGuest()?(salla.wishlist.event.additionFailed(t=salla.lang.get("common.messages.must_login")),salla.error(t),salla.api.errorPromise(t)):(e=salla.form.getPossibleValue(e?.data||e,["product_id","id"]))?this.request(["add",e]).then((t=>(this.updateWishlistStorage(e),salla.wishlist.event.added(t,e),t))).catch((function(t){throw salla.wishlist.event.additionFailed(t,e),t})):(salla.wishlist.event.additionFailed(t="Failed to get product id!"),salla.api.errorPromise(t))}remove(e){let t;return salla.config.isGuest()?(salla.wishlist.event.additionFailed(t=salla.lang.get("common.messages.must_login")),salla.error(t),salla.api.errorPromise(t)):(e=salla.form.getPossibleValue(e?.data||e,["product_id","id"]))?this.request(["remove",e]).then((t=>(this.updateWishlistStorage(e,!1),salla.wishlist.event.removed(t,e),t))).catch((function(t){throw salla.wishlist.event.removingFailed(t,e),t})):(salla.wishlist.event.removingFailed(t="Failed to get id!"),salla.api.errorPromise(t))}updateWishlistStorage(e,t=!0){let a=salla.storage.get("salla::wishlist",[]);t?a.push(e):a.splice(a.indexOf(e),1),salla.storage.set("salla::wishlist",a);}}class q extends h{constructor(){super(),this.namespace="scopes",this.endpoints={get:"scopes",change:"scopes",getProductAvailability:"scopes/availability?product_id={id}"},this.after_init();}get(){return this.request("scopes",null,"get").then((e=>(salla.scope.event.fetched(e),e))).catch((e=>{throw salla.scope.event.notFetched(e),e}))}change(e){return this.request("scopes",e).then((e=>(salla.scope.event.changeSucceeded(e),e))).catch((e=>{throw salla.scope.event.changeFailed(e),e}))}getProductAvailability(e=null){return this.request(`scopes/availability?product_id=${e}`,null,"get").then((t=>(salla.scope.event.productAvailabilityFetched(t,e),t))).catch((e=>{throw salla.scope.event.productAvailabilityNotFetched(e),resp}))}}class A extends h{constructor(){super(),this.namespace="booking",this.endpoints={add:"cart/booking/product/{id}"},this.endpointsMethods={add:"get"};}async add(e,t=!0){if(!e){let e="Please provide product id.";return salla.booking.event.additionFailed(e),salla.api.errorPromise(e)}return this.request(["add",e]).then((function(e){return salla.booking.event.added(e),t&&"booking"===e.data.redirect.to&&(window.location.href=e.data.redirect.url),e})).catch((function(e){throw salla.booking.event.additionFailed(e),e}))}}class E{constructor(t){"ready"!==f$1.status?t?(f$1.config.merge(t),t?.events&&f$1.event.dispatchEvents(t?.events),t._token&&salla.api.setHeader("X-CSRF-TOKEN",t._token),this.injectMaintenanceAlert(),this.injectThemePreviewAlert(),this.injectEditAlert(),t?.user?.language_code&&salla.lang.setLocale(t?.user?.language_code),salla.lang.loadStoreTranslations(),this.setSallaReady(t)):this.setSallaReady(t):salla.log("Trying to re-initiate Salla, while its status === 'ready'!");}injectMaintenanceAlert(){salla.config.get("maintenance")&&(document.querySelector(".store-notify")?salla.logger.warn(".store-notify element Existed before!"):salla.lang.onLoaded((()=>{const e=document.createElement("div");e.classList.add("store-notify"),e.style="background-color: #d63031; color: #fff; padding: 10px 15px; text-align: center; font-size: 17px;",e.innerHTML=`<p style="margin:0 !important;">${salla.lang.get("blocks.header.maintenance_alert")}</p>`,document.body.prepend(e);})));}injectThemePreviewAlert(){"preview"===salla.config.get("theme.mode")&&(document.querySelector("#s-theme_preview_bar")?salla.logger.warn("#s-theme_preview_bar element Existed before!"):salla.lang.onLoaded((()=>{let e=document.createElement("div");e.id="s-theme_preview_bar",e.setAttribute("style","display: flex; justify-content: space-between; text-align: center; background-color: #232323; color: #fff; padding: 10px; font-size: 0.875rem; line-height: 1.25rem; position: relative;"),e.innerHTML=`\n <div style="display:flex; align-items:center;">\n <img width="32" src="https://assets.salla.sa/cp/assets/images/logo-new.png">\n <span style="margin:0 10px;">${salla.lang.get("blocks.header.preview_mode")}: <span style="background:rgba(255,255,255,0.25);border-radius:15px; padding:2px 15px 4px">${salla.config.get("theme.name")}</span></span>\n </div>\n <a href="${salla.url.get("preview_theme/cancel/preview")}" style="line-height:32px; width:32px;"><i class="sicon-cancel"></i></a>\n `,document.body.prepend(e);})));}injectEditAlert(){let e=salla.config.get("edit");e&&(document.querySelector("#s-edit-alert")?salla.logger.warn("#s-edit-alert element Existed before!"):salla.lang.onLoaded((()=>{let t=document.createElement("div");t.id="s-edit-alert",t.innerHTML=`\n <a href="${e}" style="display:block; background-color:${salla.config.get("theme.color.primary","#5cd5c4")}; color:${salla.config.get("theme.color.reverse","#fff")}; padding: 10px; text-align:center; font-size: 0.875rem; line-height: 1.25rem;">\n <i class="sicon-edit"></i> \n ${salla.lang.get("pages.products.quick_edit")}\n </a>\n `,document.body.prepend(t);})));}handleElementAjaxRequest(e,t){if(!(t instanceof HTMLFormElement||t instanceof HTMLAnchorElement))return salla.logger.warn("trying to call ajax from non Element!!"),!1;e.preventDefault();let a=t.getAjaxFormData(e),r=a.method?a.method.toLowerCase():void 0;salla.api.request(a.url,a.formData,r).then((e=>(e.data&&e.request&&(e=e.data),salla.api.handleAfterResponseActions(e),this.callAjaxEvent(a.events.success,e,a.formData),e))).catch((e=>{throw salla.api.handleErrorResponse(e),this.callAjaxEvent(a.events.fail,e,a.formData),e}));}callAjaxEvent(e,t,a){if(e){if(a instanceof FormData){const e={};Array.from(a.entries()).forEach((function(t){e[t[0]]=t[1];})),a=e;}window[e]?window[e](t,a):salla.event.dispatch(e,t,a);}}setSallaReady(t){f$1.status="ready",f$1.event.dispatch("twilight::initiated",t),window.dispatchEvent(new CustomEvent("twilight::initiated",{detail:t}));}}f$1.status="loading",f$1.notify=o,f$1.lang=new class extends lang{constructor(e){(e=e||{}).messages=e.messages||window.translations,e.locale=e.locale||(window.locale||navigator.language||navigator.userLanguage||"ar").split("-")[0],e.fallback=e.fallback||e.locale,super(e),this.translationsLoaded=!1;}onLoaded(e){if(this.translationsLoaded)return e();Salla.event.once("languages::translations.loaded",e);}loadStoreTranslations(){if(this.messages)return void window.addEventListener("load",(e=>{salla.event.dispatch("languages::translations.loaded"),salla.logger.info("The messages of transactions is already loaded");}));if(!salla.url.get(""))return void this.loadScript("https://cdn.salla.network/js/translations.js",!1);let e=salla.config.get("theme.translations_hash",salla.config.get("store.id","twilight"));this.loadScript(salla.url.get(`languages/assets/${e}.js`));}setMessages(e){super.setMessages(e),salla.event.dispatch("languages::translations.loaded"),this.translationsLoaded=!0;}loadScript(e,t=!0){let a=document.createElement("script");a.src=e,a.onload=()=>{if(window.translations)return this.setMessages(window.translations);a.onerror();},a.onerror=()=>{if(t)return salla.logger.warn("Failed to load Translations for store, lets try load it from CDN"),this.loadScript("https://cdn.salla.network/js/translations.js",!1);salla.logger.error("Failed to load Translations, check your network logs for more details\nor: salla.lang.setMessages({....}), see https://docs.salla.dev for more information's.");},document.head.appendChild(a);}get(e,t,a){return window.translations&&(e="trans."+e),super.get(e,t,a)}set(e,t){return salla.helpers.setNested(this.messages[this.getLocale()+".trans"],e,t),this}},f$1.form=new class{async submit(e,t=null){let a=t;if("SubmitEvent"===t?.constructor?.name||"submit"===t?.type){if(t.preventDefault(),"FORM"!==t.target?.tagName)return Salla.logger.warn("Failed find the target element for submit action. make sure you submit a form element"),new Promise((()=>{throw "Failed find the target element for submit action. make sure you submit a form element"}));"SALLA-BUTTON"===t?.submitter?.parentElement?.tagName&&t.submitter.parentElement.load(),a=t.target.getElementSallaData(),salla.log("Data from element",a);}if(/^https?:\/\/(?:www\.)?[-a-zA-Z0-9@:%._\+~#=]{1,256}\.[a-zA-Z0-9()]{1,6}\b([-a-zA-Z0-9()@:%_\+.~#?&//=]*)$/gm.test(e))return salla.api.normalRequest(e,a,"post").finally((()=>{loaderSupported&&t?.submitter?.parentElement.stop();}));let r=e.split("."),i=r.splice(-1);return await salla.call(r.join("."))[i](a).finally((()=>t?.submitter?.parentElement?.stop())).catch((e=>{throw salla.logger.warn(e),e}))}onSubmit(e,t){return salla.form.submit(e,t),!1}onChange(e,t){return t?.currentTarget?"FORM"!==t?.currentTarget?.tagName||t.currentTarget.checkValidity()?(salla.form.submit(e,t.currentTarget.getElementSallaData()),!0):(salla.logger.warn(`Trying to trigger '${e}' without filling required fields!`),!1):(salla.logger.warn(`Trying to trigger '${e}' without event!`),!1)}getPossibleValue(e,t,a=!1){if(!e)return;if("object"!=typeof e)return e;let r;for(let a=0;a<t.length&&!(r=e[t[a]])&&!("undefined"!=typeof FormData&&e instanceof FormData&&(r=e.get(t[a])));a++);return r=r||e,"object"!=typeof r||a?r:void 0}},f$1.helpers.app=new class{toggleClassIf(e,t,a,r){return document.querySelectorAll(e).forEach((e=>this.toggleElementClassIf(e,t,a,r))),this}toggleElementClassIf(e,t,a,r){t=Array.isArray(t)?t:t.split(" "),a=Array.isArray(a)?a:a.split(" ");let i=r(e);return e?.classList.remove(...i?a:t),e?.classList.add(...i?t:a),this}isValidEmail(e){return /^(([^<>()[\]\\.,;:\s@"]+(\.[^<>()[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/.test(String(e).toLowerCase())}element(e){return "object"==typeof e?e:document.querySelector(e)}watchElement(e,t){return this[e]=this.element(t),this}watchElements(e){return Object.entries(e).forEach((e=>this.watchElement(e[0],e[1]))),this}on(e,t,a,r={}){return "object"==typeof t?(this.element(t).addEventListener(e,a,r),this):(document.querySelectorAll(t).forEach((t=>t.addEventListener(e,a,r))),this)}onClick(e,t){return this.on("click",e,t)}onKeyUp(e,t){return this.on("keyup",e,t)}onEnter(e,t){return this.onKeyUp(e,(e=>13===e.keyCode&&t(e))),this}all(e,t){return document.querySelectorAll(e).forEach(t),this}hideElement(e){return this.element(e).style.display="none",this}showElement(e,t="block"){return this.element(e).style.display=t,this}removeClass(e,t){return this.element(e).classList.remove(...Array.from(arguments).slice(1)),this}addClass(e,t){return this.element(e).classList.add(...Array.from(arguments).slice(1)),this}debounce(e,...t){return this.debounce_||(this.debounce_=Salla.helpers.debounce(((e,...t)=>e(...t)),500)),this.debounce_(e,...t)}},f$1.infiniteScroll=new class extends d{constructor(e,t){super(e,t),this.options={path:".infinite-scroll-btn",history:"push",status:".infinite-scroll-status",append:".list-block"},this.fetchOptions={headers:{"S-INFINITE-SCROLL":!0}},this.instances=[];}initiate(e,a,r){r=this.getCustomOptions(a,r);let i="string"!=typeof e?e:document.querySelector(e),s=r.path;if(!i||!s||"string"==typeof s&&!document.querySelector(s))return void Salla.logger.warn(i?"Path Option (a link that has next page link) Not Existed!":"Container For InfiniteScroll not Existed!");let n=new js(i,r);return n.on("scrollThreshold",Salla.infiniteScroll.event.scrollThreshold),n.on("request",Salla.infiniteScroll.event.request),n.on("load",Salla.infiniteScroll.event.load),n.on("append",Salla.infiniteScroll.event.append),n.on("error",Salla.infiniteScroll.event.error),n.on("last",Salla.infiniteScroll.event.last),n.on("history",Salla.infiniteScroll.event.history),this.instances.push(n),n}getCustomOptions(e,t){return (t="object"==typeof e&&e||t||this.options).fetchOptions=this.fetchOptions,t.path=t.path||this.options.path,t.button=t.button||t.path,t.status=t.status||this.options.status,t.hasOwnProperty("history")||(t.history=this.options.history),t.nextPage=t.nextPage||t.next_page,t.append="string"==typeof e&&e||t.append||this.options.append,t}}(void 0,salla.event.infiniteScroll),f$1.api=new class extends class{constructor(){salla.event.on("twilight::initiated",(e=>this.initiateRequest(e))),salla.event.on("profile::info.fetched",(e=>this.setCurrencyAndLanguage(e))),salla.event.on("auth::token.fetched",(e=>{salla.storage.set("token",e),this.setToken(e),salla.cart.api.reset();})),this.notifier_handler_disabled=!1,this.axios=axios.create({headers:{common:{"X-Requested-With":"XMLHttpRequest","S-SOURCE":"twilight","S-APP-VERSION":"v2.0.0","S-APP-OS":"browser"}}});}getHeaders(){return this.axios.defaults.headers.common}setHeaders(e){return Object.entries(e).forEach((e=>this.setHeader(e[0],e[1]))),this}setHeader(e,t){return salla.infiniteScroll.fetchOptions.headers[e]=this.axios.defaults.headers.common[e]=t,this}async withoutNotifier(e){return this.notifier_handler_disabled=!0,await e().finally((()=>{this.notifier_handler_disabled=!1;}))}initiateRequest(e){this.axios.defaults.baseURL=Salla.config.get("store.api",Salla.config.get("store.url")),this.setHeaders({"Store-Identifier":Salla.config.get("store.id"),currency:e.user?.currency_code||"SAR","accept-language":salla.lang.getLocale(),"s-user-id":e.user?.id});let t=salla.storage.get("scope");t&&this.setHeaders({"s-scope-type":t.type,"s-scope-id":t.id}),this.injectTokenToTheRequests(e);}injectTokenToTheRequests(e){let t=salla.storage.get("token"),a=Salla.config.isGuest(),r=salla.storage.get("cart"),s=e.user?.id,n=salla.storage.get("user.id");if(n&&n!==s&&salla.storage.remove("user"),r&&(r.user_id!==s||r.store_id!==e.store?.id))return salla.log("cart",{user_id:r.user_id,store_id:r.store_id}),salla.log("current",{user_id:s,store_id:e.store?.id}),salla.log("Auth:: The cart is not belong to current "+(r.user_id!==s?"user":"store")+"!"),void salla.cart.api.reset();if(a&&!t)return;if(a&&t)return salla.log("Auth:: Token without user!"),salla.storage.remove("token"),void salla.cart.api.reset();if(!t)return salla.cart.api.reset(),void salla.auth.api.refresh();let l=o$1(t);return Date.now()/1e3>l.exp?(salla.log("Auth:: An expired token!"),salla.storage.remove("token"),salla.cart.api.reset(),void salla.auth.api.refresh()):l.sub!==s?(salla.log("Auth:: The user id is not match the token details!"),salla.storage.remove("token"),salla.cart.api.reset(),void salla.auth.api.refresh()):(this.setToken(t),void salla.event.emit("request::initiated"))}setToken(e){return this.setHeader("Authorization","Bearer "+e)}setCurrencyAndLanguage(e){return this.setHeaders({currency:e.data.currency,"accept-language":e.data.language})}request(e,t,a="get",r={}){let i={endPoint:e,payload:t,method:a,options:r},s="undefined"!=typeof event?event.currentTarget:null,n=!1;return "SALLA-BUTTON"===s?.tagName&&(n=!0),n&&s?.load(),this.axios[i.method](i.endPoint,i.payload,i.options).then((e=>(n&&s?.stop(),e.data&&e.request&&(e=e.data),this.handleAfterResponseActions(e),e))).catch((e=>{throw n&&s?.stop(),salla.event.document.requestFailed(i,e),this.handleErrorResponse(e),e}))}handleAfterResponseActions(e){if(!e)return;let{data:t,googleTags:a=null}=e,r=t&&t.googleTags?t.googleTags:a;dataLayer&&r&&dataLayer.push(r),this.fireEventsForResponse(e),this.showAlert(e),this.renderSections(e);}fireEventsForResponse(e){let t=e?.events||e.data?.events||e.error?.events;"string"==typeof t&&(t=JSON.parse(t)),t&&Object.keys(t).forEach((e=>salla.event.dispatch(e,t[e])));}handleErrorResponse(e){if(e.response&&e.response.data)return e.response.data.error&&e.response.data.error.fields&&!this.notifier_handler_disabled?this.handleInvalidFields(e):this.handleAfterResponseActions(e.response.data)}showAlert(e){if(e&&!this.notifier_handler_disabled)return e.case&&e.msg?salla.notify.fire(e.msg,e.case,e):e.hasOwnProperty("success")&&e.data?.message?salla.notify.fire(e.data?.message,e.success?salla.notify.types.success:salla.notify.types.error,e):e.error&&e.error.message&&"FORBIDDEN"!==e.error.message?salla.error(e.error.message,e):void 0}handleInvalidFields(e){let t=e.response.data.error.fields,a=[];Object.keys(t).forEach((e=>{let r=t[e];Array.isArray(r)?r.forEach((e=>a.push(e))):a.push(r);}));let r=(a.length>1?"* ":"")+a.join("\n* ");salla.error(r,e);}isFastRequestsAllowed(){return Salla.config.get("fastRequests")}promise(e,t=!0){return new Promise(((a,r)=>t?a(e):r(e)))}errorPromise(e){return this.promise(e,!1)}successPromise(e){return this.promise(e,!0)}renderSections(e){e.sections&&Object.keys(e.sections).forEach((t=>{document.querySelectorAll(t.toSelector()).forEach((function(a){a.innerHTML=e.sections[t];}));}));}}{constructor(){super(),this.auth=new f,this.cart=new p,this.loyalty=new g,this.order=new m,this.rating=new S,this.product=new v,this.profile=new y,this.comment=new w,this.currency=new b,this.document=new F,this.wishlist=new _,this.scope=new q,this.booking=new A;}},f$1.cart=new d(f$1.api.cart,f$1.event.cart),f$1.auth=new d(f$1.api.auth,f$1.event.auth),f$1.order=new d(f$1.api.order,f$1.event.order),f$1.scope=new d(f$1.api.scope,f$1.event.scope),f$1.rating=new d(f$1.api.rating,f$1.event.rating),f$1.comment=new d(f$1.api.comment,f$1.event.comment),f$1.loyalty=new d(f$1.api.loyalty,f$1.event.loyalty),f$1.product=new d(f$1.api.product,f$1.event.product),f$1.profile=new d(f$1.api.profile,f$1.event.profile),f$1.currency=new d(f$1.api.currency,f$1.event.currency),f$1.document=new d(f$1.api.document,f$1.event.document),f$1.wishlist=new d(f$1.api.wishlist,f$1.event.wishlist),f$1.booking=new d(f$1.api.booking,f$1.event.booking),f$1.call=t=>{let a=f$1,r=t.split(".");for(;r.length&&(a=a[r.shift()]););return a},f$1.init=e=>new E(e),salla.event.once("twilight::init",salla.init),salla.event.once("twilight::api",(e=>{let t=e?.events;t&&salla.event.dispatchEvents(t);})),f$1.success=f$1.notify.success,f$1.error=f$1.notify.error,f$1.versions.twilight="[VI]{version}[/VI]",f$1.onInitiated=e=>salla.event.once("twilight::initiated",e),f$1.onReady=f$1.onReady||function(t){"ready"!==salla.status?f$1.onInitiated(t):t(salla.config.all());},window.dispatchEvent(new CustomEvent("salla::created"));
9749
+ let s=function(e,t,a){return alert(e)},n=function(e,t){return s(e,l.error,t)},l={error:"error",success:"success",info:"info"};var o={fire:function(e,t,a){return s(e,t,a)},setNotifier:function(e){s=e,salla.event.emit("twilight::notifier.changed");},error:n,success:function(e,t){return s(e,l.success,t)},info:function(e,t){return s(e,l.info,t)},sallaInitiated:function(){let e=window.location.href.match(/([\?\&]danger=)[^&]+/g);e&&(window.history.replaceState(null,document.title,window.location.pathname),salla.event.once("twilight::notifier.changed",(()=>{e.forEach((e=>{n(decodeURI(e.replace("?danger=","").replace("&danger=","")));}));})));},types:l};class d{constructor(e,t){return this.api=e,this.event=t,new Proxy(this,{get:function(a,r){return "event"===r?t:"api"===r?e:e&&e[r]||a[r]}})}}String.prototype.toStudlyCase=function(){return this.trim().replace(/([^a-zA-Z\d].)/g,(function(e){return e.toUpperCase().replace(/[^a-zA-Z\d]/g,"")}))},String.prototype.toDatasetName=function(){return this.startsWith("data-")?this.substr(5).toStudlyCase():this.toStudlyCase()},String.prototype.toSelector=function(){return this.trim().startsWith(".")||this.trim().startsWith("#")?this:"#"+this},String.prototype.replaceArray=function(e,t){for(var a,r=this,i=0;i<e.length;i++)a=new RegExp(e[i],"g"),r=r.replace(a,t[i]);return r},String.prototype.rtrim=function(e){return void 0===e&&(e="\\s"),this.replace(new RegExp("["+e+"]*$"),"")},String.prototype.ltrim=function(e){return void 0===e&&(e="\\s"),this.replace(new RegExp("^["+e+"]*"),"")},String.prototype.digitsOnly=function(){return Salla.helpers.digitsOnly(this)},Element.prototype.matches||(Element.prototype.matches=Element.prototype.msMatchesSelector),Element.prototype.closest||(Element.prototype.closest=function(e){for(var t=this;t;){if(t.matches(e))return t;t=t.parentElement;}}),Element.prototype.getElementSallaData=function(e,...t){if(!this.getAttribute)return;if(this.hasAttribute("data-json"))try{return JSON.parse(this.getAttribute("data-json"))}catch(e){}let a=this.getAttribute("data-function");if(a&&window[a])return "function"==typeof window[a]?this.getFilteredData(window[a].call(this,...t)):this.getFilteredData(window[a]);let r=this.hasAttribute("data-form-selector")?document.querySelector(this.dataset.formSelector):void 0;if(r="FORM"===this.tagName?this:r||this.closest("form")||this.closest("[salla-form-data]")||this,r&&"FORM"===r.tagName)return this.getFilteredData(new FormData(r),null,r);let i=r.querySelectorAll("[name]");if(!i.length)return this.getFilteredData();let s=Object.assign({},this.dataset);return i.forEach((e=>{if(!["checkbox","radio"].includes(e.type)||e.checked)try{let t=Salla.helpers.inputData(e.name,e.value,s);s[t.name]=t.value;}catch(t){Salla.log(e.name+" can't be send");}})),this.getFilteredData(s)},Element.prototype.canEventFireHook=function(e){return !!this.hasAttribute&&this.hasAttribute(Salla.api.hooksPrefix+e.type)},Element.prototype.hasAttributeStartsWith=function(e,t){e=e.toLowerCase();for(var a=0;a<this.attributes.length;a++){let r=this.attributes[a].name.toLowerCase();if(0===r.indexOf(e))return !t||r}return !1},HTMLFormElement.prototype.getAjaxFormData=function(e){var t=this.querySelectorAll('input[type="file"]');t.forEach((e=>{e.files.length||e.setAttribute("disabled","");}));var a=new FormData(this);return t.forEach((e=>{e.files.length||e.removeAttribute("disabled");})),{formData:this.getFilteredData(a,e),url:this.getAttribute("action"),method:this.getAttribute("method")||"post",events:{success:this.dataset.onSuccess,fail:this.dataset.onFail}}},Element.prototype.getFilteredData=function(e=null,t=null,a=null){return e=e||a?.dataset||this.dataset,a&&this.name&&void 0!==this.value&&(e=function(e,t,a){e instanceof FormData?e.append(t,a):e[t]=a;return e}(e,this.name,this.value)),["filterBeforeSubmit","filterBeforeSend"].forEach((r=>{let i=a?.dataset[r]||this.dataset[r];if(i){var s=window[i];if("function"==typeof s){if(!s(e,a||this,t)&&e)throw `Data failed to be pass verify function window.${i}(formData, element, event)!`;return s(e,a||this,t)}Salla.log("window."+i+"() not found!");}})),e},HTMLAnchorElement.prototype.getAjaxFormData=function(e){return {formData:this.getFilteredData(null,e),url:this.getAttribute("href"),method:this.dataset.type||"get",events:{success:this.dataset.onSuccess,fail:this.dataset.onFail}}};class c{constructor(){this.events={},this.namespace="";let e=/function (.{1,})\(/.exec(this.constructor.toString());this.className=(e&&e.length>1?e[1]:"").toLowerCase();}after_init(){this.createDynamicFunctions();}createDynamicFunctions(){Object.keys(this.events).forEach((e=>{this.createDynamicEventFuns(e),this.createDynamicListenerFuns(e);}));}createDynamicEventFuns(e){if(this[e])return;let t=this;this[e]=function(...a){return t.dispatch(e,...a)};}createDynamicListenerFuns(e){let t="on"+e.charAt(0).toUpperCase()+e.slice(1);if(this[t])return;let a=this;this[t]=function(t){return a.on(e,(async(...e)=>t(...e)))};}getEventName(e){return e=this.events[e]||e,!this.namespace||e.includes("::")?e:this.namespace+Salla.event.delimiter+e}dispatch(e,...t){return Salla.event.emitAsync(this.getEventName(e),...t)}on(e,t){return Salla.event.addListener(this.getEventName(e),t)}once(e,t){return Salla.event.once(this.getEventName(e),t)}}function u(e){e&&e.sallaInitiated&&!e.initiated&&(e.sallaInitiated(),e.initiated=!0);}Salla.event.auth=new class extends c{constructor(){super(),this.namespace="auth",this.events={login:"login",logout:"logout",codeSent:"code.sent",codeNotSent:"code.not-sent",verified:"verified",verificationFailed:"verification.failed",loggedIn:"logged.in",registered:"registered",registrationFailed:"registration.failed",loggedOut:"logged.out",failedLogout:"failed.logout",refreshFailed:"refresh.failed",tokenFetched:"token.fetched"},this.after_init();}login(e){return e?(e.type&&this.setTypeActionOnVerified(e.type),this.next_event=e.next_event||null,this.dispatch("login",...arguments)):(this.next_event=null,this.dispatch("login",...arguments))}loggedIn(e){return Salla.profile.info().finally((()=>this.dispatch("loggedIn",e)))}setTypeActionOnVerified(e){this.type_action_on_verified=e;}getTypeActionOnVerified(){return this.type_action_on_verified||"redirect"}},Salla.event.cart=new class extends c{constructor(){super(),this.namespace="cart",this.events={latestFetched:"latest.fetched",latestFailed:"latest.failed",updated:"updated",itemUpdated:"item.updated",itemUpdatedFailed:"item.updated.failed",itemAdded:"item.added",itemAddedFailed:"item.added.failed",itemDeleted:"item.deleted",itemDeletedFailed:"item.deleted.failed",submitted:"submitted",submitFailed:"submit.failed",imageDeleted:"image.deleted",imageNotDeleted:"image.not.deleted",detailsFetched:"details.fetched",detailsNotFetched:"details.not.fetched",successReset:"success.reset",priceQuoteSucceeded:"price-quote.succeeded",priceQuoteFailed:"price-quote.failed",couponAdded:"coupon.added",couponDeleted:"coupon.deleted",couponAdditionFailed:"coupon.addition.failed",couponDeletionFailed:"coupon.deletion.failed",quickOrderSettingFetched:"quick-order.fetched",quickOrderSettingFailed:"quick-order.failed",quickOrderSucceeded:"quick-order.succeeded",quickOrderFailed:"quick-order.failed"},this.after_init();}updated(e){return Salla.cookie.set("fresh_summary",1),e&&"object"==typeof e?(e.offer&&salla.product.event.offerExisted(e.offer),e.redirect&&(salla.log("The current cart is purchased!"),salla.cart.api.reset()),e.cart?(salla.storage.set("cart.summary",{total:e.cart.total,sub_total:e.cart.sub_total,discount:e.cart.discount,real_shipping_cost:e.cart.real_shipping_cost,count:e.cart.count,shipping_cost:e.cart.free_shipping_bar?.has_free_shipping?0:e.cart.real_shipping_cost}),this.dispatch("updated",e.cart)):void salla.log("Failed to get the cart summary!")):(Salla.logger.info("Cart summary not an object!",e),this.dispatch("updated"))}latestFetched(e){return this.updated(e.data),this.dispatch("latestFetched",e)}itemAdded(e,t){return this.updated(e.data),this.dispatch("itemAdded",e,t)}itemDeleted(e,t){return this.updated(e.data),this.dispatch("itemDeleted",e,t)}itemUpdated(e,t){return this.updated(e.data),this.dispatch("itemUpdated",e,t)}couponAdded(e,t){return this.updated(e.data),this.dispatch("couponAdded",e,t)}couponDeleted(e,t){return this.updated(e.data),this.dispatch("couponDeleted",e,t)}},Salla.event.order=new class extends c{constructor(){super(),this.namespace="order",this.events={canceled:"canceled",notCanceled:"not.canceled",orderCreated:"order.created",orderCreationFailed:"order.creation.failed",invoiceSent:"invoice.sent",invoiceNotSent:"invoice.not.sent"},this.after_init();}},Salla.event.scope=new class extends c{constructor(){super(),this.namespace="scope",this.events={fetched:"fetched",notFetched:"not.fetched",productAvailabilityFetched:"product-availability.fetched",productAvailabilityNotFetched:"product-availability.not.fetched",changeSucceeded:"changed",changeFailed:"not.changed"},this.after_init();}},Salla.event.rating=new class extends c{constructor(){super(),this.namespace="rating",this.events={orderNotFetched:"order.not.fetched",orderFetched:"order.fetched",storeRated:"store.rated",storeFailed:"store.failed",productsRated:"products.rated",productsFailed:"products.failed",shippingRated:"shipping.rated",shippingFailed:"shipping.failed"},this.after_init();}},Salla.event.comment=new class extends c{constructor(){super(),this.namespace="comment",this.events={added:"added",additionFailed:"addition.failed"},this.after_init();}},Salla.event.loyalty=new class extends c{constructor(){super(),this.namespace="loyalty",this.events={exchangeSucceeded:"exchange.succeeded",exchangeFailed:"exchange.failed",programFetched:"program.fetched",programNotFetched:"program.not.fetched",resetSucceeded:"exchange-reset.succeeded",resetFailed:"exchange-reset.failed"},this.after_init();}},Salla.event.product=new class extends c{constructor(){super(),this.namespace="product",this.events={priceUpdated:"price.updated",priceUpdateFailed:"price.updated.failed",availabilitySubscribed:"availability.subscribed",availabilitySubscribeFailed:"availability.subscribe.failed",categoriesFetched:"categories.fetched",categoriesFailed:"categories.failed",searchFailed:"search.failed",searchResults:"search.results",offerExisted:"offer.existed",fetchOffersFailed:"fetch.offers.failed",offersFetched:"offers.fetched",sizeGuideFetched:"size-guide.fetched",SizeGuideFetchFailed:"size-guide.failed",giftFetched:"gift.fetched",giftFetchFailed:"gift.failed",detailFetched:"detail.fetched",detailFetchFailed:"detail.failed",addGiftToCartSucceeded:"gift.add-to-cart.succeeded",addGiftToCartFailed:"gift.add-to-cart.failed",giftImageUploadSucceeded:"gift.image-upload.succeeded",giftImageUploadFailed:"gift.image-upload.failed"},this.after_init();}},Salla.event.profile=new class extends c{constructor(){super(),this.namespace="profile",this.events={updated:"updated",updateFailed:"update.failed",verificationCodeSent:"verification.code.sent",updateContactsFailed:"update.contacts.failed",verified:"verified",unverified:"unverified",infoFetched:"info.fetched",infoNotFetched:"info.not.fetched",settingsUpdated:"settings.updated",updateSettingsFailed:"update.settings.failed",deleted:"deleted",notDeleted:"not.deleted"},this.after_init();}},Salla.event.currency=new class extends c{constructor(){super(),this.namespace="currency",this.events={changed:"changed",failed:"failed",fetched:"fetched",failedToFetch:"failed.to.fetch"},this.after_init();}},Salla.event.document=new class extends c{constructor(){super(),this.namespace="document",this.events={click:"click",change:"change",submit:"submit",keyup:"keyup",leaving:"leaving",request:"request",requestFailed:"request.failed"},this.after_init();}onClick(e,t){this.fireCallableFuns("click",e,t);}onChange(e,t){this.fireCallableFuns("change",e,t);}onSubmit(e,t){this.fireCallableFuns("submit",e,t);}onKeyup(e,t){this.fireCallableFuns("keyup",e,t);}fireCallableFuns(e,t,a){this.on(e,(e=>{"function"!=typeof t?"function"==typeof a&&e.target.matches(t)&&a(e):t(e);}));}fireEvent(e,t,...a){return this.fireEventForElements(e,t,!1,...a)}fireEventForAll(e,t,...a){return this.fireEventForElements(e,t,!0,...a)}fireEventForElements(e,t,a,...r){if("string"==typeof e){if(a)return document.querySelectorAll(e).forEach((e=>this.fireEventForElements(e,t,!1,...r)));e=document.querySelector(e);}if(!e)return void salla.log("Failed To get element to fire event: "+t);const i=new CustomEvent(t,...r);return e.dispatchEvent(i)}},Salla.event.wishlist=new class extends c{constructor(){super(),this.namespace="wishlist",this.events={added:"added",removed:"removed",additionFailed:"addition.failed",removingFailed:"removing.failed"},this.after_init();}},Salla.event.infiniteScroll=new class extends c{constructor(){super(),this.namespace="infiniteScroll",this.events={scrollThreshold:"scroll.threshold",request:"request",load:"load",append:"append",error:"error",last:"last",history:"history"},this.after_init();}},Salla.event.booking=new class extends c{constructor(){super(),this.namespace="booking",this.events={added:"added",additionFailed:"addition.failed"},this.after_init();}},Salla.event.on("twilight::initiated",(()=>{Object.keys(Salla).forEach((e=>{"object"==typeof(e=Salla[e])&&(u(e),Object.keys(e).forEach((t=>{u(e[t]);})));}));})),Salla.config.default_properties={debug:"undefined"!=typeof browser$1&&"development"==="production",token:null,fastRequests:!0,canLeave:!0,store:{api:"https://api.salla.dev/store/v1/"},currencies:{SAR:{code:"SAR",name:"ريال سعودي",symbol:"ر.س",amount:1,country_code:"sa"}}},Salla.config.merge(Salla.config.default_properties),Salla.config.triedToGetCurrencies_=!1,Salla.config.triedToGetLanguages_=!1,Salla.config.isUser=()=>"user"===Salla.config.get("user.type"),Salla.config.isGuest=()=>!Salla.config.isUser(),Salla.config.languages=async()=>{if(Salla.config.triedToGetLanguages_)return Salla.config.get("languages");Salla.config.triedToGetLanguages_=!0;let e=!0,t=[];return (await salla.document.api.request("languages",null,"get"))?.data?.map((a=>{e&&(t=[],e=!1),a.code=a.code||a.iso_code,a.url=salla.url.get(a.code),a.is_rtl=a.is_rtl||a.rtl,t.push(a);})),Salla.config.set("languages",t),t},Salla.config.currencies=async()=>{if(Salla.config.triedToGetCurrencies_)return Salla.config.get("currencies");Salla.config.triedToGetCurrencies_=!0;let e=!0,t={};return (await salla.currency.api.list())?.data?.map((a=>{e&&(t={},e=!1),a.country_code=a.code.substr(0,2).toLowerCase(),t[a.code]=a;})),Salla.config.set("currencies",t),t},Salla.config.currency=e=>(e=e||Salla.config.get("user.currency_code"),Salla.config.get("currencies."+e)||Object.values(Salla.config.get("currencies"))[0]);class h{constructor(){this.endpoints={},this.webEndpoints=[],this.namespace="BaseApi",this.endpointsMethods={},this.endpointsHeaders={};let e=/function (.{1,})\(/.exec(this.constructor.toString());this.className=(e&&e.length>1?e[1]:"").toLowerCase(),this.debounce={request:void 0,time:300,enabled:!0,exclude:[]};}after_init(){}normalRequest(e,t,a=null){let r=Array.isArray(e),i=r?this.getUrl(...e):this.getUrl(e);e=r?e[0]:e,a=a||this.endpointsMethods[e]||"post";let s=this.endpointsHeaders[e];if("get"===a&&t instanceof FormData){let e={};Array.from(t.entries()).forEach((function(t){e[t[0]]=t[1];})),t={params:e};}return s&&"get"===a&&(t=t?Object.assign(t,s):s),this.webEndpoints.includes(e)?i=salla.url.get(i):"http"!==i.substring(0,4)&&(i=salla.url.api(i)),Salla.api.request(i,t,a,{headers:s})}request(e,t,a=null){return !salla.api.isFastRequestsAllowed()&&this.debounce.enabled?(this.debounce.request||(this.debounce.request=salla.helpers.debounce(this.normalRequest.bind(this),this.debounce.time)),this.debounce.request(e,t,a)):this.normalRequest(e,t,a)}getUrl(e){let t=this.endpoints[e]||e;const a=/{[^{}]+}/i;for(let e=1;e<arguments.length;e++)t=t.replace(a,arguments[e]);return t}event(){return salla.event[this.className]}}class p extends h{constructor(){super(),this.namespace="cart",this.endpoints={latest:"cart/latest",details:"cart/{cart}",quickAdd:"cart/{cart}/item/{product}/quick-add",addItem:"cart/{cart}/item/{product}/add",deleteItem:"cart/{cart}/item/{item}",updateItem:"cart/{cart}/item/{item}",deleteImage:"cart/{cart}/image/{image}",uploadImage:"cart/{cart}/image",status:"cart/{cart}/status",addCoupon:"cart/{id}/coupon",deleteCoupon:"cart/{id}/coupon",getQuickOrderSettings:"checkout/quick-checkout",createQuickOrder:"checkout/quick-checkout",priceQuote:"cart/{cartId}/price-quote"},this.endpointsMethods={latest:"get",details:"get",status:"get",updateItem:"post",deleteItem:"delete",deleteImage:"delete",deleteCoupon:"put",getQuickOrderSettings:"get"},this.webEndpoints=["latest"],this.latestCart=null,this.after_init(),salla.event.on("request::initiated",(()=>this.getCurrentCartId()));}async getCurrentCartId(){if(salla.cart.api.latestCart)return salla.cart.api.latestCart.cart.id;let e=salla.storage.get("cart.id");if(e)return e;let t=await this.latest();return salla.cart.api.latestCart=t.data,salla.cart.api.latestCart.cart.id}getUploadImageEndpoint(e){return salla.url.api(this.getUrl("uploadImage",e||salla.storage.get("cart.id")))}latest(){return this.request("latest",{params:{source:""}}).then((e=>(salla.storage.set("cart",e.data.cart),salla.event.cart.latestFetched(e),e))).catch((e=>{throw salla.storage.set("cart",""),salla.event.cart.latestFailed(e),e}))}async details(){let e=await this.getCurrentCartId();return this.request(["details",e]).then((function(e){return salla.cart.event.detailsFetched(e),e})).catch((function(e){throw salla.cart.event.detailsNotFetched(e),e}))}async quickAdd(e,t){return this.addItem({id:e,quantity:t,endpoint:"quickAdd"})}async addItem(e){let t=this.getCartPayload(e);if(!t.id){let e='There is no product "id"!';return salla.cart.event.itemAddedFailed(e),salla.api.errorPromise(e)}let a=salla.form.getPossibleValue(t.payload,["endpoint"]);a&&["addItem","quickAdd"].includes(a)||(a=salla.form.getPossibleValue(t.payload,["quantity","donating_amount"])?"addItem":"quickAdd");let r=await this.getCurrentCartId();return this.request([a,r,t.id],t.payload).then((function(e){return salla.cart.event.itemAdded(e,t.id),e})).catch((function(e){throw salla.cart.event.itemAddedFailed(e,t.id),e}))}async deleteItem(e){let t=this.getCartPayload(e);if(!t.id){let e='There is no "id"!';return salla.cart.event.itemDeletedFailed(e),salla.api.errorPromise(e)}let a=await this.getCurrentCartId();return this.request(["deleteItem",a,t.id]).then((function(e){return salla.cart.event.itemDeleted(e,t.id),e})).catch((function(e){throw salla.cart.event.itemDeletedFailed(e,t.id),e}))}async updateItem(e){let t=this.getCartPayload(e);if(!t.id){let e='There is no "id"!';return salla.cart.event.itemUpdatedFailed(e),salla.api.errorPromise(e)}let a=await this.getCurrentCartId();return "Object"===t.payload.constructor?.name?t.payload._method="PUT":t.payload.append("_method","PUT"),this.request(["updateItem",a,t.id],t.payload).then((function(e){return salla.cart.event.itemUpdated(e,t.id),e})).catch((function(e){throw salla.cart.event.itemUpdatedFailed(e,t.id),e}))}async deleteImage(e){if(!(e=salla.form.getPossibleValue(e,["id","image_id","photo_id"]))){let e='There is no "id"!';return salla.cart.event.imageNotDeleted(e),salla.api.errorPromise(e)}let t=await this.getCurrentCartId();return this.request(["deleteImage",t,e]).then((function(t){return salla.cart.event.imageDeleted(t,e),t})).catch((function(t){throw salla.cart.event.imageNotDeleted(t,e),t}))}async status(e){return this.request(["status",e||await this.getCurrentCartId()],{params:{has_apple_pay:!!window.ApplePaySession}})}async submit(){this.status(await this.getCurrentCartId()).then((e=>{let t=e.data.next_step.to;if(!["checkout","refresh","login"].includes(t)){let e="Can't find next_step );";throw salla.cart.event.submitFailed(e),e}if(salla.cart.event.submitted(e),"login"===t)return salla.auth.setCanRedirect(!1),salla.event.dispatch("login::open"),void salla.auth.event.onLoggedIn((e=>{salla.event.dispatch("login::close"),this.submit();}));"checkout"===t?window.location.href=e.data.next_step.url+(window.ApplePaySession?"?has_apple_pay=true":""):window.location.reload();})).catch((function(e){throw salla.cart.event.submitFailed(e),e}));}getCartPayload(e){let t=e?.data||("object"==typeof e?e:void 0);return e=t?salla.form.getPossibleValue(t,["prod_id","product_id","item_id","id"]):e,t="object"==typeof t?t:void 0,{id:e,payload:t}}normalRequest(e,t,a=null){return super.normalRequest(e,t,a).catch((e=>{throw 403===e?.response?.status&&(salla.cart.api.reset(),salla.error(salla.lang.get("pages.checkout.try_again"))),e}))}reset(){salla.api.cart.latestCart=null,salla.storage.remove("cart"),salla.cart.event.successReset();}async addCoupon(e){if(e=e.data||e,!(e=salla.form.getPossibleValue(e,["coupon"]))){let e=new Error('There is no "Coupon Code"!');return e.name="EmptyCoupon",salla.event.cart.couponAdditionFailed(e),salla.api.errorPromise(e)}let t=await salla.cart.api.getCurrentCartId();return this.request(["addCoupon",t],{coupon:e}).then((function(e){return salla.event.cart.couponAdded(e,t),e})).catch((function(e){throw salla.event.cart.couponAdditionFailed(e,t),e}))}async deleteCoupon(){let e=await salla.cart.api.getCurrentCartId();return this.request(["deleteCoupon",e],{}).then((function(t){return salla.event.cart.couponDeleted(t,e),t})).catch((function(t){throw salla.event.cart.couponDeletionFailed(t,e),t}))}getQuickOrderSettings(){return this.request("getQuickOrderSettings").then((e=>(salla.event.cart.quickOrderSettingFetched(e),e))).catch((e=>{throw salla.event.cart.quickOrderSettingFailed(e),e}))}createQuickOrder(e){return this.request("createQuickOrder",e).then((e=>(salla.event.cart.quickOrderSucceeded(e),e))).catch((e=>{throw salla.event.cart.quickOrderFailed(e),e}))}async priceQuote(e){return salla.config.isGuest()?(salla.auth.api.setAfterLoginEvent("cart::priceQuote",e),void salla.event.dispatch("login::open")):this.request(["priceQuote",e||await this.getCurrentCartId()]).then((e=>(salla.cart.api.reset(),salla.event.cart.priceQuoteSucceeded(e).then((()=>(setTimeout((()=>window.location.href=salla.url.get("/")),1e3),e)))))).catch((e=>salla.event.cart.priceQuoteFailed(e).then((()=>{throw 404===e.error?.code&&window.location.reload(),e}))))}}class g extends h{constructor(){super(),this.namespace="loyalty",this.endpoints={getProgram:"loyalty",exchange:"loyalty/exchange",reset:"loyalty/exchange"},this.endpointsMethods={getProgram:"get",reset:"put"},this.after_init();}getProgram(){return this.request("getProgram").then((e=>(salla.loyalty.event.programFetched(e),e))).catch((e=>{throw salla.loyalty.event.programNotFetched(e),e}))}async exchange(e,t=null){if(!(e=salla.form.getPossibleValue(e,["id","loyalty_prize_id","prize_id"]))){let e="Unable to find cart id. Please provide one.";return salla.loyalty.event.exchangeFailed(e),salla.api.errorPromise(e)}if(!(t=t||await salla.cart.getCurrentCartId())){let e="Unable to find cart id. Please provide one.";return salla.loyalty.event.exchangeFailed(e),salla.api.errorPromise(e)}return this.request("exchange",{loyalty_prize_id:e,cart_id:t}).then((function(t){return salla.loyalty.event.exchangeSucceeded(t,e),t})).catch((function(t){throw salla.loyalty.event.exchangeFailed(t,e),t}))}async reset(e=null){if(!(e=e||await salla.cart.getCurrentCartId())){let e="Unable to find cart id. Please provide one.";return salla.loyalty.event.resetFailed(e),salla.api.errorPromise(e)}return this.request("reset",{cart_id:e}).then((e=>(salla.loyalty.event.resetSucceeded(e),e))).catch((e=>{throw salla.loyalty.event.resetFailed(e),e}))}}class f extends h{constructor(){super(),this.namespace="auth",this.canRedirect_=!0,this.afterLoginEvent={event:null,payload:null},this.endpoints={login:"auth/{type}/send_verification",resend:"auth/resend_verification",verify:"auth/{type}/verify",register:"auth/register",logout:"logout",refresh:"auth/refresh"},this.webEndpoints=["logout","auth/jwt","refresh"],this.endpointsMethods={logout:"get"},this.after_init();}setAfterLoginEvent(e,t){salla.api.auth.afterLoginEvent={event:e,payload:t};}setCanRedirect(e){salla.api.auth.canRedirect_=e;}canRedirect(){return salla.api.auth.canRedirect_&&!salla.api.auth.afterLoginEvent.event}login(e){e?.data&&(e=e.data);let t=salla.form.getPossibleValue(e,["type"]);if(!["email","mobile"].includes(t)){let e="Login type should be in: [email, mobile]";return salla.auth.event.codeNotSent(e),salla.api.errorPromise(e)}return this.request(["login",t],e).then((function(e){return salla.auth.event.codeSent(e,t),e})).catch((function(e){throw salla.auth.event.codeNotSent(e,t),e}))}async verify(e,t=!0){let a=salla.form.getPossibleValue(e,["type"]);if(!a){let e="Failed to know what's login type!";return salla.auth.event.verificationFailed(e),salla.api.errorPromise(e)}t=!1!==salla.form.getPossibleValue(e,["supportWebAuth"])&&t,salla.auth.event.next_event&&(e.next_event=salla.auth.event.next_event);let r=await salla.auth.api.request(["verify",a],e);if(200!==r?.status)return salla.auth.event.verificationFailed(r,a),salla.api.errorPromise(r);let i="authenticated"===r.data?.case;return i&&salla.auth.event.tokenFetched(r.data.token),t&&await salla.auth.api.request("auth/jwt"),i&&salla.auth.event.loggedIn(r).then((()=>salla.auth.api.afterUserLogin())),salla.auth.event.verified(r,a),salla.api.successPromise(r)}resend(e){let t;return (e=e.data||e).type=e.type||"mobile","mobile"!==e.type||e.phone&&e.country_code?"email"!==e.type||e.email?this.request("resend",e).then((function(t){return salla.auth.event.codeSent(t,e),t})).catch((function(t){throw salla.auth.event.codeNotSent(t,e),t})):(salla.auth.event.codeNotSent(t="There is no email!",e),salla.api.errorPromise(t)):(salla.auth.event.codeNotSent(t="There is no phone or country_code!",e),salla.api.errorPromise(t))}register(e){let t;return e.data&&(t=e.element,e=e.data),salla.auth.event.next_event&&(e.next_event=salla.auth.event.next_event),this.request("register",e).then((async function(e){return salla.auth.event.registered.call(t,e),"authenticated"===e.data?.case&&(salla.auth.event.tokenFetched(e.data.token),await salla.auth.request("auth/jwt"),salla.auth.event.loggedIn(e),salla.auth.api.afterUserLogin()),e})).catch((function(e){throw salla.auth.event.registrationFailed.call(t,e),e}))}logout(){return salla.storage.clearAll(),salla.cookie.clearAll(),salla.auth.event.loggedOut().then((()=>{let e=salla.url.get("logout");console.log(`Going to ${e}, to do any thing before this action use: salla.auth.even.onLoggedOut(()=>{...})`),location.href=e;}))}refresh(){return this.request("refresh").then((function(e){return salla.auth.event.tokenFetched(e.data.token),e})).catch((function(e){throw salla.auth.event.refreshFailed(e),e}))}afterUserLogin(){this.afterLoginEvent.event&&salla.event.emit(this.afterLoginEvent.event,this.afterLoginEvent.payload);}}class m extends h{constructor(){super(),this.namespace="order",this.endpoints={cancel:"orders/cancel/{id}",createCartFromOrder:"reorder/{id}",sendInvoice:"orders/send/{id}"},this.endpointsMethods={createCartFromOrder:"get"},this.after_init();}show(e){let t=salla.form.getPossibleValue(e?.data||e,["id","order_id"]);salla.event.dispatch("mobile::order.placed",{order_id:t}),location.href=salla.form.getPossibleValue(e?.data||e,["url"]);}cancel(e){return e=e||Salla.config.get("page.id"),this.request(["cancel",e],{params:{has_apple_pay:!!window.ApplePaySession}}).then((function(t){return salla.event.order.canceled(t,e),t})).catch((function(t){throw salla.event.order.notCanceled(t,e),t}))}createCartFromOrder(e){return e=e||salla.config.get("page.id"),this.request(["createCartFromOrder",e]).then((function(t){return salla.cart.reset(),salla.storage.set("cart",{id:t.data.cart_id,user_id:salla.config.get("user.id")}),salla.event.order.orderCreated(t,e),window.location.href=t.data.url,t})).catch((function(t){throw salla.event.order.orderCreationFailed(t,e),t}))}sendInvoice(e){let t=salla.form.getPossibleValue(e,["id"])||salla.config.get("page.id");if(!t||isNaN(t)){let e="There is no id!";return salla.order.event.invoiceNotSent(e),salla.api.errorPromise(e)}return this.request(["sendInvoice",t],e).then((e=>(salla.event.order.invoiceSent(e,t),e))).catch((e=>{throw salla.event.order.invoiceNotSent(e,t),e}))}}class v extends h{constructor(){super(),this.namespace="product",this.previousQuery="",this.endpoints={get:"products/{id}/details",getPrice:"products/{id}/price",availabilitySubscribe:"products/{id}/availability-notify",search:"products/search",detail:"products/{product_id}/details",categories:"products/categories/{?id}",offers:"products/{product_id}/specialoffer",getSizeGuides:"products/{prod_id}/size-guides",giftDetail:"products/{product_id}/buy-as-gift",giftToCart:"products/{product_id}/buy-as-gift",giftImage:"products/buy-as-gift/image"},this.endpointsMethods={detail:"get",giftDetail:"get"},this.after_init();}get(e,t=[]){if(!Array.isArray(t)){let e="withItems should be array.";return salla.api.errorPromise(e)}if(!e){let e="productId is not passed.";return salla.api.errorPromise(e)}return this.request(["get",e],{params:{with:t}}).then((function(e){return e})).catch((function(e){throw e}))}getPrice(e){let t=e.data||e,a=salla.form.getPossibleValue(t,["id","prod_id","product_id"]);return this.request(["getPrice",a],"object"==typeof t?t:void 0).then((function(e){return salla.product.event.priceUpdated(e,a),e})).catch((function(e){throw salla.product.event.priceUpdateFailed(e,a),e}))}categories(e){return this.request(["categories",e||""],null,"get").then((function(e){return salla.product.event.categoriesFetched(e),e})).catch((function(e){throw salla.product.event.categoriesFailed(e),e}))}availabilitySubscribe(e){let t=e.data||e;return e=salla.form.getPossibleValue(t,["id","prod_id"]),this.request(["availabilitySubscribe",e],"object"==typeof t?t:void 0).then((function(t){return salla.product.event.availabilitySubscribed(t,e),t})).catch((function(t){throw salla.product.event.availabilitySubscribedFailed(t,e),t}))}search(e){let t=e.data;if(t||(t={params:"string"==typeof e?{query:e}:e}),!(e=t instanceof FormData?t.get("query"):t.query||t.params?.query)){let e='There is no "query"!';return salla.product.event.searchFailed(e),salla.api.errorPromise(e)}if(e===salla.api.product.previousQuery){let e="Query is same as previous one!";return salla.product.event.searchFailed(e),salla.api.product.previousQuery=null,salla.api.errorPromise(e)}return salla.api.product.previousQuery=e,this.request("search",t,"get").then((function(t){return salla.product.event.searchResults(t,e),t})).catch((function(t){throw salla.product.event.searchFailed(t,e),t}))}offers(e){if(!(e=salla.form.getPossibleValue(e?.data|e,["product_id","id"]))){let e='There is no "product_id"!';return salla.offer.event.fetchDetailsFailed(e),salla.api.errorPromise(e)}return this.request(["offers",e]).then((function(t){return salla.product.event.offersFetched(t,e),t})).catch((function(t){throw salla.product.event.fetchOffersFailed(t,e),t}))}getSizeGuides(e){return this.request(`products/${e}/size-guides`,null,"get").then((t=>(salla.product.event.sizeGuideFetched(t,e),t))).catch((t=>{throw salla.product.event.sizeGuideFetchFailed(t,e),t}))}getGiftDetails(e){return this.request(["giftDetail",e]).then((t=>(salla.product.event.giftFetched(t,e),t))).catch((t=>{throw salla.product.event.giftFetchFailed(t,e),t}))}getDetails(e,t=[]){if(!Array.isArray(t)){let e="withItems should be array.";return salla.product.event.detailFetchFailed(e),salla.api.errorPromise(e)}if(!e){let e="productId is not passed.";return salla.product.event.detailFetchFailed(e),salla.api.errorPromise(e)}return this.request(["detail",e],{params:{with:t}}).then((function(t){return salla.product.event.detailFetched(t,e),t})).catch((function(t){throw salla.product.event.detailFetchFailed(t,e),t}))}addGiftToCart(e,t,a=!1){return this.request(["giftToCart",e],t).then((t=>(salla.product.event.addGiftToCartSucceeded(t,e),a&&(window.location.href=t.redirect),response))).catch((t=>{throw salla.product.event.addGiftToCartFailed(t,e),t}))}uploadGiftImage(e){return this.request("giftImage",e).then((e=>(salla.product.event.giftImageUploadSucceeded(e),e))).catch((e=>{throw salla.product.event.giftImageUploadFailed(e),e}))}}class y extends h{constructor(){super(),this.namespace="profile",this.endpoints={info:"auth/user",update:"profile/update",updateContacts:"profile/contacts/update",updateSettings:"profile/settings",verify:"profile/verify",delete:"profile"},this.endpointsMethods={delete:"delete"},this.after_init();}info(){return this.request("info",null,"get").then((e=>{let t={id:e.data.id,type:"user",email:e.data.email,mobile:e.data.phone.code+e.data.phone.number,country_code:e.data.phone.country,language_code:e.data.language,currency_code:e.data.currency,notifications:e.data.notifications,pending_orders:e.data.pending_orders,avatar:e.data.avatar,first_name:e.data.first_name,last_name:e.data.last_name,fetched_at:Date.now()};return salla.config.set("user",t),salla.storage.set("user",t),salla.profile.event.infoFetched(e),e})).catch((e=>{throw salla.profile.event.infoNotFetched(e),e}))}update(e){return this.request("update",e).then((e=>(salla.profile.event.updated(e),e))).catch((e=>{throw salla.event.profile.updateFailed(e),e}))}updateContacts(e){return this.request("updateContacts",e).then((e=>(salla.profile.event.verificationCodeSent(e),e))).catch((e=>{throw salla.event.profile.updateContactsFailed(e),e}))}verify(e){return this.request("verify",e).then((e=>(salla.profile.event.verified(e),e))).catch((e=>{throw salla.event.profile.unVerified(e),e}))}updateSettings(e){return this.request("updateSettings",e).then((e=>(salla.event.profile.settingsUpdated(e),e))).catch((e=>{throw salla.event.profile.updateSettingsFailed(e),e}))}delete(){return this.request("delete").then((e=>(salla.storage.clearAll(),salla.cookie.clearAll(),salla.event.profile.deleted(e),window.location.href=salla.url.get("logout"),e))).catch((e=>{throw salla.event.profile.notDeleted(e),e}))}}class w extends h{constructor(){super(),this.namespace="comment",this.endpoints={add:"{type}/{id}/comments"},this.after_init();}add(e){e?.data&&(e=e.data);let t,a=salla.form.getPossibleValue(e,["id"]),r=salla.form.getPossibleValue(e,["type"]),i=salla.form.getPossibleValue(e,["comment"]);return a?r&&["products","pages","product","page"].includes(r)?i?(r+=["product","page"].includes(r)?"s":"",this.request(["add",r,a],{comment:i}).then((function(e){return salla.event.comment.added(e,a),e})).catch((function(e){throw salla.event.comment.additionFailed(e,a),e}))):(salla.event.comment.additionFailed(t="can't find comment content!"),salla.api.errorPromise(t)):(salla.event.comment.additionFailed(t="Failed to get type one of:(products, product, page, pages)!"),salla.api.errorPromise(t)):(salla.event.comment.additionFailed(t="Failed to get id!"),salla.api.errorPromise(t))}}class b extends h{constructor(){super(),this.namespace="currency",this.endpoints={change:"/",list:"currencies"},this.endpointsMethods={change:"get",list:"get"},this.webEndpoints=["change"],this.after_init();}change(e){if(!(e=salla.form.getPossibleValue(e.data||e,["currency","code"]))){let e="Can't find currency code!";return salla.currency.event.failed(e),salla.api.errorPromise(e)}return this.request("change",{params:{change_currency:"",currency:e}}).then((function(t){return salla.cookie.set("fresh_summary",1),salla.storage.set("cart",""),salla.currency.event.changed(t,e),t})).catch((function(t){throw salla.currency.event.failed(t,e),t}))}list(){return this.request("list").then((function(e){return salla.currency.event.fetched(e),e})).catch((function(e){throw salla.currency.event.failedToFetch(e),e}))}}class F extends h{constructor(){super(),this.namespace="document";}}class S extends h{constructor(){super(),this.namespace="rating",this.endpoints={store:"rating/store",products:"rating/products",shipping:"rating/shipping",order:"rating/{order_id}"},this.endpointsMethods={order:"get"},this.after_init();}order(e){let t="object"==typeof e?e:{},a=salla.form.getPossibleValue(e?.data||e,["order_id","id"]);if(!a){let e='There is no "order_id"!';return salla.event.rating.orderNotFetched(e),salla.api.errorPromise(e)}return this.request(["order",a],t).then((function(e){return salla.event.rating.orderFetched(e,a),e})).catch((function(e){throw salla.event.rating.orderNotFetched(e,a),e}))}store(e){if(!(e=e.data||e)){let e='There is no "data"!';return salla.event.rating.storeFailed(e),salla.api.errorPromise(e)}return this.request("store",e).then((function(t){return salla.event.rating.storeRated(t,e),t})).catch((function(t){throw salla.event.rating.storeFailed(t,e),t}))}products(e){if(!(e=e.data||e)){let e='There is no "data"!';return salla.event.rating.productsFailed(e),salla.api.errorPromise(e)}return this.request("products",e).then((function(t){return salla.event.rating.productsRated(t,e),t})).catch((function(t){throw salla.event.rating.productsFailed(t,e),t}))}shipping(e){if(!(e=e.data||e)){let e='There is no "data"!';return salla.event.rating.shippingFailed(e),salla.api.errorPromise(e)}return this.request("shipping",e).then((function(t){return salla.event.rating.shippingRated(t,e),t})).catch((function(t){throw salla.event.rating.shippingFailed(t,e),t}))}}class _ extends h{constructor(){super(),this.namespace="wishlist",this.endpoints={add:"products/favorites/{id}",remove:"products/favorites/{id}"},this.endpointsMethods={remove:"delete"},this.after_init();}toggle(e){return salla.storage.get("salla::wishlist",[]).includes(e)?this.remove(e):this.add(e)}add(e){let t;return salla.config.isGuest()?(salla.wishlist.event.additionFailed(t=salla.lang.get("common.messages.must_login")),salla.error(t),salla.api.errorPromise(t)):(e=salla.form.getPossibleValue(e?.data||e,["product_id","id"]))?this.request(["add",e]).then((t=>(this.updateWishlistStorage(e),salla.wishlist.event.added(t,e),t))).catch((function(t){throw salla.wishlist.event.additionFailed(t,e),t})):(salla.wishlist.event.additionFailed(t="Failed to get product id!"),salla.api.errorPromise(t))}remove(e){let t;return salla.config.isGuest()?(salla.wishlist.event.additionFailed(t=salla.lang.get("common.messages.must_login")),salla.error(t),salla.api.errorPromise(t)):(e=salla.form.getPossibleValue(e?.data||e,["product_id","id"]))?this.request(["remove",e]).then((t=>(this.updateWishlistStorage(e,!1),salla.wishlist.event.removed(t,e),t))).catch((function(t){throw salla.wishlist.event.removingFailed(t,e),t})):(salla.wishlist.event.removingFailed(t="Failed to get id!"),salla.api.errorPromise(t))}updateWishlistStorage(e,t=!0){let a=salla.storage.get("salla::wishlist",[]);t?a.push(e):a.splice(a.indexOf(e),1),salla.storage.set("salla::wishlist",a);}}class q extends h{constructor(){super(),this.namespace="scopes",this.endpoints={get:"scopes",change:"scopes",getProductAvailability:"scopes/availability?product_id={id}"},this.after_init();}get(){return this.request("scopes",null,"get").then((e=>(salla.scope.event.fetched(e),e))).catch((e=>{throw salla.scope.event.notFetched(e),e}))}change(e){return this.request("scopes",e).then((e=>(salla.scope.event.changeSucceeded(e),e))).catch((e=>{throw salla.scope.event.changeFailed(e),e}))}getProductAvailability(e=null){return this.request(`scopes/availability?product_id=${e}`,null,"get").then((t=>(salla.scope.event.productAvailabilityFetched(t,e),t))).catch((e=>{throw salla.scope.event.productAvailabilityNotFetched(e),resp}))}}class A extends h{constructor(){super(),this.namespace="booking",this.endpoints={add:"cart/booking/product/{id}"},this.endpointsMethods={add:"get"};}async add(e,t=!0){if(!e){let e="Please provide product id.";return salla.booking.event.additionFailed(e),salla.api.errorPromise(e)}return this.request(["add",e]).then((function(e){return salla.booking.event.added(e),t&&"booking"===e.data.redirect.to&&(window.location.href=e.data.redirect.url),e})).catch((function(e){throw salla.booking.event.additionFailed(e),e}))}}class E{constructor(t){"ready"!==f$1.status?t?(f$1.config.merge(t),t?.events&&f$1.event.dispatchEvents(t?.events),t._token&&salla.api.setHeader("X-CSRF-TOKEN",t._token),this.injectMaintenanceAlert(),this.injectThemePreviewAlert(),this.injectEditAlert(),t?.user?.language_code&&salla.lang.setLocale(t?.user?.language_code),salla.lang.loadStoreTranslations(),this.setSallaReady(t)):this.setSallaReady(t):salla.log("Trying to re-initiate Salla, while its status === 'ready'!");}injectMaintenanceAlert(){salla.config.get("maintenance")&&(document.querySelector(".store-notify")?salla.logger.warn(".store-notify element Existed before!"):salla.lang.onLoaded((()=>{const e=document.createElement("div");e.classList.add("store-notify"),e.style="background-color: #d63031; color: #fff; padding: 10px 15px; text-align: center; font-size: 17px;",e.innerHTML=`<p style="margin:0 !important;">${salla.lang.get("blocks.header.maintenance_alert")}</p>`,document.body.prepend(e);})));}injectThemePreviewAlert(){"preview"===salla.config.get("theme.mode")&&(document.querySelector("#s-theme_preview_bar")?salla.logger.warn("#s-theme_preview_bar element Existed before!"):salla.lang.onLoaded((()=>{let e=document.createElement("div");e.id="s-theme_preview_bar",e.setAttribute("style","display: flex; justify-content: space-between; text-align: center; background-color: #232323; color: #fff; padding: 10px; font-size: 0.875rem; line-height: 1.25rem; position: relative;"),e.innerHTML=`\n <div style="display:flex; align-items:center;">\n <img width="32" src="https://assets.salla.sa/cp/assets/images/logo-new.png">\n <span style="margin:0 10px;">${salla.lang.get("blocks.header.preview_mode")}: <span style="background:rgba(255,255,255,0.25);border-radius:15px; padding:2px 15px 4px">${salla.config.get("theme.name")}</span></span>\n </div>\n <a href="${salla.url.get("preview_theme/cancel/preview")}" style="line-height:32px; width:32px;"><i class="sicon-cancel"></i></a>\n `,document.body.prepend(e);})));}injectEditAlert(){let e=salla.config.get("edit");e&&(document.querySelector("#s-edit-alert")?salla.logger.warn("#s-edit-alert element Existed before!"):salla.lang.onLoaded((()=>{let t=document.createElement("div");t.id="s-edit-alert",t.innerHTML=`\n <a href="${e}" style="display:block; background-color:${salla.config.get("theme.color.primary","#5cd5c4")}; color:${salla.config.get("theme.color.reverse","#fff")}; padding: 10px; text-align:center; font-size: 0.875rem; line-height: 1.25rem;">\n <i class="sicon-edit"></i> \n ${salla.lang.get("pages.products.quick_edit")}\n </a>\n `,document.body.prepend(t);})));}handleElementAjaxRequest(e,t){if(!(t instanceof HTMLFormElement||t instanceof HTMLAnchorElement))return salla.logger.warn("trying to call ajax from non Element!!"),!1;e.preventDefault();let a=t.getAjaxFormData(e),r=a.method?a.method.toLowerCase():void 0;salla.api.request(a.url,a.formData,r).then((e=>(e.data&&e.request&&(e=e.data),salla.api.handleAfterResponseActions(e),this.callAjaxEvent(a.events.success,e,a.formData),e))).catch((e=>{throw salla.api.handleErrorResponse(e),this.callAjaxEvent(a.events.fail,e,a.formData),e}));}callAjaxEvent(e,t,a){if(e){if(a instanceof FormData){const e={};Array.from(a.entries()).forEach((function(t){e[t[0]]=t[1];})),a=e;}window[e]?window[e](t,a):salla.event.dispatch(e,t,a);}}setSallaReady(t){f$1.status="ready",f$1.event.dispatch("twilight::initiated",t),window.dispatchEvent(new CustomEvent("twilight::initiated",{detail:t}));}}f$1.status="loading",f$1.notify=o,f$1.lang=new class extends lang{constructor(e){(e=e||{}).messages=e.messages||window.translations,e.locale=e.locale||(window.locale||navigator.language||navigator.userLanguage||"ar").split("-")[0],e.fallback=e.fallback||e.locale,super(e),this.translationsLoaded=!1;}onLoaded(e){if(this.translationsLoaded)return e();Salla.event.once("languages::translations.loaded",e);}loadStoreTranslations(){if(this.messages)return void window.addEventListener("load",(e=>{salla.event.dispatch("languages::translations.loaded"),salla.logger.info("The messages of transactions is already loaded");}));if(!salla.url.get(""))return void this.loadScript("https://cdn.salla.network/js/translations.js",!1);let e=salla.config.get("theme.translations_hash",salla.config.get("store.id","twilight"));this.loadScript(salla.url.get(`languages/assets/${e}.js`));}setMessages(e){super.setMessages(e),salla.event.dispatch("languages::translations.loaded"),this.translationsLoaded=!0;}loadScript(e,t=!0){let a=document.createElement("script");a.src=e,a.onload=()=>{if(window.translations)return this.setMessages(window.translations);a.onerror();},a.onerror=()=>{if(t)return salla.logger.warn("Failed to load Translations for store, lets try load it from CDN"),this.loadScript("https://cdn.salla.network/js/translations.js",!1);salla.logger.error("Failed to load Translations, check your network logs for more details\nor: salla.lang.setMessages({....}), see https://docs.salla.dev for more information's.");},document.head.appendChild(a);}get(e,t,a){return window.translations&&(e="trans."+e),super.get(e,t,a)}set(e,t){return salla.helpers.setNested(this.messages[this.getLocale()+".trans"],e,t),this}},f$1.form=new class{async submit(e,t=null){let a=t;if("SubmitEvent"===t?.constructor?.name||"submit"===t?.type){if(t.preventDefault(),"FORM"!==t.target?.tagName)return Salla.logger.warn("Failed find the target element for submit action. make sure you submit a form element"),new Promise((()=>{throw "Failed find the target element for submit action. make sure you submit a form element"}));"SALLA-BUTTON"===t?.submitter?.parentElement?.tagName&&t.submitter.parentElement.load(),a=t.target.getElementSallaData(),salla.log("Data from element",a);}if(/^https?:\/\/(?:www\.)?[-a-zA-Z0-9@:%._\+~#=]{1,256}\.[a-zA-Z0-9()]{1,6}\b([-a-zA-Z0-9()@:%_\+.~#?&//=]*)$/gm.test(e))return salla.api.normalRequest(e,a,"post").finally((()=>{loaderSupported&&t?.submitter?.parentElement.stop();}));let r=e.split("."),i=r.splice(-1);return await salla.call(r.join("."))[i](a).finally((()=>t?.submitter?.parentElement?.stop())).catch((e=>{throw salla.logger.warn(e),e}))}onSubmit(e,t){return salla.form.submit(e,t),!1}onChange(e,t){return t?.currentTarget?"FORM"!==t?.currentTarget?.tagName||t.currentTarget.checkValidity()?(salla.form.submit(e,t.currentTarget.getElementSallaData()),!0):(salla.logger.warn(`Trying to trigger '${e}' without filling required fields!`),!1):(salla.logger.warn(`Trying to trigger '${e}' without event!`),!1)}getPossibleValue(e,t,a=!1){if(!e)return;if("object"!=typeof e)return e;let r;for(let a=0;a<t.length&&!(r=e[t[a]])&&!("undefined"!=typeof FormData&&e instanceof FormData&&(r=e.get(t[a])));a++);return r=r||e,"object"!=typeof r||a?r:void 0}},f$1.helpers.app=new class{toggleClassIf(e,t,a,r){return document.querySelectorAll(e).forEach((e=>this.toggleElementClassIf(e,t,a,r))),this}toggleElementClassIf(e,t,a,r){t=Array.isArray(t)?t:t.split(" "),a=Array.isArray(a)?a:a.split(" ");let i=r(e);return e?.classList.remove(...i?a:t),e?.classList.add(...i?t:a),this}isValidEmail(e){return /^(([^<>()[\]\\.,;:\s@"]+(\.[^<>()[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/.test(String(e).toLowerCase())}element(e){return "object"==typeof e?e:document.querySelector(e)}watchElement(e,t){return this[e]=this.element(t),this}watchElements(e){return Object.entries(e).forEach((e=>this.watchElement(e[0],e[1]))),this}on(e,t,a,r={}){return "object"==typeof t?(this.element(t).addEventListener(e,a,r),this):(document.querySelectorAll(t).forEach((t=>t.addEventListener(e,a,r))),this)}onClick(e,t){return this.on("click",e,t)}onKeyUp(e,t){return this.on("keyup",e,t)}onEnter(e,t){return this.onKeyUp(e,(e=>13===e.keyCode&&t(e))),this}all(e,t){return document.querySelectorAll(e).forEach(t),this}hideElement(e){return this.element(e).style.display="none",this}showElement(e,t="block"){return this.element(e).style.display=t,this}removeClass(e,t){return this.element(e).classList.remove(...Array.from(arguments).slice(1)),this}addClass(e,t){return this.element(e).classList.add(...Array.from(arguments).slice(1)),this}debounce(e,...t){return this.debounce_||(this.debounce_=Salla.helpers.debounce(((e,...t)=>e(...t)),500)),this.debounce_(e,...t)}},f$1.infiniteScroll=new class extends d{constructor(e,t){super(e,t),this.options={path:".infinite-scroll-btn",history:"push",status:".infinite-scroll-status",append:".list-block"},this.fetchOptions={headers:{"S-INFINITE-SCROLL":!0}},this.instances=[];}initiate(e,a,r){r=this.getCustomOptions(a,r);let i="string"!=typeof e?e:document.querySelector(e),s=r.path;if(!i||!s||"string"==typeof s&&!document.querySelector(s))return void Salla.logger.warn(i?"Path Option (a link that has next page link) Not Existed!":"Container For InfiniteScroll not Existed!");let n=new js(i,r);return n.on("scrollThreshold",Salla.infiniteScroll.event.scrollThreshold),n.on("request",Salla.infiniteScroll.event.request),n.on("load",Salla.infiniteScroll.event.load),n.on("append",Salla.infiniteScroll.event.append),n.on("error",Salla.infiniteScroll.event.error),n.on("last",Salla.infiniteScroll.event.last),n.on("history",Salla.infiniteScroll.event.history),this.instances.push(n),n}getCustomOptions(e,t){return (t="object"==typeof e&&e||t||this.options).fetchOptions=this.fetchOptions,t.path=t.path||this.options.path,t.button=t.button||t.path,t.status=t.status||this.options.status,t.hasOwnProperty("history")||(t.history=this.options.history),t.nextPage=t.nextPage||t.next_page,t.append="string"==typeof e&&e||t.append||this.options.append,t}}(void 0,salla.event.infiniteScroll),f$1.api=new class extends class{constructor(){salla.event.on("twilight::initiated",(e=>this.initiateRequest(e))),salla.event.on("profile::info.fetched",(e=>this.setCurrencyAndLanguage(e))),salla.event.on("auth::token.fetched",(e=>{salla.storage.set("token",e),this.setToken(e),salla.cart.api.reset();})),this.notifier_handler_disabled=!1,this.axios=axios.create({headers:{common:{"X-Requested-With":"XMLHttpRequest","S-SOURCE":"twilight","S-APP-VERSION":"v2.0.0","S-APP-OS":"browser"}}});}getHeaders(){return this.axios.defaults.headers.common}setHeaders(e){return Object.entries(e).forEach((e=>this.setHeader(e[0],e[1]))),this}setHeader(e,t){return salla.infiniteScroll.fetchOptions.headers[e]=this.axios.defaults.headers.common[e]=t,this}async withoutNotifier(e){return this.notifier_handler_disabled=!0,await e().finally((()=>{this.notifier_handler_disabled=!1;}))}initiateRequest(e){this.axios.defaults.baseURL=Salla.config.get("store.api",Salla.config.get("store.url")),this.setHeaders({"Store-Identifier":Salla.config.get("store.id"),currency:e.user?.currency_code||"SAR","accept-language":salla.lang.getLocale(),"s-user-id":e.user?.id});let t=salla.storage.get("scope");t&&this.setHeaders({"s-scope-type":t.type,"s-scope-id":t.id}),this.injectTokenToTheRequests(e);}injectTokenToTheRequests(e){let t=salla.storage.get("token"),a=Salla.config.isGuest(),r=salla.storage.get("cart"),s=e.user?.id,n=salla.storage.get("user.id");if(n&&n!==s&&salla.storage.remove("user"),r&&(r.user_id!==s||r.store_id!==e.store?.id))return salla.log("cart",{user_id:r.user_id,store_id:r.store_id}),salla.log("current",{user_id:s,store_id:e.store?.id}),salla.log("Auth:: The cart is not belong to current "+(r.user_id!==s?"user":"store")+"!"),void salla.cart.api.reset();if(a&&!t)return;if(a&&t)return salla.log("Auth:: Token without user!"),salla.storage.remove("token"),void salla.cart.api.reset();if(!t)return salla.cart.api.reset(),void salla.auth.api.refresh();let l=o$1(t);return Date.now()/1e3>l.exp?(salla.log("Auth:: An expired token!"),salla.storage.remove("token"),salla.cart.api.reset(),void salla.auth.api.refresh()):l.sub!==s?(salla.log("Auth:: The user id is not match the token details!"),salla.storage.remove("token"),salla.cart.api.reset(),void salla.auth.api.refresh()):(this.setToken(t),void salla.event.emit("request::initiated"))}setToken(e){return this.setHeader("Authorization","Bearer "+e)}setCurrencyAndLanguage(e){return this.setHeaders({currency:e.data.currency,"accept-language":e.data.language})}request(e,t,a="get",r={}){let i={endPoint:e,payload:t,method:a,options:r},s="undefined"!=typeof event?event.currentTarget:null,n=!1;return "SALLA-BUTTON"===s?.tagName&&(n=!0),n&&s?.load(),this.axios[i.method](i.endPoint,i.payload,i.options).then((e=>(n&&s?.stop(),e.data&&e.request&&(e=e.data),this.handleAfterResponseActions(e),e))).catch((e=>{throw n&&s?.stop(),salla.event.document.requestFailed(i,e),this.handleErrorResponse(e),e}))}handleAfterResponseActions(e){if(!e)return;let{data:t,googleTags:a=null}=e,r=t&&t.googleTags?t.googleTags:a;dataLayer&&r&&dataLayer.push(r),this.fireEventsForResponse(e),this.showAlert(e),this.renderSections(e);}fireEventsForResponse(e){let t=e?.events||e.data?.events||e.error?.events;"string"==typeof t&&(t=JSON.parse(t)),t&&Object.keys(t).forEach((e=>salla.event.dispatch(e,t[e])));}handleErrorResponse(e){if(e.response&&e.response.data)return e.response.data.error&&e.response.data.error.fields&&!this.notifier_handler_disabled?this.handleInvalidFields(e):this.handleAfterResponseActions(e.response.data)}showAlert(e){if(e&&!this.notifier_handler_disabled)return e.case&&e.msg?salla.notify.fire(e.msg,e.case,e):e.hasOwnProperty("success")&&e.data?.message?salla.notify.fire(e.data?.message,e.success?salla.notify.types.success:salla.notify.types.error,e):e.error&&e.error.message&&"FORBIDDEN"!==e.error.message?salla.error(e.error.message,e):void 0}handleInvalidFields(e){let t=e.response.data.error.fields,a=[];Object.keys(t).forEach((e=>{let r=t[e];Array.isArray(r)?r.forEach((e=>a.push(e))):a.push(r);}));let r=(a.length>1?"* ":"")+a.join("\n* ");salla.error(r,e);}isFastRequestsAllowed(){return Salla.config.get("fastRequests")}promise(e,t=!0){return new Promise(((a,r)=>t?a(e):r(e)))}errorPromise(e){return this.promise(e,!1)}successPromise(e){return this.promise(e,!0)}renderSections(e){e.sections&&Object.keys(e.sections).forEach((t=>{document.querySelectorAll(t.toSelector()).forEach((function(a){a.innerHTML=e.sections[t];}));}));}}{constructor(){super(),this.auth=new f,this.cart=new p,this.loyalty=new g,this.order=new m,this.rating=new S,this.product=new v,this.profile=new y,this.comment=new w,this.currency=new b,this.document=new F,this.wishlist=new _,this.scope=new q,this.booking=new A;}},f$1.cart=new d(f$1.api.cart,f$1.event.cart),f$1.auth=new d(f$1.api.auth,f$1.event.auth),f$1.order=new d(f$1.api.order,f$1.event.order),f$1.scope=new d(f$1.api.scope,f$1.event.scope),f$1.rating=new d(f$1.api.rating,f$1.event.rating),f$1.comment=new d(f$1.api.comment,f$1.event.comment),f$1.loyalty=new d(f$1.api.loyalty,f$1.event.loyalty),f$1.product=new d(f$1.api.product,f$1.event.product),f$1.profile=new d(f$1.api.profile,f$1.event.profile),f$1.currency=new d(f$1.api.currency,f$1.event.currency),f$1.document=new d(f$1.api.document,f$1.event.document),f$1.wishlist=new d(f$1.api.wishlist,f$1.event.wishlist),f$1.booking=new d(f$1.api.booking,f$1.event.booking),f$1.call=t=>{let a=f$1,r=t.split(".");for(;r.length&&(a=a[r.shift()]););return a},f$1.init=e=>new E(e),salla.event.once("twilight::init",salla.init),salla.event.once("twilight::api",(e=>{let t=e?.events;t&&salla.event.dispatchEvents(t);})),f$1.success=f$1.notify.success,f$1.error=f$1.notify.error,f$1.versions.twilight="[VI]{version}[/VI]",f$1.onInitiated=e=>salla.event.once("twilight::initiated",e),f$1.onReady=f$1.onReady||function(t){"ready"!==salla.status?f$1.onInitiated(t):t(salla.config.all());},window.dispatchEvent(new CustomEvent("salla::created"));
7557
9750
 
7558
9751
  var lazyload_min = createCommonjsModule(function (module, exports) {
7559
9752
  !function(n,t){module.exports=t();}(commonjsGlobal,(function(){function n(){return n=Object.assign||function(n){for(var t=1;t<arguments.length;t++){var e=arguments[t];for(var i in e)Object.prototype.hasOwnProperty.call(e,i)&&(n[i]=e[i]);}return n},n.apply(this,arguments)}var t="undefined"!=typeof window,e=t&&!("onscroll"in window)||"undefined"!=typeof navigator&&/(gle|ing|ro)bot|crawl|spider/i.test(navigator.userAgent),i=t&&"IntersectionObserver"in window,o=t&&"classList"in document.createElement("p"),a=t&&window.devicePixelRatio>1,r={elements_selector:".lazy",container:e||t?document:null,threshold:300,thresholds:null,data_src:"src",data_srcset:"srcset",data_sizes:"sizes",data_bg:"bg",data_bg_hidpi:"bg-hidpi",data_bg_multi:"bg-multi",data_bg_multi_hidpi:"bg-multi-hidpi",data_bg_set:"bg-set",data_poster:"poster",class_applied:"applied",class_loading:"loading",class_loaded:"loaded",class_error:"error",class_entered:"entered",class_exited:"exited",unobserve_completed:!0,unobserve_entered:!1,cancel_on_exit:!0,callback_enter:null,callback_exit:null,callback_applied:null,callback_loading:null,callback_loaded:null,callback_error:null,callback_finish:null,callback_cancel:null,use_native:!1,restore_on_error:!1},c=function(t){return n({},r,t)},l=function(n,t){var e,i="LazyLoad::Initialized",o=new n(t);try{e=new CustomEvent(i,{detail:{instance:o}});}catch(n){(e=document.createEvent("CustomEvent")).initCustomEvent(i,!1,!1,{instance:o});}window.dispatchEvent(e);},u="src",s="srcset",d="sizes",f="poster",_="llOriginalAttrs",g="data",v="loading",b="loaded",m="applied",p="error",h="native",E="data-",I="ll-status",y=function(n,t){return n.getAttribute(E+t)},k=function(n){return y(n,I)},w=function(n,t){return function(n,t,e){var i="data-ll-status";null!==e?n.setAttribute(i,e):n.removeAttribute(i);}(n,0,t)},A=function(n){return w(n,null)},L=function(n){return null===k(n)},O=function(n){return k(n)===h},x=[v,b,m,p],C=function(n,t,e,i){n&&(void 0===i?void 0===e?n(t):n(t,e):n(t,e,i));},N=function(n,t){o?n.classList.add(t):n.className+=(n.className?" ":"")+t;},M=function(n,t){o?n.classList.remove(t):n.className=n.className.replace(new RegExp("(^|\\s+)"+t+"(\\s+|$)")," ").replace(/^\s+/,"").replace(/\s+$/,"");},z=function(n){return n.llTempImage},T=function(n,t){if(t){var e=t._observer;e&&e.unobserve(n);}},R=function(n,t){n&&(n.loadingCount+=t);},G=function(n,t){n&&(n.toLoadCount=t);},j=function(n){for(var t,e=[],i=0;t=n.children[i];i+=1)"SOURCE"===t.tagName&&e.push(t);return e},D=function(n,t){var e=n.parentNode;e&&"PICTURE"===e.tagName&&j(e).forEach(t);},H=function(n,t){j(n).forEach(t);},V=[u],F=[u,f],B=[u,s,d],J=[g],P=function(n){return !!n[_]},S=function(n){return n[_]},U=function(n){return delete n[_]},$=function(n,t){if(!P(n)){var e={};t.forEach((function(t){e[t]=n.getAttribute(t);})),n[_]=e;}},q=function(n,t){if(P(n)){var e=S(n);t.forEach((function(t){!function(n,t,e){e?n.setAttribute(t,e):n.removeAttribute(t);}(n,t,e[t]);}));}},K=function(n,t,e){N(n,t.class_applied),w(n,m),e&&(t.unobserve_completed&&T(n,t),C(t.callback_applied,n,e));},Q=function(n,t,e){N(n,t.class_loading),w(n,v),e&&(R(e,1),C(t.callback_loading,n,e));},W=function(n,t,e){e&&n.setAttribute(t,e);},X=function(n,t){W(n,d,y(n,t.data_sizes)),W(n,s,y(n,t.data_srcset)),W(n,u,y(n,t.data_src));},Y={IMG:function(n,t){D(n,(function(n){$(n,B),X(n,t);})),$(n,B),X(n,t);},IFRAME:function(n,t){$(n,V),W(n,u,y(n,t.data_src));},VIDEO:function(n,t){H(n,(function(n){$(n,V),W(n,u,y(n,t.data_src));})),$(n,F),W(n,f,y(n,t.data_poster)),W(n,u,y(n,t.data_src)),n.load();},OBJECT:function(n,t){$(n,J),W(n,g,y(n,t.data_src));}},Z=["IMG","IFRAME","VIDEO","OBJECT"],nn=function(n,t){!t||function(n){return n.loadingCount>0}(t)||function(n){return n.toLoadCount>0}(t)||C(n.callback_finish,t);},tn=function(n,t,e){n.addEventListener(t,e),n.llEvLisnrs[t]=e;},en=function(n,t,e){n.removeEventListener(t,e);},on=function(n){return !!n.llEvLisnrs},an=function(n){if(on(n)){var t=n.llEvLisnrs;for(var e in t){var i=t[e];en(n,e,i);}delete n.llEvLisnrs;}},rn=function(n,t,e){!function(n){delete n.llTempImage;}(n),R(e,-1),function(n){n&&(n.toLoadCount-=1);}(e),M(n,t.class_loading),t.unobserve_completed&&T(n,e);},cn=function(n,t,e){var i=z(n)||n;on(i)||function(n,t,e){on(n)||(n.llEvLisnrs={});var i="VIDEO"===n.tagName?"loadeddata":"load";tn(n,i,t),tn(n,"error",e);}(i,(function(o){!function(n,t,e,i){var o=O(t);rn(t,e,i),N(t,e.class_loaded),w(t,b),C(e.callback_loaded,t,i),o||nn(e,i);}(0,n,t,e),an(i);}),(function(o){!function(n,t,e,i){var o=O(t);rn(t,e,i),N(t,e.class_error),w(t,p),C(e.callback_error,t,i),e.restore_on_error&&q(t,B),o||nn(e,i);}(0,n,t,e),an(i);}));},ln=function(n,t,e){!function(n){return Z.indexOf(n.tagName)>-1}(n)?function(n,t,e){!function(n){n.llTempImage=document.createElement("IMG");}(n),cn(n,t,e),function(n){P(n)||(n[_]={backgroundImage:n.style.backgroundImage});}(n),function(n,t,e){var i=y(n,t.data_bg),o=y(n,t.data_bg_hidpi),r=a&&o?o:i;r&&(n.style.backgroundImage='url("'.concat(r,'")'),z(n).setAttribute(u,r),Q(n,t,e));}(n,t,e),function(n,t,e){var i=y(n,t.data_bg_multi),o=y(n,t.data_bg_multi_hidpi),r=a&&o?o:i;r&&(n.style.backgroundImage=r,K(n,t,e));}(n,t,e),function(n,t,e){var i=y(n,t.data_bg_set);if(i){var o=i.split("|"),a=o.map((function(n){return "image-set(".concat(n,")")}));n.style.backgroundImage=a.join(),""===n.style.backgroundImage&&(a=o.map((function(n){return "-webkit-image-set(".concat(n,")")})),n.style.backgroundImage=a.join()),K(n,t,e);}}(n,t,e);}(n,t,e):function(n,t,e){cn(n,t,e),function(n,t,e){var i=Y[n.tagName];i&&(i(n,t),Q(n,t,e));}(n,t,e);}(n,t,e);},un=function(n){n.removeAttribute(u),n.removeAttribute(s),n.removeAttribute(d);},sn=function(n){D(n,(function(n){q(n,B);})),q(n,B);},dn={IMG:sn,IFRAME:function(n){q(n,V);},VIDEO:function(n){H(n,(function(n){q(n,V);})),q(n,F),n.load();},OBJECT:function(n){q(n,J);}},fn=function(n,t){(function(n){var t=dn[n.tagName];t?t(n):function(n){if(P(n)){var t=S(n);n.style.backgroundImage=t.backgroundImage;}}(n);})(n),function(n,t){L(n)||O(n)||(M(n,t.class_entered),M(n,t.class_exited),M(n,t.class_applied),M(n,t.class_loading),M(n,t.class_loaded),M(n,t.class_error));}(n,t),A(n),U(n);},_n=["IMG","IFRAME","VIDEO"],gn=function(n){return n.use_native&&"loading"in HTMLImageElement.prototype},vn=function(n,t,e){n.forEach((function(n){return function(n){return n.isIntersecting||n.intersectionRatio>0}(n)?function(n,t,e,i){var o=function(n){return x.indexOf(k(n))>=0}(n);w(n,"entered"),N(n,e.class_entered),M(n,e.class_exited),function(n,t,e){t.unobserve_entered&&T(n,e);}(n,e,i),C(e.callback_enter,n,t,i),o||ln(n,e,i);}(n.target,n,t,e):function(n,t,e,i){L(n)||(N(n,e.class_exited),function(n,t,e,i){e.cancel_on_exit&&function(n){return k(n)===v}(n)&&"IMG"===n.tagName&&(an(n),function(n){D(n,(function(n){un(n);})),un(n);}(n),sn(n),M(n,e.class_loading),R(i,-1),A(n),C(e.callback_cancel,n,t,i));}(n,t,e,i),C(e.callback_exit,n,t,i));}(n.target,n,t,e)}));},bn=function(n){return Array.prototype.slice.call(n)},mn=function(n){return n.container.querySelectorAll(n.elements_selector)},pn=function(n){return function(n){return k(n)===p}(n)},hn=function(n,t){return function(n){return bn(n).filter(L)}(n||mn(t))},En=function(n,e){var o=c(n);this._settings=o,this.loadingCount=0,function(n,t){i&&!gn(n)&&(t._observer=new IntersectionObserver((function(e){vn(e,n,t);}),function(n){return {root:n.container===document?null:n.container,rootMargin:n.thresholds||n.threshold+"px"}}(n)));}(o,this),function(n,e){t&&(e._onlineHandler=function(){!function(n,t){var e;(e=mn(n),bn(e).filter(pn)).forEach((function(t){M(t,n.class_error),A(t);})),t.update();}(n,e);},window.addEventListener("online",e._onlineHandler));}(o,this),this.update(e);};return En.prototype={update:function(n){var t,o,a=this._settings,r=hn(n,a);G(this,r.length),!e&&i?gn(a)?function(n,t,e){n.forEach((function(n){-1!==_n.indexOf(n.tagName)&&function(n,t,e){n.setAttribute("loading","lazy"),cn(n,t,e),function(n,t){var e=Y[n.tagName];e&&e(n,t);}(n,t),w(n,h);}(n,t,e);})),G(e,0);}(r,a,this):(o=r,function(n){n.disconnect();}(t=this._observer),function(n,t){t.forEach((function(t){n.observe(t);}));}(t,o)):this.loadAll(r);},destroy:function(){this._observer&&this._observer.disconnect(),t&&window.removeEventListener("online",this._onlineHandler),mn(this._settings).forEach((function(n){U(n);})),delete this._observer,delete this._settings,delete this._onlineHandler,delete this.loadingCount,delete this.toLoadCount;},loadAll:function(n){var t=this,e=this._settings;hn(n,e).forEach((function(n){T(n,t),ln(n,e,t);}));},restoreAll:function(){var n=this._settings;mn(n).forEach((function(t){fn(t,n);}));}},En.load=function(n,t){var e=c(t);ln(n,e);},En.resetStatus=function(n){A(n);},t&&function(n,t){if(t)if(t.length)for(var e,i=0;e=t[i];i+=1)l(n,e);else l(n,t);}(En,window.lazyLoadOptions),En}));