@powersync/web 1.15.0 → 1.16.0
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.
- package/dist/index.umd.js +56 -23
- package/dist/index.umd.js.map +1 -1
- package/dist/worker/SharedSyncImplementation.umd.js +18 -4
- package/dist/worker/SharedSyncImplementation.umd.js.map +1 -1
- package/dist/worker/WASQLiteDB.umd.js +38 -21
- package/dist/worker/WASQLiteDB.umd.js.map +1 -1
- package/lib/package.json +3 -3
- package/lib/src/db/adapters/AsyncDatabaseConnection.d.ts +1 -0
- package/lib/src/db/adapters/LockedAsyncDatabaseAdapter.d.ts +5 -0
- package/lib/src/db/adapters/LockedAsyncDatabaseAdapter.js +14 -3
- package/lib/src/db/adapters/SSRDBAdapter.d.ts +1 -0
- package/lib/src/db/adapters/SSRDBAdapter.js +3 -0
- package/lib/src/db/adapters/WorkerWrappedAsyncDatabaseConnection.d.ts +1 -0
- package/lib/src/db/adapters/WorkerWrappedAsyncDatabaseConnection.js +3 -0
- package/lib/src/db/adapters/wa-sqlite/WASQLiteConnection.d.ts +6 -0
- package/lib/src/db/adapters/wa-sqlite/WASQLiteConnection.js +36 -20
- package/lib/src/worker/db/WASQLiteDB.worker.js +1 -0
- package/lib/tsconfig.tsbuildinfo +1 -1
- package/package.json +4 -4
|
@@ -490,8 +490,8 @@ class WASqliteConnection extends _powersync_common__WEBPACK_IMPORTED_MODULE_1__.
|
|
|
490
490
|
await this.openDB();
|
|
491
491
|
this.registerBroadcastListeners();
|
|
492
492
|
await this.executeSingleStatement(`PRAGMA temp_store = ${this.options.temporaryStorage};`);
|
|
493
|
-
await this.executeSingleStatement(`PRAGMA cache_size = -${this.options.cacheSizeKb};`);
|
|
494
493
|
await this.executeEncryptionPragma();
|
|
494
|
+
await this.executeSingleStatement(`PRAGMA cache_size = -${this.options.cacheSizeKb};`);
|
|
495
495
|
this.sqliteAPI.update_hook(this.dbP, (updateType, dbName, tableName) => {
|
|
496
496
|
if (!tableName) {
|
|
497
497
|
return;
|
|
@@ -577,6 +577,11 @@ class WASqliteConnection extends _powersync_common__WEBPACK_IMPORTED_MODULE_1__.
|
|
|
577
577
|
return this.executeSingleStatement(sql, bindings);
|
|
578
578
|
});
|
|
579
579
|
}
|
|
580
|
+
async executeRaw(sql, bindings) {
|
|
581
|
+
return this.acquireExecuteLock(async () => {
|
|
582
|
+
return this.executeSingleStatementRaw(sql, bindings);
|
|
583
|
+
});
|
|
584
|
+
}
|
|
580
585
|
async close() {
|
|
581
586
|
this.broadcastChannel?.close();
|
|
582
587
|
await this.sqliteAPI.close(this.dbP);
|
|
@@ -597,6 +602,35 @@ class WASqliteConnection extends _powersync_common__WEBPACK_IMPORTED_MODULE_1__.
|
|
|
597
602
|
* This executes a single statement using SQLite3.
|
|
598
603
|
*/
|
|
599
604
|
async executeSingleStatement(sql, bindings) {
|
|
605
|
+
const results = await this._execute(sql, bindings);
|
|
606
|
+
const rows = [];
|
|
607
|
+
for (const resultSet of results) {
|
|
608
|
+
for (const row of resultSet.rows) {
|
|
609
|
+
const outRow = {};
|
|
610
|
+
resultSet.columns.forEach((key, index) => {
|
|
611
|
+
outRow[key] = row[index];
|
|
612
|
+
});
|
|
613
|
+
rows.push(outRow);
|
|
614
|
+
}
|
|
615
|
+
}
|
|
616
|
+
const result = {
|
|
617
|
+
insertId: this.sqliteAPI.last_insert_id(this.dbP),
|
|
618
|
+
rowsAffected: this.sqliteAPI.changes(this.dbP),
|
|
619
|
+
rows: {
|
|
620
|
+
_array: rows,
|
|
621
|
+
length: rows.length
|
|
622
|
+
}
|
|
623
|
+
};
|
|
624
|
+
return result;
|
|
625
|
+
}
|
|
626
|
+
/**
|
|
627
|
+
* This executes a single statement using SQLite3 and returns the results as an array of arrays.
|
|
628
|
+
*/
|
|
629
|
+
async executeSingleStatementRaw(sql, bindings) {
|
|
630
|
+
const results = await this._execute(sql, bindings);
|
|
631
|
+
return results.flatMap((resultset) => resultset.rows.map((row) => resultset.columns.map((_, index) => row[index])));
|
|
632
|
+
}
|
|
633
|
+
async _execute(sql, bindings) {
|
|
600
634
|
const results = [];
|
|
601
635
|
for await (const stmt of this.sqliteAPI.statements(this.dbP, sql)) {
|
|
602
636
|
let columns;
|
|
@@ -627,25 +661,7 @@ class WASqliteConnection extends _powersync_common__WEBPACK_IMPORTED_MODULE_1__.
|
|
|
627
661
|
break;
|
|
628
662
|
}
|
|
629
663
|
}
|
|
630
|
-
|
|
631
|
-
for (const resultSet of results) {
|
|
632
|
-
for (const row of resultSet.rows) {
|
|
633
|
-
const outRow = {};
|
|
634
|
-
resultSet.columns.forEach((key, index) => {
|
|
635
|
-
outRow[key] = row[index];
|
|
636
|
-
});
|
|
637
|
-
rows.push(outRow);
|
|
638
|
-
}
|
|
639
|
-
}
|
|
640
|
-
const result = {
|
|
641
|
-
insertId: this.sqliteAPI.last_insert_id(this.dbP),
|
|
642
|
-
rowsAffected: this.sqliteAPI.changes(this.dbP),
|
|
643
|
-
rows: {
|
|
644
|
-
_array: rows,
|
|
645
|
-
length: rows.length
|
|
646
|
-
}
|
|
647
|
-
};
|
|
648
|
-
return result;
|
|
664
|
+
return results;
|
|
649
665
|
}
|
|
650
666
|
}
|
|
651
667
|
|
|
@@ -3112,7 +3128,7 @@ read:function(l,n,u,e,t){var r,o,i=8*t-e-1,a=(1<<i)-1,s=a>>1,c=-7,d=u?t-1:0,h=u?
|
|
|
3112
3128
|
* @author Feross Aboukhadijeh <https://feross.org>
|
|
3113
3129
|
* @license MIT
|
|
3114
3130
|
*/
|
|
3115
|
-
!function(l){var n=pe,u=_e,e="function"==typeof Symbol&&"function"==typeof Symbol.for?Symbol.for("nodejs.util.inspect.custom"):null;l.Buffer=o,l.SlowBuffer=function(l){+l!=l&&(l=0);return o.alloc(+l)},l.INSPECT_MAX_BYTES=50;var t=2147483647;function r(l){if(l>t)throw new RangeError('The value "'+l+'" is invalid for option "size"');var n=new Uint8Array(l);return Object.setPrototypeOf(n,o.prototype),n}function o(l,n,u){if("number"==typeof l){if("string"==typeof n)throw new TypeError('The "string" argument must be of type string. Received type number');return s(l)}return i(l,n,u)}function i(l,n,u){if("string"==typeof l)return function(l,n){"string"==typeof n&&""!==n||(n="utf8");if(!o.isEncoding(n))throw new TypeError("Unknown encoding: "+n);var u=0|f(l,n),e=r(u),t=e.write(l,n);t!==u&&(e=e.slice(0,t));return e}(l,n);if(ArrayBuffer.isView(l))return function(l){if(M(l,Uint8Array)){var n=new Uint8Array(l);return d(n.buffer,n.byteOffset,n.byteLength)}return c(l)}(l);if(null==l)throw new TypeError("The first argument must be one of type string, Buffer, ArrayBuffer, Array, or Array-like Object. Received type "+typeof l);if(M(l,ArrayBuffer)||l&&M(l.buffer,ArrayBuffer))return d(l,n,u);if("undefined"!=typeof SharedArrayBuffer&&(M(l,SharedArrayBuffer)||l&&M(l.buffer,SharedArrayBuffer)))return d(l,n,u);if("number"==typeof l)throw new TypeError('The "value" argument must not be of type number. Received type number');var e=l.valueOf&&l.valueOf();if(null!=e&&e!==l)return o.from(e,n,u);var t=function(l){if(o.isBuffer(l)){var n=0|h(l.length),u=r(n);return 0===u.length||l.copy(u,0,0,n),u}if(void 0!==l.length)return"number"!=typeof l.length||q(l.length)?r(0):c(l);if("Buffer"===l.type&&Array.isArray(l.data))return c(l.data)}(l);if(t)return t;if("undefined"!=typeof Symbol&&null!=Symbol.toPrimitive&&"function"==typeof l[Symbol.toPrimitive])return o.from(l[Symbol.toPrimitive]("string"),n,u);throw new TypeError("The first argument must be one of type string, Buffer, ArrayBuffer, Array, or Array-like Object. Received type "+typeof l)}function a(l){if("number"!=typeof l)throw new TypeError('"size" argument must be of type number');if(l<0)throw new RangeError('The value "'+l+'" is invalid for option "size"')}function s(l){return a(l),r(l<0?0:0|h(l))}function c(l){for(var n=l.length<0?0:0|h(l.length),u=r(n),e=0;e<n;e+=1)u[e]=255&l[e];return u}function d(l,n,u){if(n<0||l.byteLength<n)throw new RangeError('"offset" is outside of buffer bounds');if(l.byteLength<n+(u||0))throw new RangeError('"length" is outside of buffer bounds');var e;return e=void 0===n&&void 0===u?new Uint8Array(l):void 0===u?new Uint8Array(l,n):new Uint8Array(l,n,u),Object.setPrototypeOf(e,o.prototype),e}function h(l){if(l>=t)throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+t.toString(16)+" bytes");return 0|l}function f(l,n){if(o.isBuffer(l))return l.length;if(ArrayBuffer.isView(l)||M(l,ArrayBuffer))return l.byteLength;if("string"!=typeof l)throw new TypeError('The "string" argument must be one of type string, Buffer, or ArrayBuffer. Received type '+typeof l);var u=l.length,e=arguments.length>2&&!0===arguments[2];if(!e&&0===u)return 0;for(var t=!1;;)switch(n){case"ascii":case"latin1":case"binary":return u;case"utf8":case"utf-8":return U(l).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*u;case"hex":return u>>>1;case"base64":return D(l).length;default:if(t)return e?-1:U(l).length;n=(""+n).toLowerCase(),t=!0}}function p(l,n,u){var e=!1;if((void 0===n||n<0)&&(n=0),n>this.length)return"";if((void 0===u||u>this.length)&&(u=this.length),u<=0)return"";if((u>>>=0)<=(n>>>=0))return"";for(l||(l="utf8");;)switch(l){case"hex":return C(this,n,u);case"utf8":case"utf-8":return T(this,n,u);case"ascii":return A(this,n,u);case"latin1":case"binary":return O(this,n,u);case"base64":return S(this,n,u);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return F(this,n,u);default:if(e)throw new TypeError("Unknown encoding: "+l);l=(l+"").toLowerCase(),e=!0}}function y(l,n,u){var e=l[n];l[n]=l[u],l[u]=e}function m(l,n,u,e,t){if(0===l.length)return-1;if("string"==typeof u?(e=u,u=0):u>2147483647?u=2147483647:u<-2147483648&&(u=-2147483648),q(u=+u)&&(u=t?0:l.length-1),u<0&&(u=l.length+u),u>=l.length){if(t)return-1;u=l.length-1}else if(u<0){if(!t)return-1;u=0}if("string"==typeof n&&(n=o.from(n,e)),o.isBuffer(n))return 0===n.length?-1:g(l,n,u,e,t);if("number"==typeof n)return n&=255,"function"==typeof Uint8Array.prototype.indexOf?t?Uint8Array.prototype.indexOf.call(l,n,u):Uint8Array.prototype.lastIndexOf.call(l,n,u):g(l,[n],u,e,t);throw new TypeError("val must be string, number or Buffer")}function g(l,n,u,e,t){var r,o=1,i=l.length,a=n.length;if(void 0!==e&&("ucs2"===(e=String(e).toLowerCase())||"ucs-2"===e||"utf16le"===e||"utf-16le"===e)){if(l.length<2||n.length<2)return-1;o=2,i/=2,a/=2,u/=2}function s(l,n){return 1===o?l[n]:l.readUInt16BE(n*o)}if(t){var c=-1;for(r=u;r<i;r++)if(s(l,r)===s(n,-1===c?0:r-c)){if(-1===c&&(c=r),r-c+1===a)return c*o}else-1!==c&&(r-=r-c),c=-1}else for(u+a>i&&(u=i-a),r=u;r>=0;r--){for(var d=!0,h=0;h<a;h++)if(s(l,r+h)!==s(n,h)){d=!1;break}if(d)return r}return-1}function b(l,n,u,e){u=Number(u)||0;var t=l.length-u;e?(e=Number(e))>t&&(e=t):e=t;var r=n.length;e>r/2&&(e=r/2);for(var o=0;o<e;++o){var i=parseInt(n.substr(2*o,2),16);if(q(i))return o;l[u+o]=i}return o}function v(l,n,u,e){return B(U(n,l.length-u),l,u,e)}function E(l,n,u,e){return B(function(l){for(var n=[],u=0;u<l.length;++u)n.push(255&l.charCodeAt(u));return n}(n),l,u,e)}function w(l,n,u,e){return B(D(n),l,u,e)}function _(l,n,u,e){return B(function(l,n){for(var u,e,t,r=[],o=0;o<l.length&&!((n-=2)<0);++o)e=(u=l.charCodeAt(o))>>8,t=u%256,r.push(t),r.push(e);return r}(n,l.length-u),l,u,e)}function S(l,u,e){return 0===u&&e===l.length?n.fromByteArray(l):n.fromByteArray(l.slice(u,e))}function T(l,n,u){u=Math.min(l.length,u);for(var e=[],t=n;t<u;){var r,o,i,a,s=l[t],c=null,d=s>239?4:s>223?3:s>191?2:1;if(t+d<=u)switch(d){case 1:s<128&&(c=s);break;case 2:128==(192&(r=l[t+1]))&&(a=(31&s)<<6|63&r)>127&&(c=a);break;case 3:r=l[t+1],o=l[t+2],128==(192&r)&&128==(192&o)&&(a=(15&s)<<12|(63&r)<<6|63&o)>2047&&(a<55296||a>57343)&&(c=a);break;case 4:r=l[t+1],o=l[t+2],i=l[t+3],128==(192&r)&&128==(192&o)&&128==(192&i)&&(a=(15&s)<<18|(63&r)<<12|(63&o)<<6|63&i)>65535&&a<1114112&&(c=a)}null===c?(c=65533,d=1):c>65535&&(c-=65536,e.push(c>>>10&1023|55296),c=56320|1023&c),e.push(c),t+=d}return function(l){var n=l.length;if(n<=R)return String.fromCharCode.apply(String,l);var u="",e=0;for(;e<n;)u+=String.fromCharCode.apply(String,l.slice(e,e+=R));return u}(e)}l.kMaxLength=t,o.TYPED_ARRAY_SUPPORT=function(){try{var l=new Uint8Array(1),n={foo:function(){return 42}};return Object.setPrototypeOf(n,Uint8Array.prototype),Object.setPrototypeOf(l,n),42===l.foo()}catch(l){return!1}}(),o.TYPED_ARRAY_SUPPORT||"undefined"==typeof console||"function"!=typeof console.error||console.error("This browser lacks typed array (Uint8Array) support which is required by `buffer` v5.x. Use `buffer` v4.x if you require old browser support."),Object.defineProperty(o.prototype,"parent",{enumerable:!0,get:function(){if(o.isBuffer(this))return this.buffer}}),Object.defineProperty(o.prototype,"offset",{enumerable:!0,get:function(){if(o.isBuffer(this))return this.byteOffset}}),o.poolSize=8192,o.from=function(l,n,u){return i(l,n,u)},Object.setPrototypeOf(o.prototype,Uint8Array.prototype),Object.setPrototypeOf(o,Uint8Array),o.alloc=function(l,n,u){return function(l,n,u){return a(l),l<=0?r(l):void 0!==n?"string"==typeof u?r(l).fill(n,u):r(l).fill(n):r(l)}(l,n,u)},o.allocUnsafe=function(l){return s(l)},o.allocUnsafeSlow=function(l){return s(l)},o.isBuffer=function(l){return null!=l&&!0===l._isBuffer&&l!==o.prototype},o.compare=function(l,n){if(M(l,Uint8Array)&&(l=o.from(l,l.offset,l.byteLength)),M(n,Uint8Array)&&(n=o.from(n,n.offset,n.byteLength)),!o.isBuffer(l)||!o.isBuffer(n))throw new TypeError('The "buf1", "buf2" arguments must be one of type Buffer or Uint8Array');if(l===n)return 0;for(var u=l.length,e=n.length,t=0,r=Math.min(u,e);t<r;++t)if(l[t]!==n[t]){u=l[t],e=n[t];break}return u<e?-1:e<u?1:0},o.isEncoding=function(l){switch(String(l).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},o.concat=function(l,n){if(!Array.isArray(l))throw new TypeError('"list" argument must be an Array of Buffers');if(0===l.length)return o.alloc(0);var u;if(void 0===n)for(n=0,u=0;u<l.length;++u)n+=l[u].length;var e=o.allocUnsafe(n),t=0;for(u=0;u<l.length;++u){var r=l[u];if(M(r,Uint8Array))t+r.length>e.length?o.from(r).copy(e,t):Uint8Array.prototype.set.call(e,r,t);else{if(!o.isBuffer(r))throw new TypeError('"list" argument must be an Array of Buffers');r.copy(e,t)}t+=r.length}return e},o.byteLength=f,o.prototype._isBuffer=!0,o.prototype.swap16=function(){var l=this.length;if(l%2!=0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var n=0;n<l;n+=2)y(this,n,n+1);return this},o.prototype.swap32=function(){var l=this.length;if(l%4!=0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var n=0;n<l;n+=4)y(this,n,n+3),y(this,n+1,n+2);return this},o.prototype.swap64=function(){var l=this.length;if(l%8!=0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var n=0;n<l;n+=8)y(this,n,n+7),y(this,n+1,n+6),y(this,n+2,n+5),y(this,n+3,n+4);return this},o.prototype.toString=function(){var l=this.length;return 0===l?"":0===arguments.length?T(this,0,l):p.apply(this,arguments)},o.prototype.toLocaleString=o.prototype.toString,o.prototype.equals=function(l){if(!o.isBuffer(l))throw new TypeError("Argument must be a Buffer");return this===l||0===o.compare(this,l)},o.prototype.inspect=function(){var n="",u=l.INSPECT_MAX_BYTES;return n=this.toString("hex",0,u).replace(/(.{2})/g,"$1 ").trim(),this.length>u&&(n+=" ... "),"<Buffer "+n+">"},e&&(o.prototype[e]=o.prototype.inspect),o.prototype.compare=function(l,n,u,e,t){if(M(l,Uint8Array)&&(l=o.from(l,l.offset,l.byteLength)),!o.isBuffer(l))throw new TypeError('The "target" argument must be one of type Buffer or Uint8Array. Received type '+typeof l);if(void 0===n&&(n=0),void 0===u&&(u=l?l.length:0),void 0===e&&(e=0),void 0===t&&(t=this.length),n<0||u>l.length||e<0||t>this.length)throw new RangeError("out of range index");if(e>=t&&n>=u)return 0;if(e>=t)return-1;if(n>=u)return 1;if(this===l)return 0;for(var r=(t>>>=0)-(e>>>=0),i=(u>>>=0)-(n>>>=0),a=Math.min(r,i),s=this.slice(e,t),c=l.slice(n,u),d=0;d<a;++d)if(s[d]!==c[d]){r=s[d],i=c[d];break}return r<i?-1:i<r?1:0},o.prototype.includes=function(l,n,u){return-1!==this.indexOf(l,n,u)},o.prototype.indexOf=function(l,n,u){return m(this,l,n,u,!0)},o.prototype.lastIndexOf=function(l,n,u){return m(this,l,n,u,!1)},o.prototype.write=function(l,n,u,e){if(void 0===n)e="utf8",u=this.length,n=0;else if(void 0===u&&"string"==typeof n)e=n,u=this.length,n=0;else{if(!isFinite(n))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");n>>>=0,isFinite(u)?(u>>>=0,void 0===e&&(e="utf8")):(e=u,u=void 0)}var t=this.length-n;if((void 0===u||u>t)&&(u=t),l.length>0&&(u<0||n<0)||n>this.length)throw new RangeError("Attempt to write outside buffer bounds");e||(e="utf8");for(var r=!1;;)switch(e){case"hex":return b(this,l,n,u);case"utf8":case"utf-8":return v(this,l,n,u);case"ascii":case"latin1":case"binary":return E(this,l,n,u);case"base64":return w(this,l,n,u);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return _(this,l,n,u);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(""+e).toLowerCase(),r=!0}},o.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var R=4096;function A(l,n,u){var e="";u=Math.min(l.length,u);for(var t=n;t<u;++t)e+=String.fromCharCode(127&l[t]);return e}function O(l,n,u){var e="";u=Math.min(l.length,u);for(var t=n;t<u;++t)e+=String.fromCharCode(l[t]);return e}function C(l,n,u){var e=l.length;(!n||n<0)&&(n=0),(!u||u<0||u>e)&&(u=e);for(var t="",r=n;r<u;++r)t+=j[l[r]];return t}function F(l,n,u){for(var e=l.slice(n,u),t="",r=0;r<e.length-1;r+=2)t+=String.fromCharCode(e[r]+256*e[r+1]);return t}function I(l,n,u){if(l%1!=0||l<0)throw new RangeError("offset is not uint");if(l+n>u)throw new RangeError("Trying to access beyond buffer length")}function k(l,n,u,e,t,r){if(!o.isBuffer(l))throw new TypeError('"buffer" argument must be a Buffer instance');if(n>t||n<r)throw new RangeError('"value" argument is out of bounds');if(u+e>l.length)throw new RangeError("Index out of range")}function P(l,n,u,e,t,r){if(u+e>l.length)throw new RangeError("Index out of range");if(u<0)throw new RangeError("Index out of range")}function L(l,n,e,t,r){return n=+n,e>>>=0,r||P(l,0,e,4),u.write(l,n,e,t,23,4),e+4}function N(l,n,e,t,r){return n=+n,e>>>=0,r||P(l,0,e,8),u.write(l,n,e,t,52,8),e+8}o.prototype.slice=function(l,n){var u=this.length;(l=~~l)<0?(l+=u)<0&&(l=0):l>u&&(l=u),(n=void 0===n?u:~~n)<0?(n+=u)<0&&(n=0):n>u&&(n=u),n<l&&(n=l);var e=this.subarray(l,n);return Object.setPrototypeOf(e,o.prototype),e},o.prototype.readUintLE=o.prototype.readUIntLE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=this[l],t=1,r=0;++r<n&&(t*=256);)e+=this[l+r]*t;return e},o.prototype.readUintBE=o.prototype.readUIntBE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=this[l+--n],t=1;n>0&&(t*=256);)e+=this[l+--n]*t;return e},o.prototype.readUint8=o.prototype.readUInt8=function(l,n){return l>>>=0,n||I(l,1,this.length),this[l]},o.prototype.readUint16LE=o.prototype.readUInt16LE=function(l,n){return l>>>=0,n||I(l,2,this.length),this[l]|this[l+1]<<8},o.prototype.readUint16BE=o.prototype.readUInt16BE=function(l,n){return l>>>=0,n||I(l,2,this.length),this[l]<<8|this[l+1]},o.prototype.readUint32LE=o.prototype.readUInt32LE=function(l,n){return l>>>=0,n||I(l,4,this.length),(this[l]|this[l+1]<<8|this[l+2]<<16)+16777216*this[l+3]},o.prototype.readUint32BE=o.prototype.readUInt32BE=function(l,n){return l>>>=0,n||I(l,4,this.length),16777216*this[l]+(this[l+1]<<16|this[l+2]<<8|this[l+3])},o.prototype.readIntLE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=this[l],t=1,r=0;++r<n&&(t*=256);)e+=this[l+r]*t;return e>=(t*=128)&&(e-=Math.pow(2,8*n)),e},o.prototype.readIntBE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=n,t=1,r=this[l+--e];e>0&&(t*=256);)r+=this[l+--e]*t;return r>=(t*=128)&&(r-=Math.pow(2,8*n)),r},o.prototype.readInt8=function(l,n){return l>>>=0,n||I(l,1,this.length),128&this[l]?-1*(255-this[l]+1):this[l]},o.prototype.readInt16LE=function(l,n){l>>>=0,n||I(l,2,this.length);var u=this[l]|this[l+1]<<8;return 32768&u?4294901760|u:u},o.prototype.readInt16BE=function(l,n){l>>>=0,n||I(l,2,this.length);var u=this[l+1]|this[l]<<8;return 32768&u?4294901760|u:u},o.prototype.readInt32LE=function(l,n){return l>>>=0,n||I(l,4,this.length),this[l]|this[l+1]<<8|this[l+2]<<16|this[l+3]<<24},o.prototype.readInt32BE=function(l,n){return l>>>=0,n||I(l,4,this.length),this[l]<<24|this[l+1]<<16|this[l+2]<<8|this[l+3]},o.prototype.readFloatLE=function(l,n){return l>>>=0,n||I(l,4,this.length),u.read(this,l,!0,23,4)},o.prototype.readFloatBE=function(l,n){return l>>>=0,n||I(l,4,this.length),u.read(this,l,!1,23,4)},o.prototype.readDoubleLE=function(l,n){return l>>>=0,n||I(l,8,this.length),u.read(this,l,!0,52,8)},o.prototype.readDoubleBE=function(l,n){return l>>>=0,n||I(l,8,this.length),u.read(this,l,!1,52,8)},o.prototype.writeUintLE=o.prototype.writeUIntLE=function(l,n,u,e){(l=+l,n>>>=0,u>>>=0,e)||k(this,l,n,u,Math.pow(2,8*u)-1,0);var t=1,r=0;for(this[n]=255&l;++r<u&&(t*=256);)this[n+r]=l/t&255;return n+u},o.prototype.writeUintBE=o.prototype.writeUIntBE=function(l,n,u,e){(l=+l,n>>>=0,u>>>=0,e)||k(this,l,n,u,Math.pow(2,8*u)-1,0);var t=u-1,r=1;for(this[n+t]=255&l;--t>=0&&(r*=256);)this[n+t]=l/r&255;return n+u},o.prototype.writeUint8=o.prototype.writeUInt8=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,1,255,0),this[n]=255&l,n+1},o.prototype.writeUint16LE=o.prototype.writeUInt16LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,65535,0),this[n]=255&l,this[n+1]=l>>>8,n+2},o.prototype.writeUint16BE=o.prototype.writeUInt16BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,65535,0),this[n]=l>>>8,this[n+1]=255&l,n+2},o.prototype.writeUint32LE=o.prototype.writeUInt32LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,4294967295,0),this[n+3]=l>>>24,this[n+2]=l>>>16,this[n+1]=l>>>8,this[n]=255&l,n+4},o.prototype.writeUint32BE=o.prototype.writeUInt32BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,4294967295,0),this[n]=l>>>24,this[n+1]=l>>>16,this[n+2]=l>>>8,this[n+3]=255&l,n+4},o.prototype.writeIntLE=function(l,n,u,e){if(l=+l,n>>>=0,!e){var t=Math.pow(2,8*u-1);k(this,l,n,u,t-1,-t)}var r=0,o=1,i=0;for(this[n]=255&l;++r<u&&(o*=256);)l<0&&0===i&&0!==this[n+r-1]&&(i=1),this[n+r]=(l/o|0)-i&255;return n+u},o.prototype.writeIntBE=function(l,n,u,e){if(l=+l,n>>>=0,!e){var t=Math.pow(2,8*u-1);k(this,l,n,u,t-1,-t)}var r=u-1,o=1,i=0;for(this[n+r]=255&l;--r>=0&&(o*=256);)l<0&&0===i&&0!==this[n+r+1]&&(i=1),this[n+r]=(l/o|0)-i&255;return n+u},o.prototype.writeInt8=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,1,127,-128),l<0&&(l=255+l+1),this[n]=255&l,n+1},o.prototype.writeInt16LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,32767,-32768),this[n]=255&l,this[n+1]=l>>>8,n+2},o.prototype.writeInt16BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,32767,-32768),this[n]=l>>>8,this[n+1]=255&l,n+2},o.prototype.writeInt32LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,2147483647,-2147483648),this[n]=255&l,this[n+1]=l>>>8,this[n+2]=l>>>16,this[n+3]=l>>>24,n+4},o.prototype.writeInt32BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,2147483647,-2147483648),l<0&&(l=4294967295+l+1),this[n]=l>>>24,this[n+1]=l>>>16,this[n+2]=l>>>8,this[n+3]=255&l,n+4},o.prototype.writeFloatLE=function(l,n,u){return L(this,l,n,!0,u)},o.prototype.writeFloatBE=function(l,n,u){return L(this,l,n,!1,u)},o.prototype.writeDoubleLE=function(l,n,u){return N(this,l,n,!0,u)},o.prototype.writeDoubleBE=function(l,n,u){return N(this,l,n,!1,u)},o.prototype.copy=function(l,n,u,e){if(!o.isBuffer(l))throw new TypeError("argument should be a Buffer");if(u||(u=0),e||0===e||(e=this.length),n>=l.length&&(n=l.length),n||(n=0),e>0&&e<u&&(e=u),e===u)return 0;if(0===l.length||0===this.length)return 0;if(n<0)throw new RangeError("targetStart out of bounds");if(u<0||u>=this.length)throw new RangeError("Index out of range");if(e<0)throw new RangeError("sourceEnd out of bounds");e>this.length&&(e=this.length),l.length-n<e-u&&(e=l.length-n+u);var t=e-u;return this===l&&"function"==typeof Uint8Array.prototype.copyWithin?this.copyWithin(n,u,e):Uint8Array.prototype.set.call(l,this.subarray(u,e),n),t},o.prototype.fill=function(l,n,u,e){if("string"==typeof l){if("string"==typeof n?(e=n,n=0,u=this.length):"string"==typeof u&&(e=u,u=this.length),void 0!==e&&"string"!=typeof e)throw new TypeError("encoding must be a string");if("string"==typeof e&&!o.isEncoding(e))throw new TypeError("Unknown encoding: "+e);if(1===l.length){var t=l.charCodeAt(0);("utf8"===e&&t<128||"latin1"===e)&&(l=t)}}else"number"==typeof l?l&=255:"boolean"==typeof l&&(l=Number(l));if(n<0||this.length<n||this.length<u)throw new RangeError("Out of range index");if(u<=n)return this;var r;if(n>>>=0,u=void 0===u?this.length:u>>>0,l||(l=0),"number"==typeof l)for(r=n;r<u;++r)this[r]=l;else{var i=o.isBuffer(l)?l:o.from(l,e),a=i.length;if(0===a)throw new TypeError('The value "'+l+'" is invalid for argument "value"');for(r=0;r<u-n;++r)this[r+n]=i[r%a]}return this};var x=/[^+/0-9A-Za-z-_]/g;function U(l,n){var u;n=n||1/0;for(var e=l.length,t=null,r=[],o=0;o<e;++o){if((u=l.charCodeAt(o))>55295&&u<57344){if(!t){if(u>56319){(n-=3)>-1&&r.push(239,191,189);continue}if(o+1===e){(n-=3)>-1&&r.push(239,191,189);continue}t=u;continue}if(u<56320){(n-=3)>-1&&r.push(239,191,189),t=u;continue}u=65536+(t-55296<<10|u-56320)}else t&&(n-=3)>-1&&r.push(239,191,189);if(t=null,u<128){if((n-=1)<0)break;r.push(u)}else if(u<2048){if((n-=2)<0)break;r.push(u>>6|192,63&u|128)}else if(u<65536){if((n-=3)<0)break;r.push(u>>12|224,u>>6&63|128,63&u|128)}else{if(!(u<1114112))throw new Error("Invalid code point");if((n-=4)<0)break;r.push(u>>18|240,u>>12&63|128,u>>6&63|128,63&u|128)}}return r}function D(l){return n.toByteArray(function(l){if((l=(l=l.split("=")[0]).trim().replace(x,"")).length<2)return"";for(;l.length%4!=0;)l+="=";return l}(l))}function B(l,n,u,e){for(var t=0;t<e&&!(t+u>=n.length||t>=l.length);++t)n[t+u]=l[t];return t}function M(l,n){return l instanceof n||null!=l&&null!=l.constructor&&null!=l.constructor.name&&l.constructor.name===n.name}function q(l){return l!=l}var j=function(){for(var l="0123456789abcdef",n=new Array(256),u=0;u<16;++u)for(var e=16*u,t=0;t<16;++t)n[e+t]=l[u]+l[t];return n}()}(ke);var Pe={},Le={};!function(l){var n,u,e,t;Object.defineProperty(l,"__esModule",{value:!0}),l.Frame=l.Lengths=l.Flags=l.FrameTypes=void 0,function(l){l[l.RESERVED=0]="RESERVED",l[l.SETUP=1]="SETUP",l[l.LEASE=2]="LEASE",l[l.KEEPALIVE=3]="KEEPALIVE",l[l.REQUEST_RESPONSE=4]="REQUEST_RESPONSE",l[l.REQUEST_FNF=5]="REQUEST_FNF",l[l.REQUEST_STREAM=6]="REQUEST_STREAM",l[l.REQUEST_CHANNEL=7]="REQUEST_CHANNEL",l[l.REQUEST_N=8]="REQUEST_N",l[l.CANCEL=9]="CANCEL",l[l.PAYLOAD=10]="PAYLOAD",l[l.ERROR=11]="ERROR",l[l.METADATA_PUSH=12]="METADATA_PUSH",l[l.RESUME=13]="RESUME",l[l.RESUME_OK=14]="RESUME_OK",l[l.EXT=63]="EXT"}(n=l.FrameTypes||(l.FrameTypes={})),(u=l.Flags||(l.Flags={}))[u.NONE=0]="NONE",u[u.COMPLETE=64]="COMPLETE",u[u.FOLLOWS=128]="FOLLOWS",u[u.IGNORE=512]="IGNORE",u[u.LEASE=64]="LEASE",u[u.METADATA=256]="METADATA",u[u.NEXT=32]="NEXT",u[u.RESPOND=128]="RESPOND",u[u.RESUME_ENABLE=128]="RESUME_ENABLE",function(l){l.hasMetadata=function(n){return(n&l.METADATA)===l.METADATA},l.hasComplete=function(n){return(n&l.COMPLETE)===l.COMPLETE},l.hasNext=function(n){return(n&l.NEXT)===l.NEXT},l.hasFollows=function(n){return(n&l.FOLLOWS)===l.FOLLOWS},l.hasIgnore=function(n){return(n&l.IGNORE)===l.IGNORE},l.hasRespond=function(n){return(n&l.RESPOND)===l.RESPOND},l.hasLease=function(n){return(n&l.LEASE)===l.LEASE},l.hasResume=function(n){return(n&l.RESUME_ENABLE)===l.RESUME_ENABLE}}(l.Flags||(l.Flags={})),(e=l.Lengths||(l.Lengths={}))[e.FRAME=3]="FRAME",e[e.HEADER=6]="HEADER",e[e.METADATA=3]="METADATA",e[e.REQUEST=3]="REQUEST",(t=l.Frame||(l.Frame={})).isConnection=function(l){return 0===l.streamId},t.isRequest=function(l){return n.REQUEST_RESPONSE<=l.type&&l.type<=n.REQUEST_CHANNEL}}(Le),function(l){var n=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(l,"__esModule",{value:!0}),l.Deserializer=l.sizeOfFrame=l.serializeFrame=l.deserializeFrame=l.serializeFrameWithLength=l.deserializeFrames=l.deserializeFrameWithLength=l.writeUInt64BE=l.readUInt64BE=l.writeUInt24BE=l.readUInt24BE=l.MAX_VERSION=l.MAX_TTL=l.MAX_STREAM_ID=l.MAX_RESUME_LENGTH=l.MAX_REQUEST_N=l.MAX_REQUEST_COUNT=l.MAX_MIME_LENGTH=l.MAX_METADATA_LENGTH=l.MAX_LIFETIME=l.MAX_KEEPALIVE=l.MAX_CODE=l.FRAME_TYPE_OFFFSET=l.FLAGS_MASK=void 0;var u=Le;l.FLAGS_MASK=1023,l.FRAME_TYPE_OFFFSET=10,l.MAX_CODE=2147483647,l.MAX_KEEPALIVE=2147483647,l.MAX_LIFETIME=2147483647,l.MAX_METADATA_LENGTH=16777215,l.MAX_MIME_LENGTH=255,l.MAX_REQUEST_COUNT=2147483647,l.MAX_REQUEST_N=2147483647,l.MAX_RESUME_LENGTH=65535,l.MAX_STREAM_ID=2147483647,l.MAX_TTL=2147483647,l.MAX_VERSION=65535;var e=4294967296;function t(l,n){return l.readUInt8(n)<<16|l.readUInt8(n+1)<<8|l.readUInt8(n+2)}function r(l,n,u){return u=l.writeUInt8(n>>>16,u),u=l.writeUInt8(n>>>8&255,u),l.writeUInt8(255&n,u)}function i(l,n){var u=l.readUInt32BE(n),t=l.readUInt32BE(n+4);return u*e+t}function a(l,n,u){var t=n/e|0,r=n%e;return u=l.writeUInt32BE(t,u),l.writeUInt32BE(r,u)}l.readUInt24BE=t,l.writeUInt24BE=r,l.readUInt64BE=i,l.writeUInt64BE=a;function s(l){var n=t(l,0);return d(l.slice(3,3+n))}function c(l){var u,e,r,o,i;return n(this,(function(n){switch(n.label){case 0:u=0,n.label=1;case 1:return u+3<l.length?(e=t(l,u),(o=(r=u+3)+e)>l.length?[3,3]:(i=l.slice(r,o),[4,[d(i),u=o]])):[3,3];case 2:return n.sent(),[3,1];case 3:return[2]}}))}function d(n){var e=0,t=n.readInt32BE(e);e+=4;var r=n.readUInt16BE(e);e+=2;var o=r>>>l.FRAME_TYPE_OFFFSET,a=r&l.FLAGS_MASK;switch(o){case u.FrameTypes.SETUP:return function(l,n,e){l.length;var t=6,r=l.readUInt16BE(t);t+=2;var o=l.readUInt16BE(t);t+=2;var i=l.readInt32BE(t);t+=4;var a=l.readInt32BE(t);t+=4;var s=null;if(e&u.Flags.RESUME_ENABLE){var c=l.readInt16BE(t);t+=2,s=l.slice(t,t+c),t+=c}var d=l.readUInt8(t);t+=1;var h=l.toString("ascii",t,t+d);t+=d;var f=l.readUInt8(t);t+=1;var p=l.toString("ascii",t,t+f);t+=f;var y={data:null,dataMimeType:p,flags:e,keepAlive:i,lifetime:a,majorVersion:r,metadata:null,metadataMimeType:h,minorVersion:o,resumeToken:s,streamId:0,type:u.FrameTypes.SETUP};return R(l,y,t),y}(n,0,a);case u.FrameTypes.PAYLOAD:return function(l,n,e){l.length;var t={data:null,flags:e,metadata:null,streamId:n,type:u.FrameTypes.PAYLOAD};return R(l,t,6),t}(n,t,a);case u.FrameTypes.ERROR:return function(l,n,e){l.length;var t=6,r=l.readInt32BE(t);t+=4;var o=l.length-t,i="";o>0&&(i=l.toString("utf8",t,t+o),t+=o);return{code:r,flags:e,message:i,streamId:n,type:u.FrameTypes.ERROR}}(n,t,a);case u.FrameTypes.KEEPALIVE:return function(l,n,e){l.length;var t=6,r=i(l,t);t+=8;var o=null;t<l.length&&(o=l.slice(t,l.length));return{data:o,flags:e,lastReceivedPosition:r,streamId:0,type:u.FrameTypes.KEEPALIVE}}(n,0,a);case u.FrameTypes.REQUEST_FNF:return function(l,n,e){l.length;var t={data:null,flags:e,metadata:null,streamId:n,type:u.FrameTypes.REQUEST_FNF};return R(l,t,6),t}(n,t,a);case u.FrameTypes.REQUEST_RESPONSE:return function(l,n,e){var t={data:null,flags:e,metadata:null,streamId:n,type:u.FrameTypes.REQUEST_RESPONSE};return R(l,t,6),t}(n,t,a);case u.FrameTypes.REQUEST_STREAM:return function(l,n,e){l.length;var t=6,r=l.readInt32BE(t);t+=4;var o={data:null,flags:e,metadata:null,requestN:r,streamId:n,type:u.FrameTypes.REQUEST_STREAM};return R(l,o,t),o}(n,t,a);case u.FrameTypes.REQUEST_CHANNEL:return function(l,n,e){l.length;var t=6,r=l.readInt32BE(t);t+=4;var o={data:null,flags:e,metadata:null,requestN:r,streamId:n,type:u.FrameTypes.REQUEST_CHANNEL};return R(l,o,t),o}(n,t,a);case u.FrameTypes.METADATA_PUSH:return function(l,n,e){return{flags:e,metadata:6===length?null:l.slice(6,length),streamId:0,type:u.FrameTypes.METADATA_PUSH}}(n,0,a);case u.FrameTypes.REQUEST_N:return function(l,n,e){l.length;var t=l.readInt32BE(6);return{flags:e,requestN:t,streamId:n,type:u.FrameTypes.REQUEST_N}}(n,t,a);case u.FrameTypes.RESUME:return function(l,n,e){l.length;var t=6,r=l.readUInt16BE(t);t+=2;var o=l.readUInt16BE(t);t+=2;var a=l.readInt16BE(t);t+=2;var s=l.slice(t,t+a);t+=a;var c=i(l,t);t+=8;var d=i(l,t);return t+=8,{clientPosition:d,flags:e,majorVersion:r,minorVersion:o,resumeToken:s,serverPosition:c,streamId:0,type:u.FrameTypes.RESUME}}(n,0,a);case u.FrameTypes.RESUME_OK:return function(l,n,e){l.length;var t=i(l,6);return{clientPosition:t,flags:e,streamId:0,type:u.FrameTypes.RESUME_OK}}(n,0,a);case u.FrameTypes.CANCEL:return function(l,n,e){return l.length,{flags:e,streamId:n,type:u.FrameTypes.CANCEL}}(n,t,a);case u.FrameTypes.LEASE:return function(l,n,e){var t=6,r=l.readUInt32BE(t);t+=4;var o=l.readUInt32BE(t);t+=4;var i=null;t<l.length&&(i=l.slice(t,l.length));return{flags:e,metadata:i,requestCount:o,streamId:0,ttl:r,type:u.FrameTypes.LEASE}}(n,0,a)}}function h(l){switch(l.type){case u.FrameTypes.SETUP:return function(l){var n=null!=l.resumeToken?l.resumeToken.byteLength:0,e=null!=l.metadataMimeType?ke.Buffer.byteLength(l.metadataMimeType,"ascii"):0,t=null!=l.dataMimeType?ke.Buffer.byteLength(l.dataMimeType,"ascii"):0,r=S(l),o=ke.Buffer.allocUnsafe(6+f+(n?p+n:0)+e+t+r),i=_(l,o);i=o.writeUInt16BE(l.majorVersion,i),i=o.writeUInt16BE(l.minorVersion,i),i=o.writeUInt32BE(l.keepAlive,i),i=o.writeUInt32BE(l.lifetime,i),l.flags&u.Flags.RESUME_ENABLE&&(i=o.writeUInt16BE(n,i),null!=l.resumeToken&&(i+=l.resumeToken.copy(o,i)));i=o.writeUInt8(e,i),null!=l.metadataMimeType&&(i+=o.write(l.metadataMimeType,i,i+e,"ascii"));i=o.writeUInt8(t,i),null!=l.dataMimeType&&(i+=o.write(l.dataMimeType,i,i+t,"ascii"));return T(l,o,i),o}(l);case u.FrameTypes.PAYLOAD:return function(l){var n=S(l),u=ke.Buffer.allocUnsafe(6+n),e=_(l,u);return T(l,u,e),u}(l);case u.FrameTypes.ERROR:return function(l){var n=null!=l.message?ke.Buffer.byteLength(l.message,"utf8"):0,u=ke.Buffer.allocUnsafe(6+y+n),e=_(l,u);e=u.writeUInt32BE(l.code,e),null!=l.message&&u.write(l.message,e,e+n,"utf8");return u}(l);case u.FrameTypes.KEEPALIVE:return function(l){var n=null!=l.data?l.data.byteLength:0,u=ke.Buffer.allocUnsafe(6+m+n),e=_(l,u);e=a(u,l.lastReceivedPosition,e),null!=l.data&&l.data.copy(u,e);return u}(l);case u.FrameTypes.REQUEST_FNF:case u.FrameTypes.REQUEST_RESPONSE:return function(l){var n=S(l),u=ke.Buffer.allocUnsafe(6+n),e=_(l,u);return T(l,u,e),u}(l);case u.FrameTypes.REQUEST_STREAM:case u.FrameTypes.REQUEST_CHANNEL:return function(l){var n=S(l),u=ke.Buffer.allocUnsafe(6+b+n),e=_(l,u);return e=u.writeUInt32BE(l.requestN,e),T(l,u,e),u}(l);case u.FrameTypes.METADATA_PUSH:return function(l){var n=l.metadata;if(null!=n){var u=_(l,e=ke.Buffer.allocUnsafe(6+n.byteLength));return n.copy(e,u),e}var e;return _(l,e=ke.Buffer.allocUnsafe(6)),e}(l);case u.FrameTypes.REQUEST_N:return function(l){var n=ke.Buffer.allocUnsafe(6+v),u=_(l,n);return n.writeUInt32BE(l.requestN,u),n}(l);case u.FrameTypes.RESUME:return function(l){var n=l.resumeToken.byteLength,u=ke.Buffer.allocUnsafe(6+E+n),e=_(l,u);return e=u.writeUInt16BE(l.majorVersion,e),e=u.writeUInt16BE(l.minorVersion,e),e=u.writeUInt16BE(n,e),e+=l.resumeToken.copy(u,e),e=a(u,l.serverPosition,e),a(u,l.clientPosition,e),u}(l);case u.FrameTypes.RESUME_OK:return function(l){var n=ke.Buffer.allocUnsafe(6+w),u=_(l,n);return a(n,l.clientPosition,u),n}(l);case u.FrameTypes.CANCEL:return function(l){var n=ke.Buffer.allocUnsafe(6);return _(l,n),n}(l);case u.FrameTypes.LEASE:return function(l){var n=null!=l.metadata?l.metadata.byteLength:0,u=ke.Buffer.allocUnsafe(6+g+n),e=_(l,u);e=u.writeUInt32BE(l.ttl,e),e=u.writeUInt32BE(l.requestCount,e),null!=l.metadata&&l.metadata.copy(u,e);return u}(l)}}l.deserializeFrameWithLength=s,l.deserializeFrames=c,l.serializeFrameWithLength=function(l){var n=h(l),u=ke.Buffer.allocUnsafe(n.length+3);return r(u,n.length,0),n.copy(u,3),u},l.deserializeFrame=d,l.serializeFrame=h,l.sizeOfFrame=function(l){switch(l.type){case u.FrameTypes.SETUP:return function(l){var n=null!=l.resumeToken?l.resumeToken.byteLength:0,u=null!=l.metadataMimeType?ke.Buffer.byteLength(l.metadataMimeType,"ascii"):0,e=null!=l.dataMimeType?ke.Buffer.byteLength(l.dataMimeType,"ascii"):0,t=S(l);return 6+f+(n?p+n:0)+u+e+t}(l);case u.FrameTypes.PAYLOAD:return function(l){var n=S(l);return 6+n}(l);case u.FrameTypes.ERROR:return function(l){var n=null!=l.message?ke.Buffer.byteLength(l.message,"utf8"):0;return 6+y+n}(l);case u.FrameTypes.KEEPALIVE:return function(l){var n=null!=l.data?l.data.byteLength:0;return 6+m+n}(l);case u.FrameTypes.REQUEST_FNF:case u.FrameTypes.REQUEST_RESPONSE:return function(l){var n=S(l);return 6+n}(l);case u.FrameTypes.REQUEST_STREAM:case u.FrameTypes.REQUEST_CHANNEL:return function(l){var n=S(l);return 6+b+n}(l);case u.FrameTypes.METADATA_PUSH:return function(l){return 6+(null!=l.metadata?l.metadata.byteLength:0)}(l);case u.FrameTypes.REQUEST_N:return 6+v;case u.FrameTypes.RESUME:return function(l){var n=l.resumeToken.byteLength;return 6+E+n}(l);case u.FrameTypes.RESUME_OK:return 6+w;case u.FrameTypes.CANCEL:return 6;case u.FrameTypes.LEASE:return function(l){var n=null!=l.metadata?l.metadata.byteLength:0;return 6+g+n}(l)}};var f=14,p=2;var y=4;var m=8;var g=8;var b=4;var v=4;var E=22;var w=8;function _(n,u){var e=u.writeInt32BE(n.streamId,0);return u.writeUInt16BE(n.type<<l.FRAME_TYPE_OFFFSET|n.flags&l.FLAGS_MASK,e)}function S(l){var n=0;return null!=l.data&&(n+=l.data.byteLength),u.Flags.hasMetadata(l.flags)&&(n+=3,null!=l.metadata&&(n+=l.metadata.byteLength)),n}function T(l,n,e){u.Flags.hasMetadata(l.flags)&&(null!=l.metadata?(e=r(n,l.metadata.byteLength,e),e+=l.metadata.copy(n,e)):e=r(n,0,e));null!=l.data&&l.data.copy(n,e)}function R(l,n,e){if(u.Flags.hasMetadata(n.flags)){var r=t(l,e);e+=3,r>0&&(n.metadata=l.slice(e,e+r),e+=r)}e<l.length&&(n.data=l.slice(e,l.length))}var A=function(){function l(){}return l.prototype.deserializeFrame=function(l){return d(l)},l.prototype.deserializeFrameWithLength=function(l){return s(l)},l.prototype.deserializeFrames=function(l){return c(l)},l}();l.Deserializer=A}(Pe);var Ne={};Object.defineProperty(Ne,"__esModule",{value:!0});var xe={},Ue=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(xe,"__esModule",{value:!0}),xe.Deferred=void 0;var De=function(){function l(){this._done=!1,this.onCloseCallbacks=[]}return Object.defineProperty(l.prototype,"done",{get:function(){return this._done},enumerable:!1,configurable:!0}),l.prototype.close=function(l){var n,u,e,t;if(this.done)console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):""));else if(this._done=!0,this._error=l,l)try{for(var r=Ue(this.onCloseCallbacks),o=r.next();!o.done;o=r.next()){(0,o.value)(l)}}catch(l){n={error:l}}finally{try{o&&!o.done&&(u=r.return)&&u.call(r)}finally{if(n)throw n.error}}else try{for(var i=Ue(this.onCloseCallbacks),a=i.next();!a.done;a=i.next()){(0,a.value)()}}catch(l){e={error:l}}finally{try{a&&!a.done&&(t=i.return)&&t.call(i)}finally{if(e)throw e.error}}},l.prototype.onClose=function(l){this._done?l(this._error):this.onCloseCallbacks.push(l)},l}();xe.Deferred=De;var Be={};!function(l){var n,u=o&&o.__extends||(n=function(l,u){return n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(l,n){l.__proto__=n}||function(l,n){for(var u in n)Object.prototype.hasOwnProperty.call(n,u)&&(l[u]=n[u])},n(l,u)},function(l,u){if("function"!=typeof u&&null!==u)throw new TypeError("Class extends value "+String(u)+" is not a constructor or null");function e(){this.constructor=l}n(l,u),l.prototype=null===u?Object.create(u):(e.prototype=u.prototype,new e)});Object.defineProperty(l,"__esModule",{value:!0}),l.ErrorCodes=l.RSocketError=void 0;var e,t=function(l){function n(n,u){var e=l.call(this,u)||this;return e.code=n,e}return u(n,l),n}(Error);l.RSocketError=t,(e=l.ErrorCodes||(l.ErrorCodes={}))[e.RESERVED=0]="RESERVED",e[e.INVALID_SETUP=1]="INVALID_SETUP",e[e.UNSUPPORTED_SETUP=2]="UNSUPPORTED_SETUP",e[e.REJECTED_SETUP=3]="REJECTED_SETUP",e[e.REJECTED_RESUME=4]="REJECTED_RESUME",e[e.CONNECTION_CLOSE=258]="CONNECTION_CLOSE",e[e.CONNECTION_ERROR=257]="CONNECTION_ERROR",e[e.APPLICATION_ERROR=513]="APPLICATION_ERROR",e[e.REJECTED=514]="REJECTED",e[e.CANCELED=515]="CANCELED",e[e.INVALID=516]="INVALID",e[e.RESERVED_EXTENSION=4294967295]="RESERVED_EXTENSION"}(Be);var Me={};Object.defineProperty(Me,"__esModule",{value:!0});var qe,je={},We={};function ze(){return qe||(qe=1,function(l){var n,u=o&&o.__extends||(n=function(l,u){return n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(l,n){l.__proto__=n}||function(l,n){for(var u in n)Object.prototype.hasOwnProperty.call(n,u)&&(l[u]=n[u])},n(l,u)},function(l,u){if("function"!=typeof u&&null!==u)throw new TypeError("Class extends value "+String(u)+" is not a constructor or null");function e(){this.constructor=l}n(l,u),l.prototype=null===u?Object.create(u):(e.prototype=u.prototype,new e)}),e=o&&o.__awaiter||function(l,n,u,e){return new(u||(u=Promise))((function(t,r){function o(l){try{a(e.next(l))}catch(l){r(l)}}function i(l){try{a(e.throw(l))}catch(l){r(l)}}function a(l){var n;l.done?t(l.value):(n=l.value,n instanceof u?n:new u((function(l){l(n)}))).then(o,i)}a((e=e.apply(l,n||[])).next())}))},t=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(l,"__esModule",{value:!0}),l.ResumeOkAwaitingResumableClientServerInputMultiplexerDemultiplexer=l.ResumableClientServerInputMultiplexerDemultiplexer=l.ClientServerInputMultiplexerDemultiplexer=l.StreamIdGenerator=void 0;var r=sr(),i=xe,a=Be,s=Le;!function(l){l.create=function(l){return new n(l)};var n=function(){function l(l){this.currentId=l}return l.prototype.next=function(l){var n=this.currentId+2;l(n)&&(this.currentId=n)},l}()}(l.StreamIdGenerator||(l.StreamIdGenerator={}));var c=function(l){function n(n,u,e){var t=l.call(this)||this;return t.streamIdSupplier=n,t.outbound=u,t.closeable=e,t.registry={},e.onClose(t.close.bind(t)),t}return u(n,l),n.prototype.handle=function(l){if(s.Frame.isConnection(l)){if(l.type===r.FrameTypes.RESERVED)return;this.connectionFramesHandler.handle(l)}else if(s.Frame.isRequest(l)){if(this.registry[l.streamId])return;this.requestFramesHandler.handle(l,this)}else{var n=this.registry[l.streamId];if(!n)return;n.handle(l)}},n.prototype.connectionInbound=function(l){if(this.connectionFramesHandler)throw new Error("Connection frame handler has already been installed");this.connectionFramesHandler=l},n.prototype.handleRequestStream=function(l){if(this.requestFramesHandler)throw new Error("Stream handler has already been installed");this.requestFramesHandler=l},n.prototype.send=function(l){this.outbound.send(l)},Object.defineProperty(n.prototype,"connectionOutbound",{get:function(){return this},enumerable:!1,configurable:!0}),n.prototype.createRequestStream=function(l){var n=this;if(this.done)l.handleReject(new Error("Already closed"));else{var u=this.registry;this.streamIdSupplier.next((function(u){return l.handleReady(u,n)}),Object.keys(u))}},n.prototype.connect=function(l){this.registry[l.streamId]=l},n.prototype.disconnect=function(l){delete this.registry[l.streamId]},n.prototype.close=function(n){if(this.done)l.prototype.close.call(this,n);else{for(var u in this.registry){this.registry[u].close(new Error("Closed. ".concat(n?"Original cause [".concat(n,"]."):"")))}l.prototype.close.call(this,n)}},n}(i.Deferred);l.ClientServerInputMultiplexerDemultiplexer=c;var d=function(l){function n(n,u,e,t,r,o,a){var s=l.call(this,n,u,new i.Deferred)||this;return s.frameStore=t,s.token=r,s.sessionTimeout=a,o instanceof Function?s.reconnector=o:s.sessionStore=o,e.onClose(s.handleConnectionClose.bind(s)),s}return u(n,l),n.prototype.send=function(n){if(s.Frame.isConnection(n)){if(n.type===r.FrameTypes.KEEPALIVE)n.lastReceivedPosition=this.frameStore.lastReceivedFramePosition;else if(n.type===r.FrameTypes.ERROR)return this.outbound.send(n),this.sessionStore&&delete this.sessionStore[this.token],void l.prototype.close.call(this,new a.RSocketError(n.code,n.message))}else this.frameStore.store(n);this.outbound.send(n)},n.prototype.handle=function(n){if(s.Frame.isConnection(n)){if(n.type===r.FrameTypes.KEEPALIVE)try{this.frameStore.dropTo(n.lastReceivedPosition)}catch(l){this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:l.code,message:l.message}),this.close(l)}else if(n.type===r.FrameTypes.ERROR)return l.prototype.handle.call(this,n),this.sessionStore&&delete this.sessionStore[this.token],void l.prototype.close.call(this,new a.RSocketError(n.code,n.message))}else this.frameStore.record(n);l.prototype.handle.call(this,n)},n.prototype.resume=function(l,n,u){switch(this.outbound=n,l.type){case r.FrameTypes.RESUME:if(clearTimeout(this.timeoutId),this.frameStore.lastReceivedFramePosition<l.clientPosition){var e=new a.RSocketError(r.ErrorCodes.REJECTED_RESUME,"Impossible to resume since first available client frame position is greater than last received server frame position");return this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:e.code,message:e.message}),void this.close(e)}try{this.frameStore.dropTo(l.serverPosition)}catch(l){return this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:l.code,message:l.message}),void this.close(l)}this.outbound.send({type:r.FrameTypes.RESUME_OK,streamId:0,flags:r.Flags.NONE,clientPosition:this.frameStore.lastReceivedFramePosition});break;case r.FrameTypes.RESUME_OK:try{this.frameStore.dropTo(l.clientPosition)}catch(l){this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:l.code,message:l.message}),this.close(l)}}this.frameStore.drain(this.outbound.send.bind(this.outbound)),u.onClose(this.handleConnectionClose.bind(this)),this.connectionFramesHandler.resume()},n.prototype.handleConnectionClose=function(l){return e(this,void 0,void 0,(function(){var l;return t(this,(function(n){switch(n.label){case 0:if(this.connectionFramesHandler.pause(),!this.reconnector)return[3,5];n.label=1;case 1:return n.trys.push([1,3,,4]),[4,this.reconnector(this,this.frameStore)];case 2:return n.sent(),[3,4];case 3:return l=n.sent(),this.close(l),[3,4];case 4:return[3,6];case 5:this.timeoutId=setTimeout(this.close.bind(this),this.sessionTimeout),n.label=6;case 6:return[2]}}))}))},n}(c);l.ResumableClientServerInputMultiplexerDemultiplexer=d;var h=function(){function l(l,n,u){this.outbound=l,this.closeable=n,this.delegate=u,this.resumed=!1}return l.prototype.close=function(){this.delegate.close()},l.prototype.onClose=function(l){this.delegate.onClose(l)},Object.defineProperty(l.prototype,"connectionOutbound",{get:function(){return this.delegate.connectionOutbound},enumerable:!1,configurable:!0}),l.prototype.createRequestStream=function(l){this.delegate.createRequestStream(l)},l.prototype.connectionInbound=function(l){this.delegate.connectionInbound(l)},l.prototype.handleRequestStream=function(l){this.delegate.handleRequestStream(l)},l.prototype.handle=function(l){var n=this;if(!this.resumed)return l.type===r.FrameTypes.RESUME_OK?(this.resumed=!0,void this.delegate.resume(l,this.outbound,this.closeable)):(this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,code:r.ErrorCodes.CONNECTION_ERROR,message:"Incomplete RESUME handshake. Unexpected frame ".concat(l.type," received"),flags:r.Flags.NONE}),this.closeable.close(),void this.closeable.onClose((function(){return n.delegate.close(new a.RSocketError(r.ErrorCodes.CONNECTION_ERROR,"Incomplete RESUME handshake. Unexpected frame ".concat(l.type," received")))})));this.delegate.handle(l)},l}();l.ResumeOkAwaitingResumableClientServerInputMultiplexerDemultiplexer=h}(We)),We}var Qe={},$e={},He={},Ve=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(He,"__esModule",{value:!0}),He.fragmentWithRequestN=He.fragment=He.isFragmentable=void 0;var Je=Le;He.isFragmentable=function(l,n,u){return 0!==n&&l.data.byteLength+(l.metadata?l.metadata.byteLength+Je.Lengths.METADATA:0)+(u==Je.FrameTypes.REQUEST_STREAM||u==Je.FrameTypes.REQUEST_CHANNEL?Je.Lengths.REQUEST:0)>n},He.fragment=function(l,n,u,e,t){var r,o,i,a,s,c,d,h,f,p,y,m;return void 0===t&&(t=!1),Ve(this,(function(g){switch(g.label){case 0:return r=null!==(m=null===(y=n.data)||void 0===y?void 0:y.byteLength)&&void 0!==m?m:0,o=e!==Je.FrameTypes.PAYLOAD,i=u,n.metadata?0!==(s=n.metadata.byteLength)?[3,1]:(i-=Je.Lengths.METADATA,a=ke.Buffer.allocUnsafe(0),[3,6]):[3,6];case 1:return c=0,o?(i-=Je.Lengths.METADATA,d=Math.min(s,c+i),a=n.metadata.slice(c,d),i-=a.byteLength,c=d,0!==i?[3,3]:(o=!1,[4,{type:e,flags:Je.Flags.FOLLOWS|Je.Flags.METADATA,data:void 0,metadata:a,streamId:l}])):[3,3];case 2:g.sent(),a=void 0,i=u,g.label=3;case 3:return c<s?(i-=Je.Lengths.METADATA,d=Math.min(s,c+i),a=n.metadata.slice(c,d),i-=a.byteLength,c=d,0!==i&&0!==r?[3,5]:[4,{type:Je.FrameTypes.PAYLOAD,flags:Je.Flags.NEXT|Je.Flags.METADATA|(c===s&&t&&0===r?Je.Flags.COMPLETE:Je.Flags.FOLLOWS),data:void 0,metadata:a,streamId:l}]):[3,6];case 4:g.sent(),a=void 0,i=u,g.label=5;case 5:return[3,3];case 6:return h=0,o?(p=Math.min(r,h+i),f=n.data.slice(h,p),i-=f.byteLength,h=p,[4,{type:e,flags:Je.Flags.FOLLOWS|(a?Je.Flags.METADATA:Je.Flags.NONE),data:f,metadata:a,streamId:l}]):[3,8];case 7:g.sent(),a=void 0,f=void 0,i=u,g.label=8;case 8:return h<r?(p=Math.min(r,h+i),f=n.data.slice(h,p),i-=f.byteLength,h=p,[4,{type:Je.FrameTypes.PAYLOAD,flags:h===r?(t?Je.Flags.COMPLETE:Je.Flags.NONE)|Je.Flags.NEXT|(a?Je.Flags.METADATA:0):Je.Flags.FOLLOWS|Je.Flags.NEXT|(a?Je.Flags.METADATA:0),data:f,metadata:a,streamId:l}]):[3,10];case 9:return g.sent(),a=void 0,f=void 0,i=u,[3,8];case 10:return[2]}}))},He.fragmentWithRequestN=function(l,n,u,e,t,r){var o,i,a,s,c,d,h,f,p,y,m,g;return void 0===r&&(r=!1),Ve(this,(function(b){switch(b.label){case 0:return o=null!==(g=null===(m=n.data)||void 0===m?void 0:m.byteLength)&&void 0!==g?g:0,i=!0,a=u,n.metadata?0!==(c=n.metadata.byteLength)?[3,1]:(a-=Je.Lengths.METADATA,s=ke.Buffer.allocUnsafe(0),[3,6]):[3,6];case 1:return d=0,i?(a-=Je.Lengths.METADATA+Je.Lengths.REQUEST,h=Math.min(c,d+a),s=n.metadata.slice(d,h),a-=s.byteLength,d=h,0!==a?[3,3]:(i=!1,[4,{type:e,flags:Je.Flags.FOLLOWS|Je.Flags.METADATA,data:void 0,requestN:t,metadata:s,streamId:l}])):[3,3];case 2:b.sent(),s=void 0,a=u,b.label=3;case 3:return d<c?(a-=Je.Lengths.METADATA,h=Math.min(c,d+a),s=n.metadata.slice(d,h),a-=s.byteLength,d=h,0!==a&&0!==o?[3,5]:[4,{type:Je.FrameTypes.PAYLOAD,flags:Je.Flags.NEXT|Je.Flags.METADATA|(d===c&&r&&0===o?Je.Flags.COMPLETE:Je.Flags.FOLLOWS),data:void 0,metadata:s,streamId:l}]):[3,6];case 4:b.sent(),s=void 0,a=u,b.label=5;case 5:return[3,3];case 6:return f=0,i?(a-=Je.Lengths.REQUEST,y=Math.min(o,f+a),p=n.data.slice(f,y),a-=p.byteLength,f=y,[4,{type:e,flags:Je.Flags.FOLLOWS|(s?Je.Flags.METADATA:Je.Flags.NONE),data:p,requestN:t,metadata:s,streamId:l}]):[3,8];case 7:b.sent(),s=void 0,p=void 0,a=u,b.label=8;case 8:return f<o?(y=Math.min(o,f+a),p=n.data.slice(f,y),a-=p.byteLength,f=y,[4,{type:Je.FrameTypes.PAYLOAD,flags:f===o?(r?Je.Flags.COMPLETE:Je.Flags.NONE)|Je.Flags.NEXT|(s?Je.Flags.METADATA:0):Je.Flags.FOLLOWS|Je.Flags.NEXT|(s?Je.Flags.METADATA:0),data:p,metadata:s,streamId:l}]):[3,10];case 9:return b.sent(),s=void 0,p=void 0,a=u,[3,8];case 10:return[2]}}))};var Ye={};Object.defineProperty(Ye,"__esModule",{value:!0}),Ye.cancel=Ye.reassemble=Ye.add=void 0,Ye.add=function(l,n,u){return l.hasFragments?(l.data=l.data?ke.Buffer.concat([l.data,n]):n,l.metadata&&u&&(l.metadata=ke.Buffer.concat([l.metadata,u])),!0):(l.hasFragments=!0,l.data=n,u&&(l.metadata=u),!0)},Ye.reassemble=function(l,n,u){l.hasFragments=!1;var e=l.data?ke.Buffer.concat([l.data,n]):n;if(l.data=void 0,l.metadata){var t=u?ke.Buffer.concat([l.metadata,u]):l.metadata;return l.metadata=void 0,{data:e,metadata:t}}return{data:e}},Ye.cancel=function(l){l.hasFragments=!1,l.data=void 0,l.metadata=void 0};var Xe=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),Ge=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),Ke=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&Xe(n,l,u);return Ge(n,l),n},Ze=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty($e,"__esModule",{value:!0}),$e.RequestChannelResponderStream=$e.RequestChannelRequesterStream=void 0;var lt=Be,nt=He,ut=Le,et=Ke(Ye),tt=function(){function l(l,n,u,e,t,r){this.payload=l,this.isComplete=n,this.receiver=u,this.fragmentSize=e,this.initialRequestN=t,this.leaseManager=r,this.streamType=ut.FrameTypes.REQUEST_CHANNEL}return l.prototype.handleReady=function(l,n){var u,e;if(this.outboundDone)return!1;this.streamId=l,this.stream=n,n.connect(this);var t=this.isComplete;if(t&&(this.outboundDone=t),(0,nt.isFragmentable)(this.payload,this.fragmentSize,ut.FrameTypes.REQUEST_CHANNEL))try{for(var r=Ze((0,nt.fragmentWithRequestN)(l,this.payload,this.fragmentSize,ut.FrameTypes.REQUEST_CHANNEL,this.initialRequestN,t)),o=r.next();!o.done;o=r.next()){var i=o.value;this.stream.send(i)}}catch(l){u={error:l}}finally{try{o&&!o.done&&(e=r.return)&&e.call(r)}finally{if(u)throw u.error}}else this.stream.send({type:ut.FrameTypes.REQUEST_CHANNEL,data:this.payload.data,metadata:this.payload.metadata,requestN:this.initialRequestN,flags:(void 0!==this.payload.metadata?ut.Flags.METADATA:ut.Flags.NONE)|(t?ut.Flags.COMPLETE:ut.Flags.NONE),streamId:l});return this.hasExtension&&this.stream.send({type:ut.FrameTypes.EXT,streamId:l,extendedContent:this.extendedContent,extendedType:this.extendedType,flags:this.flags}),!0},l.prototype.handleReject=function(l){this.inboundDone||(this.inboundDone=!0,this.outboundDone=!0,this.receiver.onError(l))},l.prototype.handle=function(l){var n,u=l.type;switch(u){case ut.FrameTypes.PAYLOAD:var e=ut.Flags.hasComplete(l.flags),t=ut.Flags.hasNext(l.flags);if(e||!ut.Flags.hasFollows(l.flags)){if(e&&(this.inboundDone=!0,this.outboundDone&&this.stream.disconnect(this),!t))return void this.receiver.onComplete();var r=this.hasFragments?et.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata};return void this.receiver.onNext(r,e)}if(et.add(this,l.data,l.metadata))return;n="Unexpected frame size";break;case ut.FrameTypes.CANCEL:if(this.outboundDone)return;return this.outboundDone=!0,this.inboundDone&&this.stream.disconnect(this),void this.receiver.cancel();case ut.FrameTypes.REQUEST_N:if(this.outboundDone)return;if(this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.request(l.requestN);case ut.FrameTypes.ERROR:var o=this.outboundDone;return this.inboundDone=!0,this.outboundDone=!0,this.stream.disconnect(this),et.cancel(this),o||this.receiver.cancel(),void this.receiver.onError(new lt.RSocketError(l.code,l.message));case ut.FrameTypes.EXT:return void this.receiver.onExtension(l.extendedType,l.extendedContent,ut.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.close(new lt.RSocketError(lt.ErrorCodes.CANCELED,n)),this.stream.send({type:ut.FrameTypes.CANCEL,streamId:this.streamId,flags:ut.Flags.NONE}),this.stream.disconnect(this)},l.prototype.request=function(l){this.inboundDone||(this.streamId?this.stream.send({type:ut.FrameTypes.REQUEST_N,flags:ut.Flags.NONE,requestN:l,streamId:this.streamId}):this.initialRequestN+=l)},l.prototype.cancel=function(){var l,n=this.inboundDone,u=this.outboundDone;n&&u||(this.inboundDone=!0,this.outboundDone=!0,u||this.receiver.cancel(),this.streamId?(this.stream.send({type:n?ut.FrameTypes.ERROR:ut.FrameTypes.CANCEL,flags:ut.Flags.NONE,streamId:this.streamId,code:lt.ErrorCodes.CANCELED,message:"Cancelled"}),this.stream.disconnect(this),et.cancel(this)):null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.onNext=function(l,n){var u,e;if(!this.outboundDone)if(n&&(this.outboundDone=!0,this.inboundDone&&this.stream.disconnect(this)),(0,nt.isFragmentable)(l,this.fragmentSize,ut.FrameTypes.PAYLOAD))try{for(var t=Ze((0,nt.fragment)(this.streamId,l,this.fragmentSize,ut.FrameTypes.PAYLOAD,n)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:ut.FrameTypes.PAYLOAD,streamId:this.streamId,flags:ut.Flags.NEXT|(l.metadata?ut.Flags.METADATA:ut.Flags.NONE)|(n?ut.Flags.COMPLETE:ut.Flags.NONE),data:l.data,metadata:l.metadata})},l.prototype.onComplete=function(){this.streamId?this.outboundDone||(this.outboundDone=!0,this.stream.send({type:ut.FrameTypes.PAYLOAD,streamId:this.streamId,flags:ut.Flags.COMPLETE,data:null,metadata:null}),this.inboundDone&&this.stream.disconnect(this)):this.isComplete=!0},l.prototype.onError=function(l){if(!this.outboundDone){var n=this.inboundDone;this.outboundDone=!0,this.inboundDone=!0,this.stream.send({type:ut.FrameTypes.ERROR,streamId:this.streamId,flags:ut.Flags.NONE,code:l instanceof lt.RSocketError?l.code:lt.ErrorCodes.APPLICATION_ERROR,message:l.message}),this.stream.disconnect(this),n||this.receiver.onError(l)}},l.prototype.onExtension=function(l,n,u){if(!this.outboundDone)return this.streamId?void this.stream.send({streamId:this.streamId,type:ut.FrameTypes.EXT,extendedType:l,extendedContent:n,flags:u?ut.Flags.IGNORE:ut.Flags.NONE}):(this.hasExtension=!0,this.extendedType=l,this.extendedContent=n,void(this.flags=u?ut.Flags.IGNORE:ut.Flags.NONE))},l.prototype.close=function(l){if(!this.inboundDone||!this.outboundDone){var n=this.inboundDone,u=this.outboundDone;this.inboundDone=!0,this.outboundDone=!0,et.cancel(this),u||this.receiver.cancel(),n||(l?this.receiver.onError(l):this.receiver.onComplete())}},l}();$e.RequestChannelRequesterStream=tt;var rt=function(){function l(l,n,u,e,t){if(this.streamId=l,this.stream=n,this.fragmentSize=u,this.handler=e,this.streamType=ut.FrameTypes.REQUEST_CHANNEL,n.connect(this),ut.Flags.hasFollows(t.flags))return et.add(this,t.data,t.metadata),this.initialRequestN=t.requestN,void(this.isComplete=ut.Flags.hasComplete(t.flags));var r={data:t.data,metadata:t.metadata},o=ut.Flags.hasComplete(t.flags);this.inboundDone=o;try{this.receiver=e(r,t.requestN,o,this),this.outboundDone&&this.defferedError&&this.receiver.onError(this.defferedError)}catch(l){this.outboundDone&&!this.inboundDone?this.cancel():this.inboundDone=!0,this.onError(l)}}return l.prototype.handle=function(l){var n,u=l.type;switch(u){case ut.FrameTypes.PAYLOAD:if(ut.Flags.hasFollows(l.flags)){if(et.add(this,l.data,l.metadata))return;n="Unexpected frame size";break}var e=this.hasFragments?et.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata},t=ut.Flags.hasComplete(l.flags);if(this.receiver){if(t&&(this.inboundDone=!0,this.outboundDone&&this.stream.disconnect(this),!ut.Flags.hasNext(l.flags)))return void this.receiver.onComplete();this.receiver.onNext(e,t)}else{(r=this.isComplete||t)&&(this.inboundDone=!0,this.outboundDone&&this.stream.disconnect(this));try{this.receiver=this.handler(e,this.initialRequestN,r,this),this.outboundDone&&this.defferedError}catch(i){this.outboundDone&&!this.inboundDone?this.cancel():this.inboundDone=!0,this.onError(i)}}return;case ut.FrameTypes.REQUEST_N:if(!this.receiver||this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.request(l.requestN);case ut.FrameTypes.ERROR:case ut.FrameTypes.CANCEL:var r=this.inboundDone,o=this.outboundDone;if(this.inboundDone=!0,this.outboundDone=!0,this.stream.disconnect(this),et.cancel(this),!this.receiver)return;if(o||this.receiver.cancel(),!r){var i=u===ut.FrameTypes.CANCEL?new lt.RSocketError(lt.ErrorCodes.CANCELED,"Cancelled"):new lt.RSocketError(l.code,l.message);this.receiver.onError(i)}return;case ut.FrameTypes.EXT:if(!this.receiver||this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.onExtension(l.extendedType,l.extendedContent,ut.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.stream.send({type:ut.FrameTypes.ERROR,flags:ut.Flags.NONE,code:lt.ErrorCodes.CANCELED,message:n,streamId:this.streamId}),this.stream.disconnect(this),this.close(new lt.RSocketError(lt.ErrorCodes.CANCELED,n))},l.prototype.onError=function(l){if(this.outboundDone)console.warn("Trying to error for the second time. ".concat(l?"Dropping error [".concat(l,"]."):""));else{var n=this.inboundDone;this.outboundDone=!0,this.inboundDone=!0,this.stream.send({type:ut.FrameTypes.ERROR,flags:ut.Flags.NONE,code:l instanceof lt.RSocketError?l.code:lt.ErrorCodes.APPLICATION_ERROR,message:l.message,streamId:this.streamId}),this.stream.disconnect(this),n||(this.receiver?this.receiver.onError(l):this.defferedError=l)}},l.prototype.onNext=function(l,n){var u,e;if(!this.outboundDone){if(n&&(this.outboundDone=!0),(0,nt.isFragmentable)(l,this.fragmentSize,ut.FrameTypes.PAYLOAD))try{for(var t=Ze((0,nt.fragment)(this.streamId,l,this.fragmentSize,ut.FrameTypes.PAYLOAD,n)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:ut.FrameTypes.PAYLOAD,flags:ut.Flags.NEXT|(n?ut.Flags.COMPLETE:ut.Flags.NONE)|(l.metadata?ut.Flags.METADATA:ut.Flags.NONE),data:l.data,metadata:l.metadata,streamId:this.streamId});n&&this.inboundDone&&this.stream.disconnect(this)}},l.prototype.onComplete=function(){this.outboundDone||(this.outboundDone=!0,this.stream.send({type:ut.FrameTypes.PAYLOAD,flags:ut.Flags.COMPLETE,streamId:this.streamId,data:null,metadata:null}),this.inboundDone&&this.stream.disconnect(this))},l.prototype.onExtension=function(l,n,u){this.outboundDone&&this.inboundDone||this.stream.send({type:ut.FrameTypes.EXT,streamId:this.streamId,flags:u?ut.Flags.IGNORE:ut.Flags.NONE,extendedType:l,extendedContent:n})},l.prototype.request=function(l){this.inboundDone||this.stream.send({type:ut.FrameTypes.REQUEST_N,flags:ut.Flags.NONE,streamId:this.streamId,requestN:l})},l.prototype.cancel=function(){this.inboundDone||(this.inboundDone=!0,this.stream.send({type:ut.FrameTypes.CANCEL,flags:ut.Flags.NONE,streamId:this.streamId}),this.outboundDone&&this.stream.disconnect(this))},l.prototype.close=function(l){if(this.inboundDone&&this.outboundDone)console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):""));else{var n=this.inboundDone,u=this.outboundDone;this.inboundDone=!0,this.outboundDone=!0,et.cancel(this);var e=this.receiver;e&&(u||e.cancel(),n||(l?e.onError(l):e.onComplete()))}},l}();$e.RequestChannelResponderStream=rt;var ot={},it=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),at=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),st=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&it(n,l,u);return at(n,l),n},ct=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(ot,"__esModule",{value:!0}),ot.RequestFnfResponderStream=ot.RequestFnFRequesterStream=void 0;var dt=Be,ht=He,ft=Le,pt=st(Ye),yt=function(){function l(l,n,u,e){this.payload=l,this.receiver=n,this.fragmentSize=u,this.leaseManager=e,this.streamType=ft.FrameTypes.REQUEST_FNF}return l.prototype.handleReady=function(l,n){var u,e;if(this.done)return!1;if(this.streamId=l,(0,ht.isFragmentable)(this.payload,this.fragmentSize,ft.FrameTypes.REQUEST_FNF))try{for(var t=ct((0,ht.fragment)(l,this.payload,this.fragmentSize,ft.FrameTypes.REQUEST_FNF)),r=t.next();!r.done;r=t.next()){var o=r.value;n.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else n.send({type:ft.FrameTypes.REQUEST_FNF,data:this.payload.data,metadata:this.payload.metadata,flags:this.payload.metadata?ft.Flags.METADATA:0,streamId:l});return this.done=!0,this.receiver.onComplete(),!0},l.prototype.handleReject=function(l){this.done||(this.done=!0,this.receiver.onError(l))},l.prototype.cancel=function(){var l;this.done||(this.done=!0,null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.handle=function(l){l.type!=ft.FrameTypes.ERROR?this.close(new dt.RSocketError(dt.ErrorCodes.CANCELED,"Received invalid frame")):this.close(new dt.RSocketError(l.code,l.message))},l.prototype.close=function(l){this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):l?this.receiver.onError(l):this.receiver.onComplete()},l}();ot.RequestFnFRequesterStream=yt;var mt=function(){function l(l,n,u,e){if(this.streamId=l,this.stream=n,this.handler=u,this.streamType=ft.FrameTypes.REQUEST_FNF,ft.Flags.hasFollows(e.flags))return pt.add(this,e.data,e.metadata),void n.connect(this);var t={data:e.data,metadata:e.metadata};try{this.cancellable=u(t,this)}catch(l){}}return l.prototype.handle=function(l){var n;if(l.type==ft.FrameTypes.PAYLOAD){if(!ft.Flags.hasFollows(l.flags)){this.stream.disconnect(this);var u=pt.reassemble(this,l.data,l.metadata);try{this.cancellable=this.handler(u,this)}catch(l){}return}if(pt.add(this,l.data,l.metadata))return;n="Unexpected fragment size"}else n="Unexpected frame type [".concat(l.type,"]");this.done=!0,l.type!=ft.FrameTypes.CANCEL&&l.type!=ft.FrameTypes.ERROR&&this.stream.send({type:ft.FrameTypes.ERROR,streamId:this.streamId,flags:ft.Flags.NONE,code:dt.ErrorCodes.CANCELED,message:n}),this.stream.disconnect(this),pt.cancel(this)},l.prototype.close=function(l){var n;this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(this.done=!0,pt.cancel(this),null===(n=this.cancellable)||void 0===n||n.cancel())},l.prototype.onError=function(l){},l.prototype.onComplete=function(){},l}();ot.RequestFnfResponderStream=mt;var gt={},bt=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),vt=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),Et=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&bt(n,l,u);return vt(n,l),n},wt=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(gt,"__esModule",{value:!0}),gt.RequestResponseResponderStream=gt.RequestResponseRequesterStream=void 0;var _t=Be,St=He,Tt=Le,Rt=Et(Ye),At=function(){function l(l,n,u,e){this.payload=l,this.receiver=n,this.fragmentSize=u,this.leaseManager=e,this.streamType=Tt.FrameTypes.REQUEST_RESPONSE}return l.prototype.handleReady=function(l,n){var u,e;if(this.done)return!1;if(this.streamId=l,this.stream=n,n.connect(this),(0,St.isFragmentable)(this.payload,this.fragmentSize,Tt.FrameTypes.REQUEST_RESPONSE))try{for(var t=wt((0,St.fragment)(l,this.payload,this.fragmentSize,Tt.FrameTypes.REQUEST_RESPONSE)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:Tt.FrameTypes.REQUEST_RESPONSE,data:this.payload.data,metadata:this.payload.metadata,flags:this.payload.metadata?Tt.Flags.METADATA:0,streamId:l});return this.hasExtension&&this.stream.send({type:Tt.FrameTypes.EXT,streamId:l,extendedContent:this.extendedContent,extendedType:this.extendedType,flags:this.flags}),!0},l.prototype.handleReject=function(l){this.done||(this.done=!0,this.receiver.onError(l))},l.prototype.handle=function(l){var n,u=l.type;switch(u){case Tt.FrameTypes.PAYLOAD:var e=Tt.Flags.hasComplete(l.flags),t=Tt.Flags.hasNext(l.flags);if(e||!Tt.Flags.hasFollows(l.flags)){if(this.done=!0,this.stream.disconnect(this),!t)return void this.receiver.onComplete();var r=this.hasFragments?Rt.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata};return void this.receiver.onNext(r,!0)}if(!Rt.add(this,l.data,l.metadata)){n="Unexpected fragment size";break}return;case Tt.FrameTypes.ERROR:return this.done=!0,this.stream.disconnect(this),Rt.cancel(this),void this.receiver.onError(new _t.RSocketError(l.code,l.message));case Tt.FrameTypes.EXT:if(this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.onExtension(l.extendedType,l.extendedContent,Tt.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.close(new _t.RSocketError(_t.ErrorCodes.CANCELED,n)),this.stream.send({type:Tt.FrameTypes.CANCEL,streamId:this.streamId,flags:Tt.Flags.NONE}),this.stream.disconnect(this)},l.prototype.cancel=function(){var l;this.done||(this.done=!0,this.streamId?(this.stream.send({type:Tt.FrameTypes.CANCEL,flags:Tt.Flags.NONE,streamId:this.streamId}),this.stream.disconnect(this),Rt.cancel(this)):null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.onExtension=function(l,n,u){if(!this.done)return this.streamId?void this.stream.send({streamId:this.streamId,type:Tt.FrameTypes.EXT,extendedType:l,extendedContent:n,flags:u?Tt.Flags.IGNORE:Tt.Flags.NONE}):(this.hasExtension=!0,this.extendedType=l,this.extendedContent=n,void(this.flags=u?Tt.Flags.IGNORE:Tt.Flags.NONE))},l.prototype.close=function(l){this.done||(this.done=!0,Rt.cancel(this),l?this.receiver.onError(l):this.receiver.onComplete())},l}();gt.RequestResponseRequesterStream=At;var Ot=function(){function l(l,n,u,e,t){if(this.streamId=l,this.stream=n,this.fragmentSize=u,this.handler=e,this.streamType=Tt.FrameTypes.REQUEST_RESPONSE,n.connect(this),Tt.Flags.hasFollows(t.flags))Rt.add(this,t.data,t.metadata);else{var r={data:t.data,metadata:t.metadata};try{this.receiver=e(r,this)}catch(l){this.onError(l)}}}return l.prototype.handle=function(l){var n,u;if(!this.receiver||this.hasFragments)if(l.type===Tt.FrameTypes.PAYLOAD){if(!Tt.Flags.hasFollows(l.flags)){var e=Rt.reassemble(this,l.data,l.metadata);try{this.receiver=this.handler(e,this)}catch(l){this.onError(l)}return}if(Rt.add(this,l.data,l.metadata))return;u="Unexpected fragment size"}else u="Unexpected frame type [".concat(l.type,"] during reassembly");else{if(l.type===Tt.FrameTypes.EXT)return void this.receiver.onExtension(l.extendedType,l.extendedContent,Tt.Flags.hasIgnore(l.flags));u="Unexpected frame type [".concat(l.type,"]")}this.done=!0,null===(n=this.receiver)||void 0===n||n.cancel(),l.type!==Tt.FrameTypes.CANCEL&&l.type!==Tt.FrameTypes.ERROR&&this.stream.send({type:Tt.FrameTypes.ERROR,flags:Tt.Flags.NONE,code:_t.ErrorCodes.CANCELED,message:u,streamId:this.streamId}),this.stream.disconnect(this),Rt.cancel(this)},l.prototype.onError=function(l){this.done?console.warn("Trying to error for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(this.done=!0,this.stream.send({type:Tt.FrameTypes.ERROR,flags:Tt.Flags.NONE,code:l instanceof _t.RSocketError?l.code:_t.ErrorCodes.APPLICATION_ERROR,message:l.message,streamId:this.streamId}),this.stream.disconnect(this))},l.prototype.onNext=function(l,n){var u,e;if(!this.done){if(this.done=!0,(0,St.isFragmentable)(l,this.fragmentSize,Tt.FrameTypes.PAYLOAD))try{for(var t=wt((0,St.fragment)(this.streamId,l,this.fragmentSize,Tt.FrameTypes.PAYLOAD,!0)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:Tt.FrameTypes.PAYLOAD,flags:Tt.Flags.NEXT|Tt.Flags.COMPLETE|(l.metadata?Tt.Flags.METADATA:0),data:l.data,metadata:l.metadata,streamId:this.streamId});this.stream.disconnect(this)}},l.prototype.onComplete=function(){this.done||(this.done=!0,this.stream.send({type:Tt.FrameTypes.PAYLOAD,flags:Tt.Flags.COMPLETE,streamId:this.streamId,data:null,metadata:null}),this.stream.disconnect(this))},l.prototype.onExtension=function(l,n,u){this.done||this.stream.send({type:Tt.FrameTypes.EXT,streamId:this.streamId,flags:u?Tt.Flags.IGNORE:Tt.Flags.NONE,extendedType:l,extendedContent:n})},l.prototype.close=function(l){var n;this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(Rt.cancel(this),null===(n=this.receiver)||void 0===n||n.cancel())},l}();gt.RequestResponseResponderStream=Ot;var Ct={},Ft=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),It=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),kt=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&Ft(n,l,u);return It(n,l),n},Pt=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(Ct,"__esModule",{value:!0}),Ct.RequestStreamResponderStream=Ct.RequestStreamRequesterStream=void 0;var Lt=Be,Nt=He,xt=Le,Ut=kt(Ye),Dt=function(){function l(l,n,u,e,t){this.payload=l,this.receiver=n,this.fragmentSize=u,this.initialRequestN=e,this.leaseManager=t,this.streamType=xt.FrameTypes.REQUEST_STREAM}return l.prototype.handleReady=function(l,n){var u,e;if(this.done)return!1;if(this.streamId=l,this.stream=n,n.connect(this),(0,Nt.isFragmentable)(this.payload,this.fragmentSize,xt.FrameTypes.REQUEST_STREAM))try{for(var t=Pt((0,Nt.fragmentWithRequestN)(l,this.payload,this.fragmentSize,xt.FrameTypes.REQUEST_STREAM,this.initialRequestN)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:xt.FrameTypes.REQUEST_STREAM,data:this.payload.data,metadata:this.payload.metadata,requestN:this.initialRequestN,flags:void 0!==this.payload.metadata?xt.Flags.METADATA:0,streamId:l});return this.hasExtension&&this.stream.send({type:xt.FrameTypes.EXT,streamId:l,extendedContent:this.extendedContent,extendedType:this.extendedType,flags:this.flags}),!0},l.prototype.handleReject=function(l){this.done||(this.done=!0,this.receiver.onError(l))},l.prototype.handle=function(l){var n,u=l.type;switch(u){case xt.FrameTypes.PAYLOAD:var e=xt.Flags.hasComplete(l.flags),t=xt.Flags.hasNext(l.flags);if(e||!xt.Flags.hasFollows(l.flags)){if(e&&(this.done=!0,this.stream.disconnect(this),!t))return void this.receiver.onComplete();var r=this.hasFragments?Ut.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata};return void this.receiver.onNext(r,e)}if(!Ut.add(this,l.data,l.metadata)){n="Unexpected fragment size";break}return;case xt.FrameTypes.ERROR:return this.done=!0,this.stream.disconnect(this),Ut.cancel(this),void this.receiver.onError(new Lt.RSocketError(l.code,l.message));case xt.FrameTypes.EXT:if(this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.onExtension(l.extendedType,l.extendedContent,xt.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.close(new Lt.RSocketError(Lt.ErrorCodes.CANCELED,n)),this.stream.send({type:xt.FrameTypes.CANCEL,streamId:this.streamId,flags:xt.Flags.NONE}),this.stream.disconnect(this)},l.prototype.request=function(l){this.done||(this.streamId?this.stream.send({type:xt.FrameTypes.REQUEST_N,flags:xt.Flags.NONE,requestN:l,streamId:this.streamId}):this.initialRequestN+=l)},l.prototype.cancel=function(){var l;this.done||(this.done=!0,this.streamId?(this.stream.send({type:xt.FrameTypes.CANCEL,flags:xt.Flags.NONE,streamId:this.streamId}),this.stream.disconnect(this),Ut.cancel(this)):null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.onExtension=function(l,n,u){if(!this.done)return this.streamId?void this.stream.send({streamId:this.streamId,type:xt.FrameTypes.EXT,extendedType:l,extendedContent:n,flags:u?xt.Flags.IGNORE:xt.Flags.NONE}):(this.hasExtension=!0,this.extendedType=l,this.extendedContent=n,void(this.flags=u?xt.Flags.IGNORE:xt.Flags.NONE))},l.prototype.close=function(l){this.done||(this.done=!0,Ut.cancel(this),l?this.receiver.onError(l):this.receiver.onComplete())},l}();Ct.RequestStreamRequesterStream=Dt;var Bt=function(){function l(l,n,u,e,t){if(this.streamId=l,this.stream=n,this.fragmentSize=u,this.handler=e,this.streamType=xt.FrameTypes.REQUEST_STREAM,n.connect(this),xt.Flags.hasFollows(t.flags))return this.initialRequestN=t.requestN,void Ut.add(this,t.data,t.metadata);var r={data:t.data,metadata:t.metadata};try{this.receiver=e(r,t.requestN,this)}catch(l){this.onError(l)}}return l.prototype.handle=function(l){var n,u;if(!this.receiver||this.hasFragments)if(l.type===xt.FrameTypes.PAYLOAD){if(!xt.Flags.hasFollows(l.flags)){var e=Ut.reassemble(this,l.data,l.metadata);try{this.receiver=this.handler(e,this.initialRequestN,this)}catch(l){this.onError(l)}return}if(Ut.add(this,l.data,l.metadata))return;u="Unexpected frame size"}else u="Unexpected frame type [".concat(l.type,"] during reassembly");else{if(l.type===xt.FrameTypes.REQUEST_N)return void this.receiver.request(l.requestN);if(l.type===xt.FrameTypes.EXT)return void this.receiver.onExtension(l.extendedType,l.extendedContent,xt.Flags.hasIgnore(l.flags));u="Unexpected frame type [".concat(l.type,"]")}this.done=!0,Ut.cancel(this),null===(n=this.receiver)||void 0===n||n.cancel(),l.type!==xt.FrameTypes.CANCEL&&l.type!==xt.FrameTypes.ERROR&&this.stream.send({type:xt.FrameTypes.ERROR,flags:xt.Flags.NONE,code:Lt.ErrorCodes.CANCELED,message:u,streamId:this.streamId}),this.stream.disconnect(this)},l.prototype.onError=function(l){this.done?console.warn("Trying to error for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(this.done=!0,this.stream.send({type:xt.FrameTypes.ERROR,flags:xt.Flags.NONE,code:l instanceof Lt.RSocketError?l.code:Lt.ErrorCodes.APPLICATION_ERROR,message:l.message,streamId:this.streamId}),this.stream.disconnect(this))},l.prototype.onNext=function(l,n){var u,e;if(!this.done){if(n&&(this.done=!0),(0,Nt.isFragmentable)(l,this.fragmentSize,xt.FrameTypes.PAYLOAD))try{for(var t=Pt((0,Nt.fragment)(this.streamId,l,this.fragmentSize,xt.FrameTypes.PAYLOAD,n)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:xt.FrameTypes.PAYLOAD,flags:xt.Flags.NEXT|(n?xt.Flags.COMPLETE:xt.Flags.NONE)|(l.metadata?xt.Flags.METADATA:xt.Flags.NONE),data:l.data,metadata:l.metadata,streamId:this.streamId});n&&this.stream.disconnect(this)}},l.prototype.onComplete=function(){this.done||(this.done=!0,this.stream.send({type:xt.FrameTypes.PAYLOAD,flags:xt.Flags.COMPLETE,streamId:this.streamId,data:null,metadata:null}),this.stream.disconnect(this))},l.prototype.onExtension=function(l,n,u){this.done||this.stream.send({type:xt.FrameTypes.EXT,streamId:this.streamId,flags:u?xt.Flags.IGNORE:xt.Flags.NONE,extendedType:l,extendedContent:n})},l.prototype.close=function(l){var n;this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(Ut.cancel(this),null===(n=this.receiver)||void 0===n||n.cancel())},l}();Ct.RequestStreamResponderStream=Bt,Object.defineProperty(Qe,"__esModule",{value:!0}),Qe.KeepAliveSender=Qe.KeepAliveHandler=Qe.DefaultConnectionFrameHandler=Qe.DefaultStreamRequestHandler=Qe.LeaseHandler=Qe.RSocketRequester=void 0;var Mt=Be,qt=Le,jt=$e,Wt=ot,zt=gt,Qt=Ct,$t=function(){function l(l,n,u){this.connection=l,this.fragmentSize=n,this.leaseManager=u}return l.prototype.fireAndForget=function(l,n){var u=new Wt.RequestFnFRequesterStream(l,n,this.fragmentSize,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(u):this.connection.multiplexerDemultiplexer.createRequestStream(u),u},l.prototype.requestResponse=function(l,n){var u=new zt.RequestResponseRequesterStream(l,n,this.fragmentSize,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(u):this.connection.multiplexerDemultiplexer.createRequestStream(u),u},l.prototype.requestStream=function(l,n,u){var e=new Qt.RequestStreamRequesterStream(l,u,this.fragmentSize,n,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(e):this.connection.multiplexerDemultiplexer.createRequestStream(e),e},l.prototype.requestChannel=function(l,n,u,e){var t=new jt.RequestChannelRequesterStream(l,u,e,this.fragmentSize,n,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(t):this.connection.multiplexerDemultiplexer.createRequestStream(t),t},l.prototype.metadataPush=function(l,n){throw new Error("Method not implemented.")},l.prototype.close=function(l){this.connection.close(l)},l.prototype.onClose=function(l){this.connection.onClose(l)},l}();Qe.RSocketRequester=$t;var Ht=function(){function l(l,n){this.maxPendingRequests=l,this.multiplexer=n,this.pendingRequests=[],this.expirationTime=0,this.availableLease=0}return l.prototype.handle=function(l){for(this.expirationTime=l.ttl+Date.now(),this.availableLease=l.requestCount;this.availableLease>0&&this.pendingRequests.length>0;){var n=this.pendingRequests.shift();this.availableLease--,this.multiplexer.createRequestStream(n)}},l.prototype.requestLease=function(l){var n=this.availableLease;if(n>0&&Date.now()<this.expirationTime)return this.availableLease=n-1,void this.multiplexer.createRequestStream(l);this.pendingRequests.length>=this.maxPendingRequests?l.handleReject(new Mt.RSocketError(Mt.ErrorCodes.REJECTED,"No available lease given")):this.pendingRequests.push(l)},l.prototype.cancelRequest=function(l){var n=this.pendingRequests.indexOf(l);n>-1&&this.pendingRequests.splice(n,1)},l}();Qe.LeaseHandler=Ht;var Vt=function(){function l(l,n){this.rsocket=l,this.fragmentSize=n}return l.prototype.handle=function(l,n){switch(l.type){case qt.FrameTypes.REQUEST_FNF:return void(this.rsocket.fireAndForget&&new Wt.RequestFnfResponderStream(l.streamId,n,this.rsocket.fireAndForget.bind(this.rsocket),l));case qt.FrameTypes.REQUEST_RESPONSE:return this.rsocket.requestResponse?void new zt.RequestResponseResponderStream(l.streamId,n,this.fragmentSize,this.rsocket.requestResponse.bind(this.rsocket),l):void this.rejectRequest(l.streamId,n);case qt.FrameTypes.REQUEST_STREAM:return this.rsocket.requestStream?void new Qt.RequestStreamResponderStream(l.streamId,n,this.fragmentSize,this.rsocket.requestStream.bind(this.rsocket),l):void this.rejectRequest(l.streamId,n);case qt.FrameTypes.REQUEST_CHANNEL:return this.rsocket.requestChannel?void new jt.RequestChannelResponderStream(l.streamId,n,this.fragmentSize,this.rsocket.requestChannel.bind(this.rsocket),l):void this.rejectRequest(l.streamId,n)}},l.prototype.rejectRequest=function(l,n){n.send({type:qt.FrameTypes.ERROR,streamId:l,flags:qt.Flags.NONE,code:Mt.ErrorCodes.REJECTED,message:"No available handler found"})},l.prototype.close=function(){},l}();Qe.DefaultStreamRequestHandler=Vt;var Jt,Yt=function(){function l(l,n,u,e,t){this.connection=l,this.keepAliveHandler=n,this.keepAliveSender=u,this.leaseHandler=e,this.rsocket=t}return l.prototype.handle=function(l){switch(l.type){case qt.FrameTypes.KEEPALIVE:return void this.keepAliveHandler.handle(l);case qt.FrameTypes.LEASE:return this.leaseHandler?void this.leaseHandler.handle(l):void 0;case qt.FrameTypes.ERROR:return void this.connection.close(new Mt.RSocketError(l.code,l.message));case qt.FrameTypes.METADATA_PUSH:return void this.rsocket.metadataPush;default:this.connection.multiplexerDemultiplexer.connectionOutbound.send({type:qt.FrameTypes.ERROR,streamId:0,flags:qt.Flags.NONE,message:"Received unknown frame type",code:Mt.ErrorCodes.CONNECTION_ERROR})}},l.prototype.pause=function(){var l;this.keepAliveHandler.pause(),null===(l=this.keepAliveSender)||void 0===l||l.pause()},l.prototype.resume=function(){var l;this.keepAliveHandler.start(),null===(l=this.keepAliveSender)||void 0===l||l.start()},l.prototype.close=function(l){var n;this.keepAliveHandler.close(),null===(n=this.rsocket.close)||void 0===n||n.call(this.rsocket,l)},l}();Qe.DefaultConnectionFrameHandler=Yt,function(l){l[l.Paused=0]="Paused",l[l.Running=1]="Running",l[l.Closed=2]="Closed"}(Jt||(Jt={}));var Xt,Gt=function(){function l(l,n){this.connection=l,this.keepAliveTimeoutDuration=n,this.state=Jt.Paused,this.outbound=l.multiplexerDemultiplexer.connectionOutbound}return l.prototype.handle=function(l){this.keepAliveLastReceivedMillis=Date.now(),qt.Flags.hasRespond(l.flags)&&this.outbound.send({type:qt.FrameTypes.KEEPALIVE,streamId:0,data:l.data,flags:l.flags^qt.Flags.RESPOND,lastReceivedPosition:0})},l.prototype.start=function(){this.state===Jt.Paused&&(this.keepAliveLastReceivedMillis=Date.now(),this.state=Jt.Running,this.activeTimeout=setTimeout(this.timeoutCheck.bind(this),this.keepAliveTimeoutDuration))},l.prototype.pause=function(){this.state===Jt.Running&&(this.state=Jt.Paused,clearTimeout(this.activeTimeout))},l.prototype.close=function(){this.state=Jt.Closed,clearTimeout(this.activeTimeout)},l.prototype.timeoutCheck=function(){var l=Date.now()-this.keepAliveLastReceivedMillis;l>=this.keepAliveTimeoutDuration?this.connection.close(new Error("No keep-alive acks for ".concat(this.keepAliveTimeoutDuration," millis"))):this.activeTimeout=setTimeout(this.timeoutCheck.bind(this),Math.max(100,this.keepAliveTimeoutDuration-l))},l}();Qe.KeepAliveHandler=Gt,function(l){l[l.Paused=0]="Paused",l[l.Running=1]="Running",l[l.Closed=2]="Closed"}(Xt||(Xt={}));var Kt=function(){function l(l,n){this.outbound=l,this.keepAlivePeriodDuration=n,this.state=Xt.Paused}return l.prototype.sendKeepAlive=function(){this.outbound.send({type:qt.FrameTypes.KEEPALIVE,streamId:0,data:void 0,flags:qt.Flags.RESPOND,lastReceivedPosition:0})},l.prototype.start=function(){this.state===Xt.Paused&&(this.state=Xt.Running,this.activeInterval=setInterval(this.sendKeepAlive.bind(this),this.keepAlivePeriodDuration))},l.prototype.pause=function(){this.state===Xt.Running&&(this.state=Xt.Paused,clearInterval(this.activeInterval))},l.prototype.close=function(){this.state=Xt.Closed,clearInterval(this.activeInterval)},l}();Qe.KeepAliveSender=Kt;var Zt,lr,nr={};function ur(){if(Zt)return nr;Zt=1;var l=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(nr,"__esModule",{value:!0}),nr.FrameStore=void 0;var n=sr(),u=Pe,e=function(){function e(){this.storedFrames=[],this._lastReceivedFramePosition=0,this._firstAvailableFramePosition=0,this._lastSentFramePosition=0}return Object.defineProperty(e.prototype,"lastReceivedFramePosition",{get:function(){return this._lastReceivedFramePosition},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"firstAvailableFramePosition",{get:function(){return this._firstAvailableFramePosition},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"lastSentFramePosition",{get:function(){return this._lastSentFramePosition},enumerable:!1,configurable:!0}),e.prototype.store=function(l){this._lastSentFramePosition+=(0,u.sizeOfFrame)(l),this.storedFrames.push(l)},e.prototype.record=function(l){this._lastReceivedFramePosition+=(0,u.sizeOfFrame)(l)},e.prototype.dropTo=function(l){for(var e=l-this._firstAvailableFramePosition;e>0&&this.storedFrames.length>0;){var t=this.storedFrames.shift();e-=(0,u.sizeOfFrame)(t)}if(0!==e)throw new n.RSocketError(n.ErrorCodes.CONNECTION_ERROR,"State inconsistency. Expected bytes to drop ".concat(l-this._firstAvailableFramePosition," but actual ").concat(e));this._firstAvailableFramePosition=l},e.prototype.drain=function(n){var u,e;try{for(var t=l(this.storedFrames),r=t.next();!r.done;r=t.next()){n(r.value)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}},e}();return nr.FrameStore=e,nr}function er(){if(lr)return je;lr=1;var l=o&&o.__awaiter||function(l,n,u,e){return new(u||(u=Promise))((function(t,r){function o(l){try{a(e.next(l))}catch(l){r(l)}}function i(l){try{a(e.throw(l))}catch(l){r(l)}}function a(l){var n;l.done?t(l.value):(n=l.value,n instanceof u?n:new u((function(l){l(n)}))).then(o,i)}a((e=e.apply(l,n||[])).next())}))},n=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(je,"__esModule",{value:!0}),je.RSocketConnector=void 0;var u=ze(),e=Le,t=Qe,r=ur(),i=function(){function o(l){this.config=l}return o.prototype.connect=function(){var o,i,a,s,c,d,h,f,p,y,m,g,b,v,E,w,_,S,T,R;return l(this,void 0,void 0,(function(){var A,O,C,F,I,k,P,L,N,x=this;return n(this,(function(U){switch(U.label){case 0:return A=this.config,O={type:e.FrameTypes.SETUP,dataMimeType:null!==(i=null===(o=A.setup)||void 0===o?void 0:o.dataMimeType)&&void 0!==i?i:"application/octet-stream",metadataMimeType:null!==(s=null===(a=A.setup)||void 0===a?void 0:a.metadataMimeType)&&void 0!==s?s:"application/octet-stream",keepAlive:null!==(d=null===(c=A.setup)||void 0===c?void 0:c.keepAlive)&&void 0!==d?d:6e4,lifetime:null!==(f=null===(h=A.setup)||void 0===h?void 0:h.lifetime)&&void 0!==f?f:3e5,metadata:null===(y=null===(p=A.setup)||void 0===p?void 0:p.payload)||void 0===y?void 0:y.metadata,data:null===(g=null===(m=A.setup)||void 0===m?void 0:m.payload)||void 0===g?void 0:g.data,resumeToken:null!==(v=null===(b=A.resume)||void 0===b?void 0:b.tokenGenerator())&&void 0!==v?v:null,streamId:0,majorVersion:1,minorVersion:0,flags:((null===(w=null===(E=A.setup)||void 0===E?void 0:E.payload)||void 0===w?void 0:w.metadata)?e.Flags.METADATA:e.Flags.NONE)|(A.lease?e.Flags.LEASE:e.Flags.NONE)|(A.resume?e.Flags.RESUME_ENABLE:e.Flags.NONE)},[4,A.transport.connect((function(t){return A.resume?new u.ResumableClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(-1),t,t,new r.FrameStore,O.resumeToken.toString(),(function(t,r){return l(x,void 0,void 0,(function(){var l,o,i;return n(this,(function(n){switch(n.label){case 0:return l=function(l){return l.send({type:e.FrameTypes.RESUME,streamId:0,flags:e.Flags.NONE,clientPosition:r.firstAvailableFramePosition,serverPosition:r.lastReceivedFramePosition,majorVersion:O.minorVersion,minorVersion:O.majorVersion,resumeToken:O.resumeToken}),new u.ResumeOkAwaitingResumableClientServerInputMultiplexerDemultiplexer(l,l,t)},o=-1,[4,(i=function(){return o++,A.resume.reconnectFunction(o).then((function(){return A.transport.connect(l).catch(i)}))})()];case 1:return n.sent(),[2]}}))}))})):new u.ClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(-1),t,t)}))];case 1:return C=U.sent(),F=new t.KeepAliveSender(C.multiplexerDemultiplexer.connectionOutbound,O.keepAlive),I=new t.KeepAliveHandler(C,O.lifetime),k=A.lease?new t.LeaseHandler(null!==(_=A.lease.maxPendingRequests)&&void 0!==_?_:256,C.multiplexerDemultiplexer):void 0,P=null!==(S=A.responder)&&void 0!==S?S:{},L=new t.DefaultConnectionFrameHandler(C,I,F,k,P),N=new t.DefaultStreamRequestHandler(P,0),C.onClose((function(l){F.close(),I.close(),L.close(l)})),C.multiplexerDemultiplexer.connectionInbound(L),C.multiplexerDemultiplexer.handleRequestStream(N),C.multiplexerDemultiplexer.connectionOutbound.send(O),I.start(),F.start(),[2,new t.RSocketRequester(C,null!==(R=null===(T=A.fragmentation)||void 0===T?void 0:T.maxOutboundFragmentSize)&&void 0!==R?R:0,k)]}}))}))},o}();return je.RSocketConnector=i,je}var tr,rr={};function or(){if(tr)return rr;tr=1;var l=o&&o.__awaiter||function(l,n,u,e){return new(u||(u=Promise))((function(t,r){function o(l){try{a(e.next(l))}catch(l){r(l)}}function i(l){try{a(e.throw(l))}catch(l){r(l)}}function a(l){var n;l.done?t(l.value):(n=l.value,n instanceof u?n:new u((function(l){l(n)}))).then(o,i)}a((e=e.apply(l,n||[])).next())}))},n=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(rr,"__esModule",{value:!0}),rr.RSocketServer=void 0;var u=ze(),e=Be,t=Le,r=Qe,i=ur(),a=function(){function o(l){var n,u;this.acceptor=l.acceptor,this.transport=l.transport,this.lease=l.lease,this.serverSideKeepAlive=l.serverSideKeepAlive,this.sessionStore=l.resume?{}:void 0,this.sessionTimeout=null!==(u=null===(n=l.resume)||void 0===n?void 0:n.sessionTimeout)&&void 0!==u?u:void 0}return o.prototype.bind=function(){return l(this,void 0,void 0,(function(){var o=this;return n(this,(function(a){switch(a.label){case 0:return[4,this.transport.bind((function(u,i){return l(o,void 0,void 0,(function(){var l,o,a,s,c,d,h,f,p,y,m,g,b;return n(this,(function(n){switch(n.label){case 0:switch(u.type){case t.FrameTypes.SETUP:return[3,1];case t.FrameTypes.RESUME:return[3,5]}return[3,6];case 1:return n.trys.push([1,3,,4]),this.lease&&!t.Flags.hasLease(u.flags)?(l=new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,"Lease has to be enabled"),i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,flags:t.Flags.NONE,code:l.code,message:l.message}),i.close(l),[2]):t.Flags.hasLease(u.flags)&&!this.lease?(l=new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,"Lease has to be disabled"),i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,flags:t.Flags.NONE,code:l.code,message:l.message}),i.close(l),[2]):(o=t.Flags.hasLease(u.flags)?new r.LeaseHandler(null!==(y=this.lease.maxPendingRequests)&&void 0!==y?y:256,i.multiplexerDemultiplexer):void 0,a=new r.RSocketRequester(i,null!==(g=null===(m=this.fragmentation)||void 0===m?void 0:m.maxOutboundFragmentSize)&&void 0!==g?g:0,o),[4,this.acceptor.accept({data:u.data,dataMimeType:u.dataMimeType,metadata:u.metadata,metadataMimeType:u.metadataMimeType,flags:u.flags,keepAliveMaxLifetime:u.lifetime,keepAliveInterval:u.keepAlive,resumeToken:u.resumeToken},a)]);case 2:return s=n.sent(),c=new r.KeepAliveHandler(i,u.lifetime),d=this.serverSideKeepAlive?new r.KeepAliveSender(i.multiplexerDemultiplexer.connectionOutbound,u.keepAlive):void 0,h=new r.DefaultConnectionFrameHandler(i,c,d,o,s),f=new r.DefaultStreamRequestHandler(s,0),i.onClose((function(l){null==d||d.close(),c.close(),h.close(l)})),i.multiplexerDemultiplexer.connectionInbound(h),i.multiplexerDemultiplexer.handleRequestStream(f),c.start(),null==d||d.start(),[3,4];case 3:return p=n.sent(),i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.REJECTED_SETUP,message:null!==(b=p.message)&&void 0!==b?b:"",flags:t.Flags.NONE}),i.close(p instanceof e.RSocketError?p:new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,p.message)),[3,4];case 4:case 5:return[2];case 6:i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.UNSUPPORTED_SETUP,message:"Unsupported setup",flags:t.Flags.NONE}),i.close(new e.RSocketError(e.ErrorCodes.UNSUPPORTED_SETUP)),n.label=7;case 7:return[2]}}))}))}),(function(l,n){if(l.type===t.FrameTypes.RESUME){if(o.sessionStore){var r=o.sessionStore[l.resumeToken.toString()];return r?(r.resume(l,n,n),r):(n.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.REJECTED_RESUME,message:"No session found for the given resume token",flags:t.Flags.NONE}),void n.close())}return n.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.REJECTED_RESUME,message:"Resume is not enabled",flags:t.Flags.NONE}),void n.close()}if(l.type===t.FrameTypes.SETUP&&t.Flags.hasResume(l.flags)){if(!o.sessionStore){var a=new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,"No resume support");return n.send({type:t.FrameTypes.ERROR,streamId:0,flags:t.Flags.NONE,code:a.code,message:a.message}),void n.close(a)}var s=new u.ResumableClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(0),n,n,new i.FrameStore,l.resumeToken.toString(),o.sessionStore,o.sessionTimeout);return o.sessionStore[l.resumeToken.toString()]=s,s}return new u.ClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(0),n,n)}))];case 1:return[2,a.sent()]}}))}))},o}();return rr.RSocketServer=a,rr}var ir,ar={};function sr(){return ir||(ir=1,function(l){var n=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),u=o&&o.__exportStar||function(l,u){for(var e in l)"default"===e||Object.prototype.hasOwnProperty.call(u,e)||n(u,l,e)};Object.defineProperty(l,"__esModule",{value:!0}),u(Pe,l),u(Ne,l),u(xe,l),u(Be,l),u(Le,l),u(Me,l),u(er(),l),u(or(),l),u(ar,l)}(Ie)),Ie}Object.defineProperty(ar,"__esModule",{value:!0});var cr,dr=sr(),hr={},fr={},pr={},yr=o&&o.__extends||(cr=function(l,n){return cr=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(l,n){l.__proto__=n}||function(l,n){for(var u in n)Object.prototype.hasOwnProperty.call(n,u)&&(l[u]=n[u])},cr(l,n)},function(l,n){if("function"!=typeof n&&null!==n)throw new TypeError("Class extends value "+String(n)+" is not a constructor or null");function u(){this.constructor=l}cr(l,n),l.prototype=null===n?Object.create(n):(u.prototype=n.prototype,new u)});Object.defineProperty(pr,"__esModule",{value:!0}),pr.WebsocketDuplexConnection=void 0;var mr=sr(),gr=function(l){function n(n,u,e){var t=l.call(this)||this;return t.websocket=n,t.deserializer=u,t.handleClosed=function(l){t.close(new Error(l.reason||"WebsocketDuplexConnection: Socket closed unexpectedly."))},t.handleError=function(l){t.close(l.error)},t.handleMessage=function(l){try{var n=ke.Buffer.from(l.data),u=t.deserializer.deserializeFrame(n);t.multiplexerDemultiplexer.handle(u)}catch(l){t.close(l)}},n.addEventListener("close",t.handleClosed),n.addEventListener("error",t.handleError),n.addEventListener("message",t.handleMessage),t.multiplexerDemultiplexer=e(t),t}return yr(n,l),Object.defineProperty(n.prototype,"availability",{get:function(){return this.done?0:1},enumerable:!1,configurable:!0}),n.prototype.close=function(n){this.done||(this.websocket.removeEventListener("close",this.handleClosed),this.websocket.removeEventListener("error",this.handleError),this.websocket.removeEventListener("message",this.handleMessage),this.websocket.close(),delete this.websocket),l.prototype.close.call(this,n)},n.prototype.send=function(l){if(!this.done){var n=(0,mr.serializeFrame)(l);this.websocket.send(n)}},n}(mr.Deferred);pr.WebsocketDuplexConnection=gr,Object.defineProperty(fr,"__esModule",{value:!0}),fr.WebsocketClientTransport=void 0;var br=sr(),vr=pr,Er=function(){function l(l){var n;this.url=l.url,this.factory=null!==(n=l.wsCreator)&&void 0!==n?n:function(l){return new WebSocket(l)}}return l.prototype.connect=function(l){var n=this;return new Promise((function(u,e){var t=n.factory(n.url);t.binaryType="arraybuffer";var r=function(){t.removeEventListener("open",r),t.removeEventListener("error",o),u(new vr.WebsocketDuplexConnection(t,new br.Deserializer,l))},o=function(l){t.removeEventListener("open",r),t.removeEventListener("error",o),e(l.error)};t.addEventListener("open",r),t.addEventListener("error",o)}))},l}();fr.WebsocketClientTransport=Er,function(l){var n=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),u=o&&o.__exportStar||function(l,u){for(var e in l)"default"===e||Object.prototype.hasOwnProperty.call(u,e)||n(u,l,e)};Object.defineProperty(l,"__esModule",{value:!0}),u(fr,l)}(hr);var wr="1.25.0";const _r={highWater:10,lowWater:0};class Sr extends v{options;dataQueue;isClosed;processingPromise;logger;constructor(n){if(super(),this.options=n,this.processingPromise=null,this.isClosed=!1,this.dataQueue=[],this.logger=n?.logger??js_logger__WEBPACK_IMPORTED_MODULE_0__.get("DataStream"),n?.closeOnError){const l=this.registerListener({error:n=>{l?.(),this.close()}})}}get highWatermark(){return this.options?.pressure?.highWaterMark??_r.highWater}get lowWatermark(){return this.options?.pressure?.lowWaterMark??_r.lowWater}get closed(){return this.isClosed}async close(){this.isClosed=!0,await this.processingPromise,this.iterateListeners((l=>l.closed?.())),this.dataQueue=[],this.listeners.clear()}enqueueData(l){if(this.isClosed)throw new Error("Cannot enqueue data into closed stream.");this.dataQueue.push(l),this.processQueue()}async read(){return this.closed?null:new Promise(((l,n)=>{const u=this.registerListener({data:async n=>{l(n),u?.()},closed:()=>{l(null),u?.()},error:l=>{n(l),u?.()}});this.processQueue()}))}forEach(l){return this.dataQueue.length<=this.lowWatermark&&this.iterateAsyncErrored((async l=>l.lowWater?.())),this.registerListener({data:l})}async processQueue(){if(!this.processingPromise)return this.dataQueue.length>=this.highWatermark&&await this.iterateAsyncErrored((async l=>l.highWater?.())),this.processingPromise=this._processQueue()}map(l){const n=new Sr(this.options),u=this.registerListener({data:async u=>{n.enqueueData(l(u))},closed:()=>{n.close(),u?.()}});return n}hasDataReader(){return Array.from(this.listeners.values()).some((l=>!!l.data))}async _processQueue(){if(!this.isClosed&&this.hasDataReader()){if(this.dataQueue.length){const l=this.dataQueue.shift();await this.iterateAsyncErrored((async n=>n.data?.(l)))}this.dataQueue.length<=this.lowWatermark&&await this.iterateAsyncErrored((async l=>l.lowWater?.())),this.processingPromise=null,this.dataQueue.length&&setTimeout((()=>this.processQueue()))}else Promise.resolve().then((()=>this.processingPromise=null))}async iterateAsyncErrored(l){for(let n of Array.from(this.listeners.values()))try{await l(n)}catch(l){this.logger.error(l),this.iterateListeners((n=>n.error?.(l)))}}}const Tr=/\/+$/,Rr=wr,Ar=js_logger__WEBPACK_IMPORTED_MODULE_0__.get("PowerSyncRemote");var Or;!function(l){l.Buffered="buffered",l.Sequential="sequential"}(Or||(Or={}));class Cr{getFetch(){throw new Error("Unspecified fetch implementation")}}const Fr={socketUrlTransformer:l=>l.replace(/^https?:\/\//,(function(l){return"https://"===l?"wss://":"ws://"})),fetchImplementation:new Cr};class Ir{connector;logger;credentials=null;options;constructor(l,n=Ar,u){this.connector=l,this.logger=n,this.options={...Fr,...u??{}}}get fetch(){const{fetchImplementation:l}=this.options;return l instanceof Cr?l.getFetch():l}async getCredentials(){const{expiresAt:l}=this.credentials??{};if(l&&l>new Date((new Date).valueOf()+3e4))return this.credentials;if(this.credentials=await this.connector.fetchCredentials(),this.credentials?.endpoint.match(Tr))throw new Error(`A trailing forward slash "/" was found in the fetchCredentials endpoint: "${this.credentials.endpoint}". Remove the trailing forward slash "/" to fix this error.`);return this.credentials}getUserAgent(){return`powersync-js/${Rr}`}async buildRequest(l){const n=await this.getCredentials();if(null!=n&&(null==n.endpoint||""==n.endpoint))throw new Error("PowerSync endpoint not configured");if(null==n?.token||""==n?.token){const l=new Error("Not signed in");throw l.status=401,l}const u=this.getUserAgent();return{url:n.endpoint+l,headers:{"content-type":"application/json",Authorization:`Token ${n.token}`,"x-user-agent":u}}}async post(l,n,u={}){const e=await this.buildRequest(l),t=await this.fetch(e.url,{method:"POST",headers:{...u,...e.headers},body:JSON.stringify(n)});if(!t.ok)throw new Error(`Received ${t.status} - ${t.statusText} when posting to ${l}: ${await t.text()}}`);return t.json()}async get(l,n){const u=await this.buildRequest(l),e=await this.fetch(u.url,{method:"GET",headers:{...n,...u.headers}});if(!e.ok)throw new Error(`Received ${e.status} - ${e.statusText} when getting from ${l}: ${await e.text()}}`);return e.json()}async postStreaming(l,n,u={},e){const t=await this.buildRequest(l),r=await this.fetch(t.url,{method:"POST",headers:{...u,...t.headers},body:JSON.stringify(n),signal:e,cache:"no-store"}).catch((n=>{throw this.logger.error(`Caught ex when POST streaming to ${l}`,n),n}));if(!r.ok){const n=await r.text();this.logger.error(`Could not POST streaming to ${l} - ${r.status} - ${r.statusText}: ${n}`);const u=new Error(`HTTP ${r.statusText}: ${n}`);throw u.status=r.status,u}return r}async socketStream(l){const{path:n,fetchStrategy:u=Or.Buffered}=l,e=u==Or.Buffered?10:1,t=await this.buildRequest(n),r=await this.getBSON(),o=this.getUserAgent(),i=new dr.RSocketConnector({transport:new hr.WebsocketClientTransport({url:this.options.socketUrlTransformer(t.url)}),setup:{keepAlive:2e4,lifetime:3e4,dataMimeType:"application/bson",metadataMimeType:"application/bson",payload:{data:null,metadata:fe.Buffer.from(r.serialize({token:t.headers.Authorization,user_agent:o}))}}});let a;try{a=await i.connect()}catch(l){throw new Error(`Could not connect to PowerSync instance: ${JSON.stringify(l)}`)}const s=new Sr({logger:this.logger,pressure:{lowWaterMark:5}});let c=!1;a.onClose((()=>c=!0));let d=e;const h=s.registerListener({closed:()=>{c||(c=!0,a.close()),h()}}),f=await new Promise(((u,t)=>{let o=!1;const i=a.requestStream({data:fe.Buffer.from(r.serialize(l.data)),metadata:fe.Buffer.from(r.serialize({path:n}))},e,{onError:l=>{"Closed. "!==l.message&&this.logger.error(l),s.close(),o||t(l)},onNext:l=>{o||(o=!0,u(i));const{data:n}=l;if(d--,!n)return;const e=r.deserialize(n);s.enqueueData(e)},onComplete:()=>{s.close()},onExtension:()=>{}})})),p=s.registerListener({lowWater:async()=>{e-d>0&&(f.request(e-d),d=e)},closed:()=>{p()}});return l.abortSignal?.aborted?s.close():l.abortSignal?.addEventListener("abort",(()=>{s.close()})),s}async postStream(l){const{data:n,path:u,headers:e,abortSignal:t}=l,r=await this.buildRequest(u),o=new AbortController;let i=!1;t?.addEventListener("abort",(()=>{i||o.abort(t.reason??new P("Cancelling network request before it resolves. Abort signal has been received."))}));const a=await this.fetch(r.url,{method:"POST",headers:{...e,...r.headers},body:JSON.stringify(n),signal:o.signal,cache:"no-store",...l.fetchOptions}).catch((l=>{if("AbortError"==l.name)throw new P(`Pending fetch request to ${r.url} has been aborted.`);throw l}));if(!a)throw new Error("Fetch request was aborted");if(i=!0,!a.ok||!a.body){const l=await a.text();this.logger.error(`Could not POST streaming to ${u} - ${a.status} - ${a.statusText}: ${l}`);const n=new Error(`HTTP ${a.statusText}: ${l}`);throw n.status=a.status,n}const s=a.body.getReader(),c=async()=>{try{await s.cancel()}catch(l){}s.releaseLock()};t?.addEventListener("abort",(()=>{c()}));const d=new Ku({start:l=>{(async()=>{for(;!t?.aborted;)try{const{done:n,value:u}=await s.read();if(n)break;l.enqueue(u)}catch(l){this.logger.error("Caught exception when reading sync stream",l);break}t?.aborted||await c(),l.close()})()}}),h=Fe(d),f=new Sr({logger:this.logger}),p=h.getReader(),y=f.registerListener({lowWater:async()=>{try{const{done:l,value:n}=await p.read();if(l)return f.close(),void y?.();f.enqueueData(n)}catch(l){throw f.close(),l}},closed:()=>{c(),y?.()}});return f}}function kr(l){return null!=l.data}function Pr(l){return null!=l.token_expires_in}function Lr(l){return null!=l.checkpoint}function Nr(l){return null!=l.checkpoint_complete}function xr(l){return null!=l.partial_checkpoint_complete}function Ur(l){return null!=l.checkpoint_diff}function Dr(l){return Array.isArray(l.buckets)&&"string"==typeof l.checkpoint_token}function Br(l){return"object"==typeof l.request_checkpoint}var Mr,qr;!function(l){l.CRUD="crud",l.SYNC="sync"}(Mr||(Mr={})),function(l){l.HTTP="http",l.WEB_SOCKET="web-socket"}(qr||(qr={}));const jr=1e3,Wr=5e3,zr={retryDelayMs:Wr,logger:js_logger__WEBPACK_IMPORTED_MODULE_0__.get("PowerSyncStream"),crudUploadThrottleMs:jr},Qr={connectionMethod:qr.WEB_SOCKET,fetchStrategy:Or.Buffered,params:{}};class $r extends v{_lastSyncedAt;options;abortController;crudUpdateListener;streamingSyncPromise;syncStatus;triggerCrudUpload;constructor(l){super(),this.options={...zr,...l},this.syncStatus=new g({connected:!1,connecting:!1,lastSyncedAt:void 0,dataFlow:{uploading:!1,downloading:!1}}),this.abortController=null,this.triggerCrudUpload=function(l,n){let u=null,e=0;const t=()=>{l(),e=Date.now(),u=null};return function(){const l=Date.now(),r=n-(l-e);r<=0?t():u||(u=setTimeout(t,r))}}((()=>{this.syncStatus.connected&&!this.syncStatus.dataFlowStatus.uploading&&this._uploadAllCrud()}),this.options.crudUploadThrottleMs)}async waitForReady(){}waitForStatus(l){return this.waitUntilStatusMatches((n=>{const u=(l,n)=>Object.entries(l).every((([l,e])=>{const t=n[l];return"object"==typeof e&&"object"==typeof t?u(e,t):e==t}));return u(l,n)}))}waitUntilStatusMatches(l){return new Promise((n=>{if(l(this.syncStatus))return void n();const u=this.registerListener({statusChanged:e=>{l(e)&&(n(),u?.())}})}))}get lastSyncedAt(){const l=this.syncStatus.lastSyncedAt;return l&&new Date(l)}get isConnected(){return this.syncStatus.connected}get logger(){return this.options.logger}async dispose(){this.crudUpdateListener?.(),this.crudUpdateListener=void 0}async hasCompletedSync(){return this.options.adapter.hasCompletedSync()}async getWriteCheckpoint(){let l=`/write-checkpoint2.json?client_id=${await this.options.adapter.getClientId()}`;return(await this.options.remote.get(l)).data.write_checkpoint}async _uploadAllCrud(){return this.obtainLock({type:Mr.CRUD,callback:async()=>{let l;for(;;){this.updateSyncStatus({dataFlow:{uploading:!0}});try{const n=await this.options.adapter.nextCrudItem();if(!n){await this.options.adapter.updateLocalTarget((()=>this.getWriteCheckpoint()));break}if(n.clientId==l?.clientId)throw this.logger.warn("Potentially previously uploaded CRUD entries are still present in the upload queue.\nMake sure to handle uploads and complete CRUD transactions or batches by calling and awaiting their [.complete()] method.\nThe next upload iteration will be delayed."),new Error("Delaying due to previously encountered CRUD item.");l=n,await this.options.uploadCrud()}catch(n){if(l=void 0,this.updateSyncStatus({dataFlow:{uploading:!1}}),await this.delayRetry(),!this.isConnected)break;this.logger.debug(`Caught exception when uploading. Upload will retry after a delay. Exception: ${n.message}`)}finally{this.updateSyncStatus({dataFlow:{uploading:!1}})}}}})}async connect(l){return this.abortController&&await this.disconnect(),this.abortController=new AbortController,this.streamingSyncPromise=this.streamingSync(this.abortController.signal,l),new Promise((l=>{const n=this.registerListener({statusUpdated:u=>{void 0!==u.connected&&(0==u.connected&&this.logger.warn("Initial connect attempt did not successfully connect to server"),l(),n())}})}))}async disconnect(){if(this.abortController){this.abortController.signal.aborted||this.abortController.abort(new P("Disconnect has been requested"));try{await this.streamingSyncPromise}catch(l){this.logger.warn(l)}this.streamingSyncPromise=void 0,this.abortController=null,this.updateSyncStatus({connected:!1,connecting:!1})}}async streamingSync(l,n){l||(this.abortController=new AbortController,l=this.abortController.signal),this.crudUpdateListener=this.options.adapter.registerListener({crudUpdate:()=>this.triggerCrudUpload()});let u=new AbortController;for(l.addEventListener("abort",(()=>{u.abort(l?.reason??new P("Received command to disconnect from upstream")),this.crudUpdateListener?.(),this.crudUpdateListener=void 0,this.updateSyncStatus({connected:!1,connecting:!1,dataFlow:{downloading:!1}})}));;){this.updateSyncStatus({connecting:!0});try{if(l?.aborted)break;const{retry:e}=await this.streamingSyncIteration(u.signal,n);if(!e)break}catch(l){l instanceof P?this.logger.warn(l):this.logger.error(l),await this.delayRetry()}finally{l.aborted||(u.abort(new P("Closing sync stream network requests before retry.")),u=new AbortController),this.updateSyncStatus({connected:!1,connecting:!0})}}this.updateSyncStatus({connected:!1,connecting:!1})}async collectLocalBucketState(){const l=await this.options.adapter.getBucketStates(),n=l.map((l=>({name:l.bucket,after:l.op_id}))),u=new Map;for(const n of l)u.set(n.bucket,null);return[n,u]}async streamingSyncIteration(l,n){return await this.obtainLock({type:Mr.SYNC,signal:l,callback:async()=>{const u={...Qr,...n??{}};this.logger.debug("Streaming sync iteration started"),this.options.adapter.startSession();let[e,t]=await this.collectLocalBucketState(),r=null,o=null,i=null;const a=await this.options.adapter.getClientId();this.logger.debug("Requesting stream from server");const s={path:"/sync/stream",abortSignal:l,data:{buckets:e,include_checksum:!0,raw_data:!0,parameters:u.params,client_id:a}};let c;for(c=u?.connectionMethod==qr.HTTP?await this.options.remote.postStream(s):await this.options.remote.socketStream({...s,fetchStrategy:u.fetchStrategy}),this.logger.debug("Stream established. Processing events");!c.closed;){const l=await c.read();if(!l)return{retry:!0};if(this.syncStatus.connected||(Promise.resolve().then((()=>this.triggerCrudUpload())),this.updateSyncStatus({connected:!0})),Lr(l)){r=l.checkpoint;const n=new Set(t.keys()),u=new Map;for(const e of l.checkpoint.buckets)u.set(e.bucket,{name:e.bucket,priority:e.priority??3}),n.delete(e.bucket);n.size>0&&this.logger.debug("Removing buckets",[...n]),t=u,await this.options.adapter.removeBuckets([...n]),await this.options.adapter.setTargetCheckpoint(r)}else if(Nr(l)){this.logger.debug("Checkpoint complete",r);const l=await this.options.adapter.syncLocalDatabase(r);if(!l.checkpointValid)return await new Promise((l=>setTimeout(l,50))),{retry:!0};l.ready&&(i=r,this.logger.debug("validated checkpoint",i),this.updateSyncStatus({connected:!0,lastSyncedAt:new Date,dataFlow:{downloading:!1}})),o=r}else if(xr(l)){const n=l.partial_checkpoint_complete.priority;this.logger.debug("Partial checkpoint complete",n);const u=await this.options.adapter.syncLocalDatabase(r,n);if(!u.checkpointValid)return await new Promise((l=>setTimeout(l,50))),{retry:!0};if(u.ready){this.logger.debug("partial checkpoint validation succeeded");const l=this.syncStatus.priorityStatusEntries.filter((l=>l.priority<=n));l.push({priority:n,lastSyncedAt:new Date,hasSynced:!0}),this.updateSyncStatus({connected:!0,priorityStatusEntries:l})}else;}else if(Ur(l)){if(null==r)throw new Error("Checkpoint diff without previous checkpoint");const n=l.checkpoint_diff,u=new Map;for(const l of r.buckets)u.set(l.bucket,l);for(const l of n.updated_buckets)u.set(l.bucket,l);for(const l of n.removed_buckets)u.delete(l);r={last_op_id:n.last_op_id,buckets:[...u.values()],write_checkpoint:n.write_checkpoint},t=new Map,u.forEach(((l,n)=>t.set(n,{name:l.bucket,priority:l.priority??3})));const e=n.removed_buckets;e.length>0&&this.logger.debug("Remove buckets",e),await this.options.adapter.removeBuckets(e),await this.options.adapter.setTargetCheckpoint(r)}else if(kr(l)){const{data:n}=l;this.updateSyncStatus({dataFlow:{downloading:!0}}),await this.options.adapter.saveSyncData({buckets:[x.fromRow(n)]})}else if(Pr(l)){if(0==l.token_expires_in)return this.logger.debug("Token expiring; reconnect"),await this.delayRetry(),{retry:!0};this.triggerCrudUpload()}else if(this.logger.debug("Sync complete"),r===i)this.updateSyncStatus({connected:!0,lastSyncedAt:new Date,priorityStatusEntries:[]});else if(o===r){const l=await this.options.adapter.syncLocalDatabase(r);if(!l.checkpointValid)return await new Promise((l=>setTimeout(l,50))),{retry:!1};l.ready&&(i=r,this.updateSyncStatus({connected:!0,lastSyncedAt:new Date,priorityStatusEntries:[],dataFlow:{downloading:!1}}))}}return this.logger.debug("Stream input empty"),{retry:!0}}})}updateSyncStatus(l){const n=new g({connected:l.connected??this.syncStatus.connected,connecting:!l.connected&&(l.connecting??this.syncStatus.connecting),lastSyncedAt:l.lastSyncedAt??this.syncStatus.lastSyncedAt,dataFlow:{...this.syncStatus.dataFlowStatus,...l.dataFlow},priorityStatusEntries:l.priorityStatusEntries??this.syncStatus.priorityStatusEntries});this.syncStatus.isEqual(n)||(this.syncStatus=n,this.iterateListeners((l=>l.statusChanged?.(n)))),this.iterateListeners((n=>n.statusUpdated?.(l)))}async delayRetry(){return new Promise((l=>setTimeout(l,this.options.retryDelayMs)))}}const Hr=/(^ps_data__|^ps_data_local__)/,Vr={clearLocal:!0},Jr={disconnect:!0},Yr=30,Xr={retryDelayMs:5e3,logger:js_logger__WEBPACK_IMPORTED_MODULE_0__.get("PowerSyncDatabase"),crudUploadThrottleMs:jr},Gr=100,Kr=12e4,Zr=l=>"object"==typeof l&&_(l.database);class lo extends v{options;static transactionMutex=new r;closed;ready;currentStatus;syncStreamImplementation;sdkVersion;bucketStorageAdapter;syncStatusListenerDisposer;_isReadyPromise;_schema;_database;constructor(l){super(),this.options=l;const{database:n,schema:u}=l;if("function"!=typeof u?.toJSON)throw new Error("The `schema` option should be provided and should be an instance of `Schema`.");if(T(n))this._database=n;else if(S(n))this._database=n.openDB();else{if(!Zr(l))throw new Error("The provided `database` option is invalid.");this._database=this.openDBAdapter(l)}this.bucketStorageAdapter=this.generateBucketStorageAdapter(),this.closed=!1,this.currentStatus=new g({}),this.options={...Xr,...l},this._schema=u,this.ready=!1,this.sdkVersion="",this._isReadyPromise=this.initialize()}get schema(){return this._schema}get database(){return this._database}get connected(){return this.currentStatus?.connected||!1}get connecting(){return this.currentStatus?.connecting||!1}async waitForReady(){this.ready||await this._isReadyPromise}async waitForFirstSync(l){const n=l instanceof AbortSignal?l:l?.signal,u=l&&"priority"in l?l.priority:void 0,e=void 0===u?l=>l.hasSynced:l=>l.statusForPriority(u).hasSynced;if(!e(this.currentStatus))return new Promise((l=>{const u=this.registerListener({statusChanged:n=>{e(n)&&(u(),l())}});n?.addEventListener("abort",(()=>{u(),l()}))}))}async initialize(){await this._initialize(),await this.bucketStorageAdapter.init(),await this._loadVersion(),await this.updateSchema(this.options.schema),await this.updateHasSynced(),await this.database.execute("PRAGMA RECURSIVE_TRIGGERS=TRUE"),this.ready=!0,this.iterateListeners((l=>l.initialized?.()))}async _loadVersion(){try{const{version:l}=await this.database.get("SELECT powersync_rs_version() as version");this.sdkVersion=l}catch(l){throw new Error(`The powersync extension is not loaded correctly. Details: ${l.message}`)}let l;try{l=this.sdkVersion.split(/[.\/]/).slice(0,3).map((l=>parseInt(l)))}catch(l){throw new Error(`Unsupported powersync extension version. Need >=0.3.11 <1.0.0, got: ${this.sdkVersion}. Details: ${l.message}`)}if(0!=l[0]||l[1]<3||3==l[1]&&l[2]<11)throw new Error(`Unsupported powersync extension version. Need >=0.3.11 <1.0.0, got: ${this.sdkVersion}`)}async updateHasSynced(){const l=await this.database.getAll("SELECT priority, last_synced_at FROM ps_sync_state ORDER BY priority DESC");let n;const u=[];for(const{priority:e,last_synced_at:t}of l){const l=new Date(t+"Z");2147483647==e?n=l:u.push({priority:e,hasSynced:!0,lastSyncedAt:l})}const e=null!=n,t=new g({...this.currentStatus.toJSON(),hasSynced:e,priorityStatusEntries:u,lastSyncedAt:n});t.isEqual(this.currentStatus)||(this.currentStatus=t,this.iterateListeners((l=>l.statusChanged?.(this.currentStatus))))}async updateSchema(l){if(this.syncStreamImplementation)throw new Error("Cannot update schema while connected");try{l.validate()}catch(l){this.options.logger?.warn("Schema validation failed. Unexpected behaviour could occur",l)}this._schema=l,await this.database.execute("SELECT powersync_replace_schema(?)",[JSON.stringify(this.schema.toJSON())]),await this.database.refreshSchema(),this.iterateListeners((async n=>n.schemaChanged?.(l)))}async init(){return this.waitForReady()}resolvedConnectionOptions(l){return{retryDelayMs:l?.retryDelayMs??this.options.retryDelayMs??this.options.retryDelay??Wr,crudUploadThrottleMs:l?.crudUploadThrottleMs??this.options.crudUploadThrottleMs??jr}}async connect(l,n){if(await this.waitForReady(),await this.disconnect(),this.closed)throw new Error("Cannot connect using a closed client");const{retryDelayMs:u,crudUploadThrottleMs:e}=this.resolvedConnectionOptions(n);this.syncStreamImplementation=this.generateSyncStreamImplementation(l,{retryDelayMs:u,crudUploadThrottleMs:e}),this.syncStatusListenerDisposer=this.syncStreamImplementation.registerListener({statusChanged:l=>{this.currentStatus=new g({...l.toJSON(),hasSynced:this.currentStatus?.hasSynced||!!l.lastSyncedAt}),this.iterateListeners((l=>l.statusChanged?.(this.currentStatus)))}}),await this.syncStreamImplementation.waitForReady(),this.syncStreamImplementation.triggerCrudUpload(),await this.syncStreamImplementation.connect(n)}async disconnect(){await this.waitForReady(),await(this.syncStreamImplementation?.disconnect()),this.syncStatusListenerDisposer?.(),await(this.syncStreamImplementation?.dispose()),this.syncStreamImplementation=void 0}async disconnectAndClear(l=Vr){await this.disconnect(),await this.waitForReady();const{clearLocal:n}=l;await this.database.writeTransaction((async l=>{await l.execute("SELECT powersync_clear(?)",[n?1:0])})),this.currentStatus=new g({}),this.iterateListeners((l=>l.statusChanged?.(this.currentStatus)))}async close(l=Jr){if(await this.waitForReady(),this.closed)return;const{disconnect:n}=l;n&&await this.disconnect(),await(this.syncStreamImplementation?.dispose()),await this.database.close(),this.closed=!0}async getUploadQueueStats(l){return this.readTransaction((async n=>{if(l){const l=(await n.execute(`SELECT SUM(cast(data as blob) + 20) as size, count(*) as count FROM ${A.CRUD}`)).rows.item(0);return new b(l?.count??0,l?.size??0)}{const l=(await n.execute(`SELECT count(*) as count FROM ${A.CRUD}`)).rows.item(0);return new b(l?.count??0)}}))}async getCrudBatch(l=100){const n=(await this.getAll(`SELECT id, tx_id, data FROM ${A.CRUD} ORDER BY id ASC LIMIT ?`,[l+1])).map((l=>I.fromRow(l)))??[];let u=!1;if(n.length>l&&(n.pop(),u=!0),0==n.length)return null;const e=n[n.length-1];return new F(n,u,(async l=>this.handleCrudCheckpoint(e.clientId,l)))}async getNextCrudTransaction(){return await this.readTransaction((async l=>{const n=await l.getOptional(`SELECT id, tx_id, data FROM ${A.CRUD} ORDER BY id ASC LIMIT 1`);if(!n)return null;const u=n.tx_id;let e;if(u){e=(await l.getAll(`SELECT id, tx_id, data FROM ${A.CRUD} WHERE tx_id = ? ORDER BY id ASC`,[u])).map((l=>I.fromRow(l)))}else e=[I.fromRow(n)];const t=e[e.length-1];return new k(e,(async l=>this.handleCrudCheckpoint(t.clientId,l)),u)}))}async getClientId(){return this.bucketStorageAdapter.getClientId()}async handleCrudCheckpoint(l,n){return this.writeTransaction((async u=>{if(await u.execute(`DELETE FROM ${A.CRUD} WHERE id <= ?`,[l]),n){const l=await u.execute(`SELECT 1 FROM ${A.CRUD} LIMIT 1`);l.rows?.length||await u.execute(`UPDATE ${A.BUCKETS} SET target_op = CAST(? as INTEGER) WHERE name='$local'`,[n])}else await u.execute(`UPDATE ${A.BUCKETS} SET target_op = CAST(? as INTEGER) WHERE name='$local'`,[this.bucketStorageAdapter.getMaxOpId()])}))}async execute(l,n){return await this.waitForReady(),this.database.execute(l,n)}async executeBatch(l,n){return await this.waitForReady(),this.database.executeBatch(l,n)}async getAll(l,n){return await this.waitForReady(),this.database.getAll(l,n)}async getOptional(l,n){return await this.waitForReady(),this.database.getOptional(l,n)}async get(l,n){return await this.waitForReady(),this.database.get(l,n)}async readLock(l){return await this.waitForReady(),w(lo.transactionMutex,(()=>l(this.database)))}async writeLock(l){return await this.waitForReady(),w(lo.transactionMutex,(async()=>await l(this.database)))}async readTransaction(l,n=12e4){return await this.waitForReady(),this.database.readTransaction((async n=>{const u=await l({...n});return await n.rollback(),u}),{timeoutMs:n})}async writeTransaction(l,n=12e4){return await this.waitForReady(),this.database.writeTransaction((async n=>{const u=await l(n);return await n.commit(),u}),{timeoutMs:n})}watch(l,n,u,e){if(u&&"object"==typeof u&&"onResult"in u){const t=u,r=e;return this.watchWithCallback(l,n,t,r)}const t=u;return this.watchWithAsyncGenerator(l,n,t)}watchWithCallback(l,n,u,e){const{onResult:t,onError:r=l=>this.options.logger?.error(l)}=u??{};if(!t)throw new Error("onResult is required");R((async u=>{try{const o=await this.resolveTables(l,n,e),i=await this.executeReadOnly(l,n);t(i),this.onChangeWithCallback({onChange:async()=>{try{const u=await this.executeReadOnly(l,n);t(u)}catch(l){r?.(l)}},onError:r},{...e??{},tables:o,signal:u})}catch(l){r?.(l)}}),this,e)}watchWithAsyncGenerator(l,n,u){return new p((e=>{const t={onResult:l=>{e.push(l)},onError:l=>{e.fail(l)}};this.watchWithCallback(l,n,t,u),u?.signal?.addEventListener("abort",(()=>{e.stop()}))}))}async resolveTables(l,n,u){const e=u?.tables?[...u.tables]:[];if(!u?.tables){const u=(await this.getAll(`EXPLAIN ${l}`,n)).filter((l=>"OpenRead"==l.opcode&&0==l.p3&&"number"==typeof l.p2)).map((l=>l.p2)),t=await this.getAll("SELECT DISTINCT tbl_name FROM sqlite_master WHERE rootpage IN (SELECT json_each.value FROM json_each(?))",[JSON.stringify(u)]);for(const l of t)e.push(l.tbl_name.replace(Hr,""))}return e}onChange(l,n){if(l&&"object"==typeof l&&"onChange"in l){const u=l,e=n;return this.onChangeWithCallback(u,e)}const u=l;return this.onChangeWithAsyncGenerator(u)}onChangeWithCallback(l,n){const{onChange:u,onError:e=l=>this.options.logger?.error(l)}=l??{};if(!u)throw new Error("onChange is required");const t=n??{},r=new Set((t?.tables??[]).flatMap((l=>[l,`ps_data__${l}`,`ps_data_local__${l}`]))),o=new Set,i=t.throttleMs??30,a=new E((async l=>{await u(l)})),s=function(l,n){let u=null;const e=()=>{l(),u=null};return function(){null==u&&(u=setTimeout(e,n))}}((()=>this.handleTableChanges(o,r,(l=>{t?.signal?.aborted||a.schedule({changedTables:l})}))),i),c=this.database.registerListener({tablesUpdated:async l=>{try{this.processTableUpdates(l,o),s()}catch(l){e?.(l)}}});return t.signal?.addEventListener("abort",(()=>{a.dispose(),c()})),()=>c()}onChangeWithAsyncGenerator(l){const n=l??{};return new p((u=>{const e=this.onChangeWithCallback({onChange:l=>{u.push(l)},onError:l=>{u.fail(l)}},l);return n.signal?.addEventListener("abort",(()=>{u.stop()})),()=>e()}))}handleTableChanges(l,n,u){if(l.size>0){const e=Array.from(l.values()).filter((l=>n.has(l)));e.length&&u(e)}l.clear()}processTableUpdates(l,n){const u=y(l)?l.tables:[l.table];for(const l of u)n.add(l)}async executeReadOnly(l,n){return await this.waitForReady(),this.database.readLock((u=>u.execute(l,n)))}}class no{options;constructor(n){this.options=n,n.logger=n.logger??js_logger__WEBPACK_IMPORTED_MODULE_0__.get(`PowerSync ${this.options.dbFilename}`)}get schema(){return this.options.schema}generateOptions(){return{database:this.openDB(),...this.options}}getInstance(){const l=this.generateOptions();return this.generateInstance(l)}}function uo(l,n,u,e){const{onResult:t,onError:r=l=>{}}=u??{};if(!t)throw new Error("onResult is required");R((async u=>{try{const o=n.compile(),i=await l.resolveTables(o.sql,o.parameters,e),a=await n.execute();t(a),l.onChangeWithCallback({onChange:async()=>{try{const l=await n.execute();t(l)}catch(l){r(l)}},onError:r},{...e??{},tables:i,signal:u})}catch(l){r(l)}}),l,e)}const eo="9223372036854775807",to=1e3;class ro extends v{db;mutex;logger;tableNames;pendingBucketDeletes;_hasCompletedSync;updateListener;_clientId;compactCounter=to;constructor(n,u,e=js_logger__WEBPACK_IMPORTED_MODULE_0__.get("SqliteBucketStorage")){super(),this.db=n,this.mutex=u,this.logger=e,this._hasCompletedSync=!1,this.pendingBucketDeletes=!0,this.tableNames=new Set,this.updateListener=n.registerListener({tablesUpdated:l=>{m(l).includes(A.CRUD)&&this.iterateListeners((l=>l.crudUpdate?.()))}})}async init(){this._hasCompletedSync=!1;const l=await this.db.getAll("SELECT name FROM sqlite_master WHERE type='table' AND name GLOB 'ps_data_*'");for(const n of l??[])this.tableNames.add(n.name)}async dispose(){this.updateListener?.()}async _getClientId(){return(await this.db.get("SELECT powersync_client_id() as client_id")).client_id}getClientId(){return null==this._clientId&&(this._clientId=this._getClientId()),this._clientId}getMaxOpId(){return eo}startSession(){}async getBucketStates(){return await this.db.getAll("SELECT name as bucket, cast(last_op as TEXT) as op_id FROM ps_buckets WHERE pending_delete = 0 AND name != '$local'")}async saveSyncData(l){await this.writeTransaction((async n=>{let u=0;for(const e of l.buckets){const l=await n.execute("INSERT INTO powersync_operations(op, data) VALUES(?, ?)",["save",JSON.stringify({buckets:[e.toJSON()]})]);this.logger.debug("saveSyncData",JSON.stringify(l)),u+=e.data.length}this.compactCounter+=u}))}async removeBuckets(l){for(const n of l)await this.deleteBucket(n)}async deleteBucket(l){await this.writeTransaction((async n=>{await n.execute("INSERT INTO powersync_operations(op, data) VALUES(?, ?)",["delete_bucket",l])})),this.logger.debug("done deleting bucket"),this.pendingBucketDeletes=!0}async hasCompletedSync(){if(this._hasCompletedSync)return!0;const l=null!=(await this.db.get("SELECT powersync_last_synced_at() as synced_at")).synced_at;return l&&(this._hasCompletedSync=!0),l}async syncLocalDatabase(l,n){const u=await this.validateChecksums(l,n);if(!u.checkpointValid){this.logger.error("Checksums failed for",u.checkpointFailures);for(const l of u.checkpointFailures??[])await this.deleteBucket(l);return{ready:!1,checkpointValid:!1,checkpointFailures:u.checkpointFailures}}const e=l.buckets;void 0!==n&&e.filter((l=>oo(n,l)));const t=e.map((l=>l.bucket));await this.writeTransaction((async u=>{await u.execute("UPDATE ps_buckets SET last_op = ? WHERE name IN (SELECT json_each.value FROM json_each(?))",[l.last_op_id,JSON.stringify(t)]),null==n&&l.write_checkpoint&&await u.execute("UPDATE ps_buckets SET last_op = ? WHERE name = '$local'",[l.write_checkpoint])}));return await this.updateObjectsFromBuckets(l,n)?(await this.forceCompact(),{ready:!0,checkpointValid:!0}):(this.logger.debug("Not at a consistent checkpoint - cannot update local db"),{ready:!1,checkpointValid:!0})}async updateObjectsFromBuckets(l,n){let u="";if(void 0!==n){const e=[];for(const u of l.buckets)oo(n,u)&&e.push(u.bucket);u=JSON.stringify({priority:n,buckets:e})}return this.writeTransaction((async l=>{const{insertId:n}=await l.execute("INSERT INTO powersync_operations(op, data) VALUES(?, ?)",["sync_local",u]);return 1==n}))}async validateChecksums(l,n){if(void 0!==n){const u=l.buckets.filter((l=>oo(n,l)));l={...l,buckets:u}}const u=await this.db.execute("SELECT powersync_validate_checkpoint(?) as result",[JSON.stringify({...l})]),e=u.rows?.item(0);if(this.logger.debug("validateChecksums priority, checkpoint, result item",n,l,e),!e)return{checkpointValid:!1,ready:!1,checkpointFailures:[]};const t=JSON.parse(e.result);return t.valid?{ready:!0,checkpointValid:!0}:{checkpointValid:!1,ready:!1,checkpointFailures:t.failed_buckets}}async forceCompact(){this.compactCounter=to,this.pendingBucketDeletes=!0,await this.autoCompact()}async autoCompact(){await this.deletePendingBuckets(),await this.clearRemoveOps()}async deletePendingBuckets(){!1!==this.pendingBucketDeletes&&(await this.writeTransaction((async l=>{await l.execute("INSERT INTO powersync_operations(op, data) VALUES (?, ?)",["delete_pending_buckets",""])})),this.pendingBucketDeletes=!1)}async clearRemoveOps(){this.compactCounter<to||(await this.writeTransaction((async l=>{await l.execute("INSERT INTO powersync_operations(op, data) VALUES (?, ?)",["clear_remove_ops",""])})),this.compactCounter=0)}async updateLocalTarget(l){if(!(await this.db.getAll("SELECT target_op FROM ps_buckets WHERE name = '$local' AND target_op = CAST(? as INTEGER)",[eo])).length)return!1;const n=await this.db.getAll("SELECT seq FROM sqlite_sequence WHERE name = 'ps_crud'");if(!n.length)return!1;const u=n[0].seq,e=await l();return this.logger.debug(`[updateLocalTarget] Updating target to checkpoint ${e}`),this.writeTransaction((async l=>{const n=await l.execute("SELECT 1 FROM ps_crud LIMIT 1");if(n.rows?.length)return this.logger.debug("updateLocalTarget","ps crud is not empty"),!1;const t=await l.execute("SELECT seq FROM sqlite_sequence WHERE name = 'ps_crud'");if(!t.rows?.length)throw new Error("SQlite Sequence should not be empty");const r=t.rows?.item(0).seq;if(this.logger.debug("seqAfter",JSON.stringify(t.rows?.item(0))),r!=u)return this.logger.debug("seqAfter != seqBefore",r,u),!1;const o=await l.execute("UPDATE ps_buckets SET target_op = CAST(? as INTEGER) WHERE name='$local'",[e]);return this.logger.debug(["[updateLocalTarget] Response from updating target_op ",JSON.stringify(o)]),!0}))}async nextCrudItem(){const l=await this.db.getOptional("SELECT * FROM ps_crud ORDER BY id ASC LIMIT 1");if(l)return I.fromRow(l)}async hasCrud(){return!!await this.db.getOptional("SELECT 1 FROM ps_crud LIMIT 1")}async getCrudBatch(l=100){if(!await this.hasCrud())return null;const n=await this.db.getAll("SELECT * FROM ps_crud ORDER BY id ASC LIMIT ?",[l]),u=[];for(const l of n)u.push(I.fromRow(l));if(0===u.length)return null;const e=u[u.length-1];return{crud:u,haveMore:!0,complete:async l=>this.writeTransaction((async n=>{if(await n.execute("DELETE FROM ps_crud WHERE id <= ?",[e.clientId]),l){const u=await n.execute("SELECT 1 FROM ps_crud LIMIT 1");u.rows?.length&&await n.execute("UPDATE ps_buckets SET target_op = CAST(? as INTEGER) WHERE name='$local'",[l])}else await n.execute("UPDATE ps_buckets SET target_op = CAST(? as INTEGER) WHERE name='$local'",[this.getMaxOpId()])}))}}async writeTransaction(l,n){return this.db.writeTransaction(l,n)}async setTargetCheckpoint(l){}}function oo(l,n){return null!=n.priority&&n.priority<=l}class io{buckets;static fromJSON(l){return new io(l.buckets.map((l=>x.fromRow(l))))}constructor(l){this.buckets=l}}var ao;!function(l){l.TEXT="TEXT",l.INTEGER="INTEGER",l.REAL="REAL"}(ao||(ao={}));const so={type:ao.TEXT},co={type:ao.INTEGER},ho={type:ao.REAL},fo=1999,po={text:so,integer:co,real:ho};class yo{options;constructor(l){this.options=l}get name(){return this.options.name}get type(){return this.options.type}toJSON(){return{name:this.name,type:this.type}}}const mo={ascending:!0};class go{options;static createAscending(l){return new go({name:l,ascending:!0})}constructor(l){this.options={...mo,...l}}get name(){return this.options.name}get ascending(){return this.options.ascending}toJSON(l){return{name:this.name,ascending:this.ascending,type:l.columns.find((l=>l.name===this.name))?.type??ao.TEXT}}}const bo={columns:[]};class vo{options;static createAscending(l,n){return new vo({...l,columns:n.map((l=>go.createAscending(l)))})}constructor(l){this.options=l,this.options={...bo,...l}}get name(){return this.options.name}get columns(){return this.options.columns??[]}toJSON(l){return{name:this.name,columns:this.columns.map((n=>n.toJSON(l)))}}}const Eo={indexes:[],insertOnly:!1,localOnly:!1},wo=/["'%,.#\s[\]]/;class _o{options;_mappedColumns;static createLocalOnly(l){return new _o({...l,localOnly:!0,insertOnly:!1})}static createInsertOnly(l){return new _o({...l,localOnly:!1,insertOnly:!0})}static createTable(l,n){return new _o({name:l,columns:n.columns,indexes:n.indexes,localOnly:n.options.localOnly,insertOnly:n.options.insertOnly,viewName:n.options.viewName})}constructor(l,n){this.isTableV1(l)?this.initTableV1(l):this.initTableV2(l,n)}isTableV1(l){return"columns"in l&&Array.isArray(l.columns)}initTableV1(l){this.options={...l,indexes:l.indexes||[],insertOnly:l.insertOnly??Eo.insertOnly,localOnly:l.localOnly??Eo.localOnly}}initTableV2(l,n){const u=Object.entries(l).map((([l,n])=>new yo({name:l,type:n.type}))),e=Object.entries(n?.indexes??{}).map((([l,n])=>new vo({name:l,columns:n.map((l=>new go({name:l.replace(/^-/,""),ascending:!l.startsWith("-")})))})));this.options={name:"",columns:u,indexes:e,insertOnly:n?.insertOnly??Eo.insertOnly,localOnly:n?.localOnly??Eo.localOnly,viewName:n?.viewName},this._mappedColumns=l}get name(){return this.options.name}get viewNameOverride(){return this.options.viewName}get viewName(){return this.viewNameOverride??this.name}get columns(){return this.options.columns}get columnMap(){return this._mappedColumns??this.columns.reduce(((l,n)=>(l[n.name]={type:n.type??ao.TEXT},l)),{})}get indexes(){return this.options.indexes??[]}get localOnly(){return this.options.localOnly??!1}get insertOnly(){return this.options.insertOnly??!1}get internalName(){return this.options.localOnly?`ps_data_local__${this.name}`:`ps_data__${this.name}`}get validName(){return!wo.test(this.name)&&(null==this.viewNameOverride||!wo.test(this.viewNameOverride))}validate(){if(wo.test(this.name))throw new Error(`Invalid characters in table name: ${this.name}`);if(this.viewNameOverride&&wo.test(this.viewNameOverride))throw new Error(`Invalid characters in view name: ${this.viewNameOverride}`);if(this.columns.length>fo)throw new Error("Table has too many columns. The maximum number of columns is 1999.");const l=new Set;l.add("id");for(const n of this.columns){const{name:u}=n;if("id"===n.name)throw new Error("An id column is automatically added, custom id columns are not supported");if(l.has(u))throw new Error(`Duplicate column ${u}`);if(wo.test(u))throw new Error(`Invalid characters in column name: ${n.name}`);l.add(u)}const n=new Set;for(const u of this.indexes){if(n.has(u.name))throw new Error(`Duplicate index ${u.name}`);if(wo.test(u.name))throw new Error(`Invalid characters in index name: ${u.name}`);for(const n of u.columns)if(!l.has(n.name))throw new Error(`Column ${n.name} not found for index ${u.name}`);n.add(u.name)}}toJSON(){return{name:this.name,view_name:this.viewName,local_only:this.localOnly,insert_only:this.insertOnly,columns:this.columns.map((l=>l.toJSON())),indexes:this.indexes.map((l=>l.toJSON(this)))}}}class So{types;props;tables;constructor(l){if(Array.isArray(l)){for(const n of l)if(""===n.name)throw new Error("It appears you are trying to create a new Schema with an array instead of an object. Passing in an object instead of an array into 'new Schema()' may resolve your issue.");this.tables=l}else this.props=l,this.tables=this.convertToClassicTables(this.props)}validate(){for(const l of this.tables)l.validate()}toJSON(){return{tables:this.tables.map((l=>l.toJSON()))}}convertToClassicTables(l){return Object.entries(l).map((([l,n])=>new _o({name:l,columns:n.columns,indexes:n.indexes,localOnly:n.localOnly,insertOnly:n.insertOnly,viewName:n.viewNameOverride||l})))}}class To extends _o{}const Ro=(l,n)=>{let u;if("string"==typeof l)u=l;else{if(n.length>0)throw new Error("You cannot pass parameters to a compiled query.");const e=l.compile();u=e.sql,n=e.parameters}return{sqlStatement:u,parameters:n}};
|
|
3131
|
+
!function(l){var n=pe,u=_e,e="function"==typeof Symbol&&"function"==typeof Symbol.for?Symbol.for("nodejs.util.inspect.custom"):null;l.Buffer=o,l.SlowBuffer=function(l){+l!=l&&(l=0);return o.alloc(+l)},l.INSPECT_MAX_BYTES=50;var t=2147483647;function r(l){if(l>t)throw new RangeError('The value "'+l+'" is invalid for option "size"');var n=new Uint8Array(l);return Object.setPrototypeOf(n,o.prototype),n}function o(l,n,u){if("number"==typeof l){if("string"==typeof n)throw new TypeError('The "string" argument must be of type string. Received type number');return s(l)}return i(l,n,u)}function i(l,n,u){if("string"==typeof l)return function(l,n){"string"==typeof n&&""!==n||(n="utf8");if(!o.isEncoding(n))throw new TypeError("Unknown encoding: "+n);var u=0|f(l,n),e=r(u),t=e.write(l,n);t!==u&&(e=e.slice(0,t));return e}(l,n);if(ArrayBuffer.isView(l))return function(l){if(M(l,Uint8Array)){var n=new Uint8Array(l);return d(n.buffer,n.byteOffset,n.byteLength)}return c(l)}(l);if(null==l)throw new TypeError("The first argument must be one of type string, Buffer, ArrayBuffer, Array, or Array-like Object. Received type "+typeof l);if(M(l,ArrayBuffer)||l&&M(l.buffer,ArrayBuffer))return d(l,n,u);if("undefined"!=typeof SharedArrayBuffer&&(M(l,SharedArrayBuffer)||l&&M(l.buffer,SharedArrayBuffer)))return d(l,n,u);if("number"==typeof l)throw new TypeError('The "value" argument must not be of type number. Received type number');var e=l.valueOf&&l.valueOf();if(null!=e&&e!==l)return o.from(e,n,u);var t=function(l){if(o.isBuffer(l)){var n=0|h(l.length),u=r(n);return 0===u.length||l.copy(u,0,0,n),u}if(void 0!==l.length)return"number"!=typeof l.length||q(l.length)?r(0):c(l);if("Buffer"===l.type&&Array.isArray(l.data))return c(l.data)}(l);if(t)return t;if("undefined"!=typeof Symbol&&null!=Symbol.toPrimitive&&"function"==typeof l[Symbol.toPrimitive])return o.from(l[Symbol.toPrimitive]("string"),n,u);throw new TypeError("The first argument must be one of type string, Buffer, ArrayBuffer, Array, or Array-like Object. Received type "+typeof l)}function a(l){if("number"!=typeof l)throw new TypeError('"size" argument must be of type number');if(l<0)throw new RangeError('The value "'+l+'" is invalid for option "size"')}function s(l){return a(l),r(l<0?0:0|h(l))}function c(l){for(var n=l.length<0?0:0|h(l.length),u=r(n),e=0;e<n;e+=1)u[e]=255&l[e];return u}function d(l,n,u){if(n<0||l.byteLength<n)throw new RangeError('"offset" is outside of buffer bounds');if(l.byteLength<n+(u||0))throw new RangeError('"length" is outside of buffer bounds');var e;return e=void 0===n&&void 0===u?new Uint8Array(l):void 0===u?new Uint8Array(l,n):new Uint8Array(l,n,u),Object.setPrototypeOf(e,o.prototype),e}function h(l){if(l>=t)throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+t.toString(16)+" bytes");return 0|l}function f(l,n){if(o.isBuffer(l))return l.length;if(ArrayBuffer.isView(l)||M(l,ArrayBuffer))return l.byteLength;if("string"!=typeof l)throw new TypeError('The "string" argument must be one of type string, Buffer, or ArrayBuffer. Received type '+typeof l);var u=l.length,e=arguments.length>2&&!0===arguments[2];if(!e&&0===u)return 0;for(var t=!1;;)switch(n){case"ascii":case"latin1":case"binary":return u;case"utf8":case"utf-8":return U(l).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*u;case"hex":return u>>>1;case"base64":return D(l).length;default:if(t)return e?-1:U(l).length;n=(""+n).toLowerCase(),t=!0}}function p(l,n,u){var e=!1;if((void 0===n||n<0)&&(n=0),n>this.length)return"";if((void 0===u||u>this.length)&&(u=this.length),u<=0)return"";if((u>>>=0)<=(n>>>=0))return"";for(l||(l="utf8");;)switch(l){case"hex":return C(this,n,u);case"utf8":case"utf-8":return T(this,n,u);case"ascii":return A(this,n,u);case"latin1":case"binary":return O(this,n,u);case"base64":return S(this,n,u);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return F(this,n,u);default:if(e)throw new TypeError("Unknown encoding: "+l);l=(l+"").toLowerCase(),e=!0}}function y(l,n,u){var e=l[n];l[n]=l[u],l[u]=e}function m(l,n,u,e,t){if(0===l.length)return-1;if("string"==typeof u?(e=u,u=0):u>2147483647?u=2147483647:u<-2147483648&&(u=-2147483648),q(u=+u)&&(u=t?0:l.length-1),u<0&&(u=l.length+u),u>=l.length){if(t)return-1;u=l.length-1}else if(u<0){if(!t)return-1;u=0}if("string"==typeof n&&(n=o.from(n,e)),o.isBuffer(n))return 0===n.length?-1:g(l,n,u,e,t);if("number"==typeof n)return n&=255,"function"==typeof Uint8Array.prototype.indexOf?t?Uint8Array.prototype.indexOf.call(l,n,u):Uint8Array.prototype.lastIndexOf.call(l,n,u):g(l,[n],u,e,t);throw new TypeError("val must be string, number or Buffer")}function g(l,n,u,e,t){var r,o=1,i=l.length,a=n.length;if(void 0!==e&&("ucs2"===(e=String(e).toLowerCase())||"ucs-2"===e||"utf16le"===e||"utf-16le"===e)){if(l.length<2||n.length<2)return-1;o=2,i/=2,a/=2,u/=2}function s(l,n){return 1===o?l[n]:l.readUInt16BE(n*o)}if(t){var c=-1;for(r=u;r<i;r++)if(s(l,r)===s(n,-1===c?0:r-c)){if(-1===c&&(c=r),r-c+1===a)return c*o}else-1!==c&&(r-=r-c),c=-1}else for(u+a>i&&(u=i-a),r=u;r>=0;r--){for(var d=!0,h=0;h<a;h++)if(s(l,r+h)!==s(n,h)){d=!1;break}if(d)return r}return-1}function b(l,n,u,e){u=Number(u)||0;var t=l.length-u;e?(e=Number(e))>t&&(e=t):e=t;var r=n.length;e>r/2&&(e=r/2);for(var o=0;o<e;++o){var i=parseInt(n.substr(2*o,2),16);if(q(i))return o;l[u+o]=i}return o}function v(l,n,u,e){return B(U(n,l.length-u),l,u,e)}function E(l,n,u,e){return B(function(l){for(var n=[],u=0;u<l.length;++u)n.push(255&l.charCodeAt(u));return n}(n),l,u,e)}function w(l,n,u,e){return B(D(n),l,u,e)}function _(l,n,u,e){return B(function(l,n){for(var u,e,t,r=[],o=0;o<l.length&&!((n-=2)<0);++o)e=(u=l.charCodeAt(o))>>8,t=u%256,r.push(t),r.push(e);return r}(n,l.length-u),l,u,e)}function S(l,u,e){return 0===u&&e===l.length?n.fromByteArray(l):n.fromByteArray(l.slice(u,e))}function T(l,n,u){u=Math.min(l.length,u);for(var e=[],t=n;t<u;){var r,o,i,a,s=l[t],c=null,d=s>239?4:s>223?3:s>191?2:1;if(t+d<=u)switch(d){case 1:s<128&&(c=s);break;case 2:128==(192&(r=l[t+1]))&&(a=(31&s)<<6|63&r)>127&&(c=a);break;case 3:r=l[t+1],o=l[t+2],128==(192&r)&&128==(192&o)&&(a=(15&s)<<12|(63&r)<<6|63&o)>2047&&(a<55296||a>57343)&&(c=a);break;case 4:r=l[t+1],o=l[t+2],i=l[t+3],128==(192&r)&&128==(192&o)&&128==(192&i)&&(a=(15&s)<<18|(63&r)<<12|(63&o)<<6|63&i)>65535&&a<1114112&&(c=a)}null===c?(c=65533,d=1):c>65535&&(c-=65536,e.push(c>>>10&1023|55296),c=56320|1023&c),e.push(c),t+=d}return function(l){var n=l.length;if(n<=R)return String.fromCharCode.apply(String,l);var u="",e=0;for(;e<n;)u+=String.fromCharCode.apply(String,l.slice(e,e+=R));return u}(e)}l.kMaxLength=t,o.TYPED_ARRAY_SUPPORT=function(){try{var l=new Uint8Array(1),n={foo:function(){return 42}};return Object.setPrototypeOf(n,Uint8Array.prototype),Object.setPrototypeOf(l,n),42===l.foo()}catch(l){return!1}}(),o.TYPED_ARRAY_SUPPORT||"undefined"==typeof console||"function"!=typeof console.error||console.error("This browser lacks typed array (Uint8Array) support which is required by `buffer` v5.x. Use `buffer` v4.x if you require old browser support."),Object.defineProperty(o.prototype,"parent",{enumerable:!0,get:function(){if(o.isBuffer(this))return this.buffer}}),Object.defineProperty(o.prototype,"offset",{enumerable:!0,get:function(){if(o.isBuffer(this))return this.byteOffset}}),o.poolSize=8192,o.from=function(l,n,u){return i(l,n,u)},Object.setPrototypeOf(o.prototype,Uint8Array.prototype),Object.setPrototypeOf(o,Uint8Array),o.alloc=function(l,n,u){return function(l,n,u){return a(l),l<=0?r(l):void 0!==n?"string"==typeof u?r(l).fill(n,u):r(l).fill(n):r(l)}(l,n,u)},o.allocUnsafe=function(l){return s(l)},o.allocUnsafeSlow=function(l){return s(l)},o.isBuffer=function(l){return null!=l&&!0===l._isBuffer&&l!==o.prototype},o.compare=function(l,n){if(M(l,Uint8Array)&&(l=o.from(l,l.offset,l.byteLength)),M(n,Uint8Array)&&(n=o.from(n,n.offset,n.byteLength)),!o.isBuffer(l)||!o.isBuffer(n))throw new TypeError('The "buf1", "buf2" arguments must be one of type Buffer or Uint8Array');if(l===n)return 0;for(var u=l.length,e=n.length,t=0,r=Math.min(u,e);t<r;++t)if(l[t]!==n[t]){u=l[t],e=n[t];break}return u<e?-1:e<u?1:0},o.isEncoding=function(l){switch(String(l).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},o.concat=function(l,n){if(!Array.isArray(l))throw new TypeError('"list" argument must be an Array of Buffers');if(0===l.length)return o.alloc(0);var u;if(void 0===n)for(n=0,u=0;u<l.length;++u)n+=l[u].length;var e=o.allocUnsafe(n),t=0;for(u=0;u<l.length;++u){var r=l[u];if(M(r,Uint8Array))t+r.length>e.length?o.from(r).copy(e,t):Uint8Array.prototype.set.call(e,r,t);else{if(!o.isBuffer(r))throw new TypeError('"list" argument must be an Array of Buffers');r.copy(e,t)}t+=r.length}return e},o.byteLength=f,o.prototype._isBuffer=!0,o.prototype.swap16=function(){var l=this.length;if(l%2!=0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var n=0;n<l;n+=2)y(this,n,n+1);return this},o.prototype.swap32=function(){var l=this.length;if(l%4!=0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var n=0;n<l;n+=4)y(this,n,n+3),y(this,n+1,n+2);return this},o.prototype.swap64=function(){var l=this.length;if(l%8!=0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var n=0;n<l;n+=8)y(this,n,n+7),y(this,n+1,n+6),y(this,n+2,n+5),y(this,n+3,n+4);return this},o.prototype.toString=function(){var l=this.length;return 0===l?"":0===arguments.length?T(this,0,l):p.apply(this,arguments)},o.prototype.toLocaleString=o.prototype.toString,o.prototype.equals=function(l){if(!o.isBuffer(l))throw new TypeError("Argument must be a Buffer");return this===l||0===o.compare(this,l)},o.prototype.inspect=function(){var n="",u=l.INSPECT_MAX_BYTES;return n=this.toString("hex",0,u).replace(/(.{2})/g,"$1 ").trim(),this.length>u&&(n+=" ... "),"<Buffer "+n+">"},e&&(o.prototype[e]=o.prototype.inspect),o.prototype.compare=function(l,n,u,e,t){if(M(l,Uint8Array)&&(l=o.from(l,l.offset,l.byteLength)),!o.isBuffer(l))throw new TypeError('The "target" argument must be one of type Buffer or Uint8Array. Received type '+typeof l);if(void 0===n&&(n=0),void 0===u&&(u=l?l.length:0),void 0===e&&(e=0),void 0===t&&(t=this.length),n<0||u>l.length||e<0||t>this.length)throw new RangeError("out of range index");if(e>=t&&n>=u)return 0;if(e>=t)return-1;if(n>=u)return 1;if(this===l)return 0;for(var r=(t>>>=0)-(e>>>=0),i=(u>>>=0)-(n>>>=0),a=Math.min(r,i),s=this.slice(e,t),c=l.slice(n,u),d=0;d<a;++d)if(s[d]!==c[d]){r=s[d],i=c[d];break}return r<i?-1:i<r?1:0},o.prototype.includes=function(l,n,u){return-1!==this.indexOf(l,n,u)},o.prototype.indexOf=function(l,n,u){return m(this,l,n,u,!0)},o.prototype.lastIndexOf=function(l,n,u){return m(this,l,n,u,!1)},o.prototype.write=function(l,n,u,e){if(void 0===n)e="utf8",u=this.length,n=0;else if(void 0===u&&"string"==typeof n)e=n,u=this.length,n=0;else{if(!isFinite(n))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");n>>>=0,isFinite(u)?(u>>>=0,void 0===e&&(e="utf8")):(e=u,u=void 0)}var t=this.length-n;if((void 0===u||u>t)&&(u=t),l.length>0&&(u<0||n<0)||n>this.length)throw new RangeError("Attempt to write outside buffer bounds");e||(e="utf8");for(var r=!1;;)switch(e){case"hex":return b(this,l,n,u);case"utf8":case"utf-8":return v(this,l,n,u);case"ascii":case"latin1":case"binary":return E(this,l,n,u);case"base64":return w(this,l,n,u);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return _(this,l,n,u);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(""+e).toLowerCase(),r=!0}},o.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var R=4096;function A(l,n,u){var e="";u=Math.min(l.length,u);for(var t=n;t<u;++t)e+=String.fromCharCode(127&l[t]);return e}function O(l,n,u){var e="";u=Math.min(l.length,u);for(var t=n;t<u;++t)e+=String.fromCharCode(l[t]);return e}function C(l,n,u){var e=l.length;(!n||n<0)&&(n=0),(!u||u<0||u>e)&&(u=e);for(var t="",r=n;r<u;++r)t+=j[l[r]];return t}function F(l,n,u){for(var e=l.slice(n,u),t="",r=0;r<e.length-1;r+=2)t+=String.fromCharCode(e[r]+256*e[r+1]);return t}function I(l,n,u){if(l%1!=0||l<0)throw new RangeError("offset is not uint");if(l+n>u)throw new RangeError("Trying to access beyond buffer length")}function k(l,n,u,e,t,r){if(!o.isBuffer(l))throw new TypeError('"buffer" argument must be a Buffer instance');if(n>t||n<r)throw new RangeError('"value" argument is out of bounds');if(u+e>l.length)throw new RangeError("Index out of range")}function P(l,n,u,e,t,r){if(u+e>l.length)throw new RangeError("Index out of range");if(u<0)throw new RangeError("Index out of range")}function L(l,n,e,t,r){return n=+n,e>>>=0,r||P(l,0,e,4),u.write(l,n,e,t,23,4),e+4}function N(l,n,e,t,r){return n=+n,e>>>=0,r||P(l,0,e,8),u.write(l,n,e,t,52,8),e+8}o.prototype.slice=function(l,n){var u=this.length;(l=~~l)<0?(l+=u)<0&&(l=0):l>u&&(l=u),(n=void 0===n?u:~~n)<0?(n+=u)<0&&(n=0):n>u&&(n=u),n<l&&(n=l);var e=this.subarray(l,n);return Object.setPrototypeOf(e,o.prototype),e},o.prototype.readUintLE=o.prototype.readUIntLE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=this[l],t=1,r=0;++r<n&&(t*=256);)e+=this[l+r]*t;return e},o.prototype.readUintBE=o.prototype.readUIntBE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=this[l+--n],t=1;n>0&&(t*=256);)e+=this[l+--n]*t;return e},o.prototype.readUint8=o.prototype.readUInt8=function(l,n){return l>>>=0,n||I(l,1,this.length),this[l]},o.prototype.readUint16LE=o.prototype.readUInt16LE=function(l,n){return l>>>=0,n||I(l,2,this.length),this[l]|this[l+1]<<8},o.prototype.readUint16BE=o.prototype.readUInt16BE=function(l,n){return l>>>=0,n||I(l,2,this.length),this[l]<<8|this[l+1]},o.prototype.readUint32LE=o.prototype.readUInt32LE=function(l,n){return l>>>=0,n||I(l,4,this.length),(this[l]|this[l+1]<<8|this[l+2]<<16)+16777216*this[l+3]},o.prototype.readUint32BE=o.prototype.readUInt32BE=function(l,n){return l>>>=0,n||I(l,4,this.length),16777216*this[l]+(this[l+1]<<16|this[l+2]<<8|this[l+3])},o.prototype.readIntLE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=this[l],t=1,r=0;++r<n&&(t*=256);)e+=this[l+r]*t;return e>=(t*=128)&&(e-=Math.pow(2,8*n)),e},o.prototype.readIntBE=function(l,n,u){l>>>=0,n>>>=0,u||I(l,n,this.length);for(var e=n,t=1,r=this[l+--e];e>0&&(t*=256);)r+=this[l+--e]*t;return r>=(t*=128)&&(r-=Math.pow(2,8*n)),r},o.prototype.readInt8=function(l,n){return l>>>=0,n||I(l,1,this.length),128&this[l]?-1*(255-this[l]+1):this[l]},o.prototype.readInt16LE=function(l,n){l>>>=0,n||I(l,2,this.length);var u=this[l]|this[l+1]<<8;return 32768&u?4294901760|u:u},o.prototype.readInt16BE=function(l,n){l>>>=0,n||I(l,2,this.length);var u=this[l+1]|this[l]<<8;return 32768&u?4294901760|u:u},o.prototype.readInt32LE=function(l,n){return l>>>=0,n||I(l,4,this.length),this[l]|this[l+1]<<8|this[l+2]<<16|this[l+3]<<24},o.prototype.readInt32BE=function(l,n){return l>>>=0,n||I(l,4,this.length),this[l]<<24|this[l+1]<<16|this[l+2]<<8|this[l+3]},o.prototype.readFloatLE=function(l,n){return l>>>=0,n||I(l,4,this.length),u.read(this,l,!0,23,4)},o.prototype.readFloatBE=function(l,n){return l>>>=0,n||I(l,4,this.length),u.read(this,l,!1,23,4)},o.prototype.readDoubleLE=function(l,n){return l>>>=0,n||I(l,8,this.length),u.read(this,l,!0,52,8)},o.prototype.readDoubleBE=function(l,n){return l>>>=0,n||I(l,8,this.length),u.read(this,l,!1,52,8)},o.prototype.writeUintLE=o.prototype.writeUIntLE=function(l,n,u,e){(l=+l,n>>>=0,u>>>=0,e)||k(this,l,n,u,Math.pow(2,8*u)-1,0);var t=1,r=0;for(this[n]=255&l;++r<u&&(t*=256);)this[n+r]=l/t&255;return n+u},o.prototype.writeUintBE=o.prototype.writeUIntBE=function(l,n,u,e){(l=+l,n>>>=0,u>>>=0,e)||k(this,l,n,u,Math.pow(2,8*u)-1,0);var t=u-1,r=1;for(this[n+t]=255&l;--t>=0&&(r*=256);)this[n+t]=l/r&255;return n+u},o.prototype.writeUint8=o.prototype.writeUInt8=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,1,255,0),this[n]=255&l,n+1},o.prototype.writeUint16LE=o.prototype.writeUInt16LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,65535,0),this[n]=255&l,this[n+1]=l>>>8,n+2},o.prototype.writeUint16BE=o.prototype.writeUInt16BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,65535,0),this[n]=l>>>8,this[n+1]=255&l,n+2},o.prototype.writeUint32LE=o.prototype.writeUInt32LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,4294967295,0),this[n+3]=l>>>24,this[n+2]=l>>>16,this[n+1]=l>>>8,this[n]=255&l,n+4},o.prototype.writeUint32BE=o.prototype.writeUInt32BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,4294967295,0),this[n]=l>>>24,this[n+1]=l>>>16,this[n+2]=l>>>8,this[n+3]=255&l,n+4},o.prototype.writeIntLE=function(l,n,u,e){if(l=+l,n>>>=0,!e){var t=Math.pow(2,8*u-1);k(this,l,n,u,t-1,-t)}var r=0,o=1,i=0;for(this[n]=255&l;++r<u&&(o*=256);)l<0&&0===i&&0!==this[n+r-1]&&(i=1),this[n+r]=(l/o|0)-i&255;return n+u},o.prototype.writeIntBE=function(l,n,u,e){if(l=+l,n>>>=0,!e){var t=Math.pow(2,8*u-1);k(this,l,n,u,t-1,-t)}var r=u-1,o=1,i=0;for(this[n+r]=255&l;--r>=0&&(o*=256);)l<0&&0===i&&0!==this[n+r+1]&&(i=1),this[n+r]=(l/o|0)-i&255;return n+u},o.prototype.writeInt8=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,1,127,-128),l<0&&(l=255+l+1),this[n]=255&l,n+1},o.prototype.writeInt16LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,32767,-32768),this[n]=255&l,this[n+1]=l>>>8,n+2},o.prototype.writeInt16BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,2,32767,-32768),this[n]=l>>>8,this[n+1]=255&l,n+2},o.prototype.writeInt32LE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,2147483647,-2147483648),this[n]=255&l,this[n+1]=l>>>8,this[n+2]=l>>>16,this[n+3]=l>>>24,n+4},o.prototype.writeInt32BE=function(l,n,u){return l=+l,n>>>=0,u||k(this,l,n,4,2147483647,-2147483648),l<0&&(l=4294967295+l+1),this[n]=l>>>24,this[n+1]=l>>>16,this[n+2]=l>>>8,this[n+3]=255&l,n+4},o.prototype.writeFloatLE=function(l,n,u){return L(this,l,n,!0,u)},o.prototype.writeFloatBE=function(l,n,u){return L(this,l,n,!1,u)},o.prototype.writeDoubleLE=function(l,n,u){return N(this,l,n,!0,u)},o.prototype.writeDoubleBE=function(l,n,u){return N(this,l,n,!1,u)},o.prototype.copy=function(l,n,u,e){if(!o.isBuffer(l))throw new TypeError("argument should be a Buffer");if(u||(u=0),e||0===e||(e=this.length),n>=l.length&&(n=l.length),n||(n=0),e>0&&e<u&&(e=u),e===u)return 0;if(0===l.length||0===this.length)return 0;if(n<0)throw new RangeError("targetStart out of bounds");if(u<0||u>=this.length)throw new RangeError("Index out of range");if(e<0)throw new RangeError("sourceEnd out of bounds");e>this.length&&(e=this.length),l.length-n<e-u&&(e=l.length-n+u);var t=e-u;return this===l&&"function"==typeof Uint8Array.prototype.copyWithin?this.copyWithin(n,u,e):Uint8Array.prototype.set.call(l,this.subarray(u,e),n),t},o.prototype.fill=function(l,n,u,e){if("string"==typeof l){if("string"==typeof n?(e=n,n=0,u=this.length):"string"==typeof u&&(e=u,u=this.length),void 0!==e&&"string"!=typeof e)throw new TypeError("encoding must be a string");if("string"==typeof e&&!o.isEncoding(e))throw new TypeError("Unknown encoding: "+e);if(1===l.length){var t=l.charCodeAt(0);("utf8"===e&&t<128||"latin1"===e)&&(l=t)}}else"number"==typeof l?l&=255:"boolean"==typeof l&&(l=Number(l));if(n<0||this.length<n||this.length<u)throw new RangeError("Out of range index");if(u<=n)return this;var r;if(n>>>=0,u=void 0===u?this.length:u>>>0,l||(l=0),"number"==typeof l)for(r=n;r<u;++r)this[r]=l;else{var i=o.isBuffer(l)?l:o.from(l,e),a=i.length;if(0===a)throw new TypeError('The value "'+l+'" is invalid for argument "value"');for(r=0;r<u-n;++r)this[r+n]=i[r%a]}return this};var x=/[^+/0-9A-Za-z-_]/g;function U(l,n){var u;n=n||1/0;for(var e=l.length,t=null,r=[],o=0;o<e;++o){if((u=l.charCodeAt(o))>55295&&u<57344){if(!t){if(u>56319){(n-=3)>-1&&r.push(239,191,189);continue}if(o+1===e){(n-=3)>-1&&r.push(239,191,189);continue}t=u;continue}if(u<56320){(n-=3)>-1&&r.push(239,191,189),t=u;continue}u=65536+(t-55296<<10|u-56320)}else t&&(n-=3)>-1&&r.push(239,191,189);if(t=null,u<128){if((n-=1)<0)break;r.push(u)}else if(u<2048){if((n-=2)<0)break;r.push(u>>6|192,63&u|128)}else if(u<65536){if((n-=3)<0)break;r.push(u>>12|224,u>>6&63|128,63&u|128)}else{if(!(u<1114112))throw new Error("Invalid code point");if((n-=4)<0)break;r.push(u>>18|240,u>>12&63|128,u>>6&63|128,63&u|128)}}return r}function D(l){return n.toByteArray(function(l){if((l=(l=l.split("=")[0]).trim().replace(x,"")).length<2)return"";for(;l.length%4!=0;)l+="=";return l}(l))}function B(l,n,u,e){for(var t=0;t<e&&!(t+u>=n.length||t>=l.length);++t)n[t+u]=l[t];return t}function M(l,n){return l instanceof n||null!=l&&null!=l.constructor&&null!=l.constructor.name&&l.constructor.name===n.name}function q(l){return l!=l}var j=function(){for(var l="0123456789abcdef",n=new Array(256),u=0;u<16;++u)for(var e=16*u,t=0;t<16;++t)n[e+t]=l[u]+l[t];return n}()}(ke);var Pe={},Le={};!function(l){var n,u,e,t;Object.defineProperty(l,"__esModule",{value:!0}),l.Frame=l.Lengths=l.Flags=l.FrameTypes=void 0,function(l){l[l.RESERVED=0]="RESERVED",l[l.SETUP=1]="SETUP",l[l.LEASE=2]="LEASE",l[l.KEEPALIVE=3]="KEEPALIVE",l[l.REQUEST_RESPONSE=4]="REQUEST_RESPONSE",l[l.REQUEST_FNF=5]="REQUEST_FNF",l[l.REQUEST_STREAM=6]="REQUEST_STREAM",l[l.REQUEST_CHANNEL=7]="REQUEST_CHANNEL",l[l.REQUEST_N=8]="REQUEST_N",l[l.CANCEL=9]="CANCEL",l[l.PAYLOAD=10]="PAYLOAD",l[l.ERROR=11]="ERROR",l[l.METADATA_PUSH=12]="METADATA_PUSH",l[l.RESUME=13]="RESUME",l[l.RESUME_OK=14]="RESUME_OK",l[l.EXT=63]="EXT"}(n=l.FrameTypes||(l.FrameTypes={})),(u=l.Flags||(l.Flags={}))[u.NONE=0]="NONE",u[u.COMPLETE=64]="COMPLETE",u[u.FOLLOWS=128]="FOLLOWS",u[u.IGNORE=512]="IGNORE",u[u.LEASE=64]="LEASE",u[u.METADATA=256]="METADATA",u[u.NEXT=32]="NEXT",u[u.RESPOND=128]="RESPOND",u[u.RESUME_ENABLE=128]="RESUME_ENABLE",function(l){l.hasMetadata=function(n){return(n&l.METADATA)===l.METADATA},l.hasComplete=function(n){return(n&l.COMPLETE)===l.COMPLETE},l.hasNext=function(n){return(n&l.NEXT)===l.NEXT},l.hasFollows=function(n){return(n&l.FOLLOWS)===l.FOLLOWS},l.hasIgnore=function(n){return(n&l.IGNORE)===l.IGNORE},l.hasRespond=function(n){return(n&l.RESPOND)===l.RESPOND},l.hasLease=function(n){return(n&l.LEASE)===l.LEASE},l.hasResume=function(n){return(n&l.RESUME_ENABLE)===l.RESUME_ENABLE}}(l.Flags||(l.Flags={})),(e=l.Lengths||(l.Lengths={}))[e.FRAME=3]="FRAME",e[e.HEADER=6]="HEADER",e[e.METADATA=3]="METADATA",e[e.REQUEST=3]="REQUEST",(t=l.Frame||(l.Frame={})).isConnection=function(l){return 0===l.streamId},t.isRequest=function(l){return n.REQUEST_RESPONSE<=l.type&&l.type<=n.REQUEST_CHANNEL}}(Le),function(l){var n=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(l,"__esModule",{value:!0}),l.Deserializer=l.sizeOfFrame=l.serializeFrame=l.deserializeFrame=l.serializeFrameWithLength=l.deserializeFrames=l.deserializeFrameWithLength=l.writeUInt64BE=l.readUInt64BE=l.writeUInt24BE=l.readUInt24BE=l.MAX_VERSION=l.MAX_TTL=l.MAX_STREAM_ID=l.MAX_RESUME_LENGTH=l.MAX_REQUEST_N=l.MAX_REQUEST_COUNT=l.MAX_MIME_LENGTH=l.MAX_METADATA_LENGTH=l.MAX_LIFETIME=l.MAX_KEEPALIVE=l.MAX_CODE=l.FRAME_TYPE_OFFFSET=l.FLAGS_MASK=void 0;var u=Le;l.FLAGS_MASK=1023,l.FRAME_TYPE_OFFFSET=10,l.MAX_CODE=2147483647,l.MAX_KEEPALIVE=2147483647,l.MAX_LIFETIME=2147483647,l.MAX_METADATA_LENGTH=16777215,l.MAX_MIME_LENGTH=255,l.MAX_REQUEST_COUNT=2147483647,l.MAX_REQUEST_N=2147483647,l.MAX_RESUME_LENGTH=65535,l.MAX_STREAM_ID=2147483647,l.MAX_TTL=2147483647,l.MAX_VERSION=65535;var e=4294967296;function t(l,n){return l.readUInt8(n)<<16|l.readUInt8(n+1)<<8|l.readUInt8(n+2)}function r(l,n,u){return u=l.writeUInt8(n>>>16,u),u=l.writeUInt8(n>>>8&255,u),l.writeUInt8(255&n,u)}function i(l,n){var u=l.readUInt32BE(n),t=l.readUInt32BE(n+4);return u*e+t}function a(l,n,u){var t=n/e|0,r=n%e;return u=l.writeUInt32BE(t,u),l.writeUInt32BE(r,u)}l.readUInt24BE=t,l.writeUInt24BE=r,l.readUInt64BE=i,l.writeUInt64BE=a;function s(l){var n=t(l,0);return d(l.slice(3,3+n))}function c(l){var u,e,r,o,i;return n(this,(function(n){switch(n.label){case 0:u=0,n.label=1;case 1:return u+3<l.length?(e=t(l,u),(o=(r=u+3)+e)>l.length?[3,3]:(i=l.slice(r,o),[4,[d(i),u=o]])):[3,3];case 2:return n.sent(),[3,1];case 3:return[2]}}))}function d(n){var e=0,t=n.readInt32BE(e);e+=4;var r=n.readUInt16BE(e);e+=2;var o=r>>>l.FRAME_TYPE_OFFFSET,a=r&l.FLAGS_MASK;switch(o){case u.FrameTypes.SETUP:return function(l,n,e){l.length;var t=6,r=l.readUInt16BE(t);t+=2;var o=l.readUInt16BE(t);t+=2;var i=l.readInt32BE(t);t+=4;var a=l.readInt32BE(t);t+=4;var s=null;if(e&u.Flags.RESUME_ENABLE){var c=l.readInt16BE(t);t+=2,s=l.slice(t,t+c),t+=c}var d=l.readUInt8(t);t+=1;var h=l.toString("ascii",t,t+d);t+=d;var f=l.readUInt8(t);t+=1;var p=l.toString("ascii",t,t+f);t+=f;var y={data:null,dataMimeType:p,flags:e,keepAlive:i,lifetime:a,majorVersion:r,metadata:null,metadataMimeType:h,minorVersion:o,resumeToken:s,streamId:0,type:u.FrameTypes.SETUP};return R(l,y,t),y}(n,0,a);case u.FrameTypes.PAYLOAD:return function(l,n,e){l.length;var t={data:null,flags:e,metadata:null,streamId:n,type:u.FrameTypes.PAYLOAD};return R(l,t,6),t}(n,t,a);case u.FrameTypes.ERROR:return function(l,n,e){l.length;var t=6,r=l.readInt32BE(t);t+=4;var o=l.length-t,i="";o>0&&(i=l.toString("utf8",t,t+o),t+=o);return{code:r,flags:e,message:i,streamId:n,type:u.FrameTypes.ERROR}}(n,t,a);case u.FrameTypes.KEEPALIVE:return function(l,n,e){l.length;var t=6,r=i(l,t);t+=8;var o=null;t<l.length&&(o=l.slice(t,l.length));return{data:o,flags:e,lastReceivedPosition:r,streamId:0,type:u.FrameTypes.KEEPALIVE}}(n,0,a);case u.FrameTypes.REQUEST_FNF:return function(l,n,e){l.length;var t={data:null,flags:e,metadata:null,streamId:n,type:u.FrameTypes.REQUEST_FNF};return R(l,t,6),t}(n,t,a);case u.FrameTypes.REQUEST_RESPONSE:return function(l,n,e){var t={data:null,flags:e,metadata:null,streamId:n,type:u.FrameTypes.REQUEST_RESPONSE};return R(l,t,6),t}(n,t,a);case u.FrameTypes.REQUEST_STREAM:return function(l,n,e){l.length;var t=6,r=l.readInt32BE(t);t+=4;var o={data:null,flags:e,metadata:null,requestN:r,streamId:n,type:u.FrameTypes.REQUEST_STREAM};return R(l,o,t),o}(n,t,a);case u.FrameTypes.REQUEST_CHANNEL:return function(l,n,e){l.length;var t=6,r=l.readInt32BE(t);t+=4;var o={data:null,flags:e,metadata:null,requestN:r,streamId:n,type:u.FrameTypes.REQUEST_CHANNEL};return R(l,o,t),o}(n,t,a);case u.FrameTypes.METADATA_PUSH:return function(l,n,e){return{flags:e,metadata:6===length?null:l.slice(6,length),streamId:0,type:u.FrameTypes.METADATA_PUSH}}(n,0,a);case u.FrameTypes.REQUEST_N:return function(l,n,e){l.length;var t=l.readInt32BE(6);return{flags:e,requestN:t,streamId:n,type:u.FrameTypes.REQUEST_N}}(n,t,a);case u.FrameTypes.RESUME:return function(l,n,e){l.length;var t=6,r=l.readUInt16BE(t);t+=2;var o=l.readUInt16BE(t);t+=2;var a=l.readInt16BE(t);t+=2;var s=l.slice(t,t+a);t+=a;var c=i(l,t);t+=8;var d=i(l,t);return t+=8,{clientPosition:d,flags:e,majorVersion:r,minorVersion:o,resumeToken:s,serverPosition:c,streamId:0,type:u.FrameTypes.RESUME}}(n,0,a);case u.FrameTypes.RESUME_OK:return function(l,n,e){l.length;var t=i(l,6);return{clientPosition:t,flags:e,streamId:0,type:u.FrameTypes.RESUME_OK}}(n,0,a);case u.FrameTypes.CANCEL:return function(l,n,e){return l.length,{flags:e,streamId:n,type:u.FrameTypes.CANCEL}}(n,t,a);case u.FrameTypes.LEASE:return function(l,n,e){var t=6,r=l.readUInt32BE(t);t+=4;var o=l.readUInt32BE(t);t+=4;var i=null;t<l.length&&(i=l.slice(t,l.length));return{flags:e,metadata:i,requestCount:o,streamId:0,ttl:r,type:u.FrameTypes.LEASE}}(n,0,a)}}function h(l){switch(l.type){case u.FrameTypes.SETUP:return function(l){var n=null!=l.resumeToken?l.resumeToken.byteLength:0,e=null!=l.metadataMimeType?ke.Buffer.byteLength(l.metadataMimeType,"ascii"):0,t=null!=l.dataMimeType?ke.Buffer.byteLength(l.dataMimeType,"ascii"):0,r=S(l),o=ke.Buffer.allocUnsafe(6+f+(n?p+n:0)+e+t+r),i=_(l,o);i=o.writeUInt16BE(l.majorVersion,i),i=o.writeUInt16BE(l.minorVersion,i),i=o.writeUInt32BE(l.keepAlive,i),i=o.writeUInt32BE(l.lifetime,i),l.flags&u.Flags.RESUME_ENABLE&&(i=o.writeUInt16BE(n,i),null!=l.resumeToken&&(i+=l.resumeToken.copy(o,i)));i=o.writeUInt8(e,i),null!=l.metadataMimeType&&(i+=o.write(l.metadataMimeType,i,i+e,"ascii"));i=o.writeUInt8(t,i),null!=l.dataMimeType&&(i+=o.write(l.dataMimeType,i,i+t,"ascii"));return T(l,o,i),o}(l);case u.FrameTypes.PAYLOAD:return function(l){var n=S(l),u=ke.Buffer.allocUnsafe(6+n),e=_(l,u);return T(l,u,e),u}(l);case u.FrameTypes.ERROR:return function(l){var n=null!=l.message?ke.Buffer.byteLength(l.message,"utf8"):0,u=ke.Buffer.allocUnsafe(6+y+n),e=_(l,u);e=u.writeUInt32BE(l.code,e),null!=l.message&&u.write(l.message,e,e+n,"utf8");return u}(l);case u.FrameTypes.KEEPALIVE:return function(l){var n=null!=l.data?l.data.byteLength:0,u=ke.Buffer.allocUnsafe(6+m+n),e=_(l,u);e=a(u,l.lastReceivedPosition,e),null!=l.data&&l.data.copy(u,e);return u}(l);case u.FrameTypes.REQUEST_FNF:case u.FrameTypes.REQUEST_RESPONSE:return function(l){var n=S(l),u=ke.Buffer.allocUnsafe(6+n),e=_(l,u);return T(l,u,e),u}(l);case u.FrameTypes.REQUEST_STREAM:case u.FrameTypes.REQUEST_CHANNEL:return function(l){var n=S(l),u=ke.Buffer.allocUnsafe(6+b+n),e=_(l,u);return e=u.writeUInt32BE(l.requestN,e),T(l,u,e),u}(l);case u.FrameTypes.METADATA_PUSH:return function(l){var n=l.metadata;if(null!=n){var u=_(l,e=ke.Buffer.allocUnsafe(6+n.byteLength));return n.copy(e,u),e}var e;return _(l,e=ke.Buffer.allocUnsafe(6)),e}(l);case u.FrameTypes.REQUEST_N:return function(l){var n=ke.Buffer.allocUnsafe(6+v),u=_(l,n);return n.writeUInt32BE(l.requestN,u),n}(l);case u.FrameTypes.RESUME:return function(l){var n=l.resumeToken.byteLength,u=ke.Buffer.allocUnsafe(6+E+n),e=_(l,u);return e=u.writeUInt16BE(l.majorVersion,e),e=u.writeUInt16BE(l.minorVersion,e),e=u.writeUInt16BE(n,e),e+=l.resumeToken.copy(u,e),e=a(u,l.serverPosition,e),a(u,l.clientPosition,e),u}(l);case u.FrameTypes.RESUME_OK:return function(l){var n=ke.Buffer.allocUnsafe(6+w),u=_(l,n);return a(n,l.clientPosition,u),n}(l);case u.FrameTypes.CANCEL:return function(l){var n=ke.Buffer.allocUnsafe(6);return _(l,n),n}(l);case u.FrameTypes.LEASE:return function(l){var n=null!=l.metadata?l.metadata.byteLength:0,u=ke.Buffer.allocUnsafe(6+g+n),e=_(l,u);e=u.writeUInt32BE(l.ttl,e),e=u.writeUInt32BE(l.requestCount,e),null!=l.metadata&&l.metadata.copy(u,e);return u}(l)}}l.deserializeFrameWithLength=s,l.deserializeFrames=c,l.serializeFrameWithLength=function(l){var n=h(l),u=ke.Buffer.allocUnsafe(n.length+3);return r(u,n.length,0),n.copy(u,3),u},l.deserializeFrame=d,l.serializeFrame=h,l.sizeOfFrame=function(l){switch(l.type){case u.FrameTypes.SETUP:return function(l){var n=null!=l.resumeToken?l.resumeToken.byteLength:0,u=null!=l.metadataMimeType?ke.Buffer.byteLength(l.metadataMimeType,"ascii"):0,e=null!=l.dataMimeType?ke.Buffer.byteLength(l.dataMimeType,"ascii"):0,t=S(l);return 6+f+(n?p+n:0)+u+e+t}(l);case u.FrameTypes.PAYLOAD:return function(l){var n=S(l);return 6+n}(l);case u.FrameTypes.ERROR:return function(l){var n=null!=l.message?ke.Buffer.byteLength(l.message,"utf8"):0;return 6+y+n}(l);case u.FrameTypes.KEEPALIVE:return function(l){var n=null!=l.data?l.data.byteLength:0;return 6+m+n}(l);case u.FrameTypes.REQUEST_FNF:case u.FrameTypes.REQUEST_RESPONSE:return function(l){var n=S(l);return 6+n}(l);case u.FrameTypes.REQUEST_STREAM:case u.FrameTypes.REQUEST_CHANNEL:return function(l){var n=S(l);return 6+b+n}(l);case u.FrameTypes.METADATA_PUSH:return function(l){return 6+(null!=l.metadata?l.metadata.byteLength:0)}(l);case u.FrameTypes.REQUEST_N:return 6+v;case u.FrameTypes.RESUME:return function(l){var n=l.resumeToken.byteLength;return 6+E+n}(l);case u.FrameTypes.RESUME_OK:return 6+w;case u.FrameTypes.CANCEL:return 6;case u.FrameTypes.LEASE:return function(l){var n=null!=l.metadata?l.metadata.byteLength:0;return 6+g+n}(l)}};var f=14,p=2;var y=4;var m=8;var g=8;var b=4;var v=4;var E=22;var w=8;function _(n,u){var e=u.writeInt32BE(n.streamId,0);return u.writeUInt16BE(n.type<<l.FRAME_TYPE_OFFFSET|n.flags&l.FLAGS_MASK,e)}function S(l){var n=0;return null!=l.data&&(n+=l.data.byteLength),u.Flags.hasMetadata(l.flags)&&(n+=3,null!=l.metadata&&(n+=l.metadata.byteLength)),n}function T(l,n,e){u.Flags.hasMetadata(l.flags)&&(null!=l.metadata?(e=r(n,l.metadata.byteLength,e),e+=l.metadata.copy(n,e)):e=r(n,0,e));null!=l.data&&l.data.copy(n,e)}function R(l,n,e){if(u.Flags.hasMetadata(n.flags)){var r=t(l,e);e+=3,r>0&&(n.metadata=l.slice(e,e+r),e+=r)}e<l.length&&(n.data=l.slice(e,l.length))}var A=function(){function l(){}return l.prototype.deserializeFrame=function(l){return d(l)},l.prototype.deserializeFrameWithLength=function(l){return s(l)},l.prototype.deserializeFrames=function(l){return c(l)},l}();l.Deserializer=A}(Pe);var Ne={};Object.defineProperty(Ne,"__esModule",{value:!0});var xe={},Ue=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(xe,"__esModule",{value:!0}),xe.Deferred=void 0;var De=function(){function l(){this._done=!1,this.onCloseCallbacks=[]}return Object.defineProperty(l.prototype,"done",{get:function(){return this._done},enumerable:!1,configurable:!0}),l.prototype.close=function(l){var n,u,e,t;if(this.done)console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):""));else if(this._done=!0,this._error=l,l)try{for(var r=Ue(this.onCloseCallbacks),o=r.next();!o.done;o=r.next()){(0,o.value)(l)}}catch(l){n={error:l}}finally{try{o&&!o.done&&(u=r.return)&&u.call(r)}finally{if(n)throw n.error}}else try{for(var i=Ue(this.onCloseCallbacks),a=i.next();!a.done;a=i.next()){(0,a.value)()}}catch(l){e={error:l}}finally{try{a&&!a.done&&(t=i.return)&&t.call(i)}finally{if(e)throw e.error}}},l.prototype.onClose=function(l){this._done?l(this._error):this.onCloseCallbacks.push(l)},l}();xe.Deferred=De;var Be={};!function(l){var n,u=o&&o.__extends||(n=function(l,u){return n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(l,n){l.__proto__=n}||function(l,n){for(var u in n)Object.prototype.hasOwnProperty.call(n,u)&&(l[u]=n[u])},n(l,u)},function(l,u){if("function"!=typeof u&&null!==u)throw new TypeError("Class extends value "+String(u)+" is not a constructor or null");function e(){this.constructor=l}n(l,u),l.prototype=null===u?Object.create(u):(e.prototype=u.prototype,new e)});Object.defineProperty(l,"__esModule",{value:!0}),l.ErrorCodes=l.RSocketError=void 0;var e,t=function(l){function n(n,u){var e=l.call(this,u)||this;return e.code=n,e}return u(n,l),n}(Error);l.RSocketError=t,(e=l.ErrorCodes||(l.ErrorCodes={}))[e.RESERVED=0]="RESERVED",e[e.INVALID_SETUP=1]="INVALID_SETUP",e[e.UNSUPPORTED_SETUP=2]="UNSUPPORTED_SETUP",e[e.REJECTED_SETUP=3]="REJECTED_SETUP",e[e.REJECTED_RESUME=4]="REJECTED_RESUME",e[e.CONNECTION_CLOSE=258]="CONNECTION_CLOSE",e[e.CONNECTION_ERROR=257]="CONNECTION_ERROR",e[e.APPLICATION_ERROR=513]="APPLICATION_ERROR",e[e.REJECTED=514]="REJECTED",e[e.CANCELED=515]="CANCELED",e[e.INVALID=516]="INVALID",e[e.RESERVED_EXTENSION=4294967295]="RESERVED_EXTENSION"}(Be);var Me={};Object.defineProperty(Me,"__esModule",{value:!0});var qe,je={},We={};function ze(){return qe||(qe=1,function(l){var n,u=o&&o.__extends||(n=function(l,u){return n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(l,n){l.__proto__=n}||function(l,n){for(var u in n)Object.prototype.hasOwnProperty.call(n,u)&&(l[u]=n[u])},n(l,u)},function(l,u){if("function"!=typeof u&&null!==u)throw new TypeError("Class extends value "+String(u)+" is not a constructor or null");function e(){this.constructor=l}n(l,u),l.prototype=null===u?Object.create(u):(e.prototype=u.prototype,new e)}),e=o&&o.__awaiter||function(l,n,u,e){return new(u||(u=Promise))((function(t,r){function o(l){try{a(e.next(l))}catch(l){r(l)}}function i(l){try{a(e.throw(l))}catch(l){r(l)}}function a(l){var n;l.done?t(l.value):(n=l.value,n instanceof u?n:new u((function(l){l(n)}))).then(o,i)}a((e=e.apply(l,n||[])).next())}))},t=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(l,"__esModule",{value:!0}),l.ResumeOkAwaitingResumableClientServerInputMultiplexerDemultiplexer=l.ResumableClientServerInputMultiplexerDemultiplexer=l.ClientServerInputMultiplexerDemultiplexer=l.StreamIdGenerator=void 0;var r=sr(),i=xe,a=Be,s=Le;!function(l){l.create=function(l){return new n(l)};var n=function(){function l(l){this.currentId=l}return l.prototype.next=function(l){var n=this.currentId+2;l(n)&&(this.currentId=n)},l}()}(l.StreamIdGenerator||(l.StreamIdGenerator={}));var c=function(l){function n(n,u,e){var t=l.call(this)||this;return t.streamIdSupplier=n,t.outbound=u,t.closeable=e,t.registry={},e.onClose(t.close.bind(t)),t}return u(n,l),n.prototype.handle=function(l){if(s.Frame.isConnection(l)){if(l.type===r.FrameTypes.RESERVED)return;this.connectionFramesHandler.handle(l)}else if(s.Frame.isRequest(l)){if(this.registry[l.streamId])return;this.requestFramesHandler.handle(l,this)}else{var n=this.registry[l.streamId];if(!n)return;n.handle(l)}},n.prototype.connectionInbound=function(l){if(this.connectionFramesHandler)throw new Error("Connection frame handler has already been installed");this.connectionFramesHandler=l},n.prototype.handleRequestStream=function(l){if(this.requestFramesHandler)throw new Error("Stream handler has already been installed");this.requestFramesHandler=l},n.prototype.send=function(l){this.outbound.send(l)},Object.defineProperty(n.prototype,"connectionOutbound",{get:function(){return this},enumerable:!1,configurable:!0}),n.prototype.createRequestStream=function(l){var n=this;if(this.done)l.handleReject(new Error("Already closed"));else{var u=this.registry;this.streamIdSupplier.next((function(u){return l.handleReady(u,n)}),Object.keys(u))}},n.prototype.connect=function(l){this.registry[l.streamId]=l},n.prototype.disconnect=function(l){delete this.registry[l.streamId]},n.prototype.close=function(n){if(this.done)l.prototype.close.call(this,n);else{for(var u in this.registry){this.registry[u].close(new Error("Closed. ".concat(n?"Original cause [".concat(n,"]."):"")))}l.prototype.close.call(this,n)}},n}(i.Deferred);l.ClientServerInputMultiplexerDemultiplexer=c;var d=function(l){function n(n,u,e,t,r,o,a){var s=l.call(this,n,u,new i.Deferred)||this;return s.frameStore=t,s.token=r,s.sessionTimeout=a,o instanceof Function?s.reconnector=o:s.sessionStore=o,e.onClose(s.handleConnectionClose.bind(s)),s}return u(n,l),n.prototype.send=function(n){if(s.Frame.isConnection(n)){if(n.type===r.FrameTypes.KEEPALIVE)n.lastReceivedPosition=this.frameStore.lastReceivedFramePosition;else if(n.type===r.FrameTypes.ERROR)return this.outbound.send(n),this.sessionStore&&delete this.sessionStore[this.token],void l.prototype.close.call(this,new a.RSocketError(n.code,n.message))}else this.frameStore.store(n);this.outbound.send(n)},n.prototype.handle=function(n){if(s.Frame.isConnection(n)){if(n.type===r.FrameTypes.KEEPALIVE)try{this.frameStore.dropTo(n.lastReceivedPosition)}catch(l){this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:l.code,message:l.message}),this.close(l)}else if(n.type===r.FrameTypes.ERROR)return l.prototype.handle.call(this,n),this.sessionStore&&delete this.sessionStore[this.token],void l.prototype.close.call(this,new a.RSocketError(n.code,n.message))}else this.frameStore.record(n);l.prototype.handle.call(this,n)},n.prototype.resume=function(l,n,u){switch(this.outbound=n,l.type){case r.FrameTypes.RESUME:if(clearTimeout(this.timeoutId),this.frameStore.lastReceivedFramePosition<l.clientPosition){var e=new a.RSocketError(r.ErrorCodes.REJECTED_RESUME,"Impossible to resume since first available client frame position is greater than last received server frame position");return this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:e.code,message:e.message}),void this.close(e)}try{this.frameStore.dropTo(l.serverPosition)}catch(l){return this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:l.code,message:l.message}),void this.close(l)}this.outbound.send({type:r.FrameTypes.RESUME_OK,streamId:0,flags:r.Flags.NONE,clientPosition:this.frameStore.lastReceivedFramePosition});break;case r.FrameTypes.RESUME_OK:try{this.frameStore.dropTo(l.clientPosition)}catch(l){this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,flags:r.Flags.NONE,code:l.code,message:l.message}),this.close(l)}}this.frameStore.drain(this.outbound.send.bind(this.outbound)),u.onClose(this.handleConnectionClose.bind(this)),this.connectionFramesHandler.resume()},n.prototype.handleConnectionClose=function(l){return e(this,void 0,void 0,(function(){var l;return t(this,(function(n){switch(n.label){case 0:if(this.connectionFramesHandler.pause(),!this.reconnector)return[3,5];n.label=1;case 1:return n.trys.push([1,3,,4]),[4,this.reconnector(this,this.frameStore)];case 2:return n.sent(),[3,4];case 3:return l=n.sent(),this.close(l),[3,4];case 4:return[3,6];case 5:this.timeoutId=setTimeout(this.close.bind(this),this.sessionTimeout),n.label=6;case 6:return[2]}}))}))},n}(c);l.ResumableClientServerInputMultiplexerDemultiplexer=d;var h=function(){function l(l,n,u){this.outbound=l,this.closeable=n,this.delegate=u,this.resumed=!1}return l.prototype.close=function(){this.delegate.close()},l.prototype.onClose=function(l){this.delegate.onClose(l)},Object.defineProperty(l.prototype,"connectionOutbound",{get:function(){return this.delegate.connectionOutbound},enumerable:!1,configurable:!0}),l.prototype.createRequestStream=function(l){this.delegate.createRequestStream(l)},l.prototype.connectionInbound=function(l){this.delegate.connectionInbound(l)},l.prototype.handleRequestStream=function(l){this.delegate.handleRequestStream(l)},l.prototype.handle=function(l){var n=this;if(!this.resumed)return l.type===r.FrameTypes.RESUME_OK?(this.resumed=!0,void this.delegate.resume(l,this.outbound,this.closeable)):(this.outbound.send({type:r.FrameTypes.ERROR,streamId:0,code:r.ErrorCodes.CONNECTION_ERROR,message:"Incomplete RESUME handshake. Unexpected frame ".concat(l.type," received"),flags:r.Flags.NONE}),this.closeable.close(),void this.closeable.onClose((function(){return n.delegate.close(new a.RSocketError(r.ErrorCodes.CONNECTION_ERROR,"Incomplete RESUME handshake. Unexpected frame ".concat(l.type," received")))})));this.delegate.handle(l)},l}();l.ResumeOkAwaitingResumableClientServerInputMultiplexerDemultiplexer=h}(We)),We}var Qe={},$e={},He={},Ve=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(He,"__esModule",{value:!0}),He.fragmentWithRequestN=He.fragment=He.isFragmentable=void 0;var Je=Le;He.isFragmentable=function(l,n,u){return 0!==n&&l.data.byteLength+(l.metadata?l.metadata.byteLength+Je.Lengths.METADATA:0)+(u==Je.FrameTypes.REQUEST_STREAM||u==Je.FrameTypes.REQUEST_CHANNEL?Je.Lengths.REQUEST:0)>n},He.fragment=function(l,n,u,e,t){var r,o,i,a,s,c,d,h,f,p,y,m;return void 0===t&&(t=!1),Ve(this,(function(g){switch(g.label){case 0:return r=null!==(m=null===(y=n.data)||void 0===y?void 0:y.byteLength)&&void 0!==m?m:0,o=e!==Je.FrameTypes.PAYLOAD,i=u,n.metadata?0!==(s=n.metadata.byteLength)?[3,1]:(i-=Je.Lengths.METADATA,a=ke.Buffer.allocUnsafe(0),[3,6]):[3,6];case 1:return c=0,o?(i-=Je.Lengths.METADATA,d=Math.min(s,c+i),a=n.metadata.slice(c,d),i-=a.byteLength,c=d,0!==i?[3,3]:(o=!1,[4,{type:e,flags:Je.Flags.FOLLOWS|Je.Flags.METADATA,data:void 0,metadata:a,streamId:l}])):[3,3];case 2:g.sent(),a=void 0,i=u,g.label=3;case 3:return c<s?(i-=Je.Lengths.METADATA,d=Math.min(s,c+i),a=n.metadata.slice(c,d),i-=a.byteLength,c=d,0!==i&&0!==r?[3,5]:[4,{type:Je.FrameTypes.PAYLOAD,flags:Je.Flags.NEXT|Je.Flags.METADATA|(c===s&&t&&0===r?Je.Flags.COMPLETE:Je.Flags.FOLLOWS),data:void 0,metadata:a,streamId:l}]):[3,6];case 4:g.sent(),a=void 0,i=u,g.label=5;case 5:return[3,3];case 6:return h=0,o?(p=Math.min(r,h+i),f=n.data.slice(h,p),i-=f.byteLength,h=p,[4,{type:e,flags:Je.Flags.FOLLOWS|(a?Je.Flags.METADATA:Je.Flags.NONE),data:f,metadata:a,streamId:l}]):[3,8];case 7:g.sent(),a=void 0,f=void 0,i=u,g.label=8;case 8:return h<r?(p=Math.min(r,h+i),f=n.data.slice(h,p),i-=f.byteLength,h=p,[4,{type:Je.FrameTypes.PAYLOAD,flags:h===r?(t?Je.Flags.COMPLETE:Je.Flags.NONE)|Je.Flags.NEXT|(a?Je.Flags.METADATA:0):Je.Flags.FOLLOWS|Je.Flags.NEXT|(a?Je.Flags.METADATA:0),data:f,metadata:a,streamId:l}]):[3,10];case 9:return g.sent(),a=void 0,f=void 0,i=u,[3,8];case 10:return[2]}}))},He.fragmentWithRequestN=function(l,n,u,e,t,r){var o,i,a,s,c,d,h,f,p,y,m,g;return void 0===r&&(r=!1),Ve(this,(function(b){switch(b.label){case 0:return o=null!==(g=null===(m=n.data)||void 0===m?void 0:m.byteLength)&&void 0!==g?g:0,i=!0,a=u,n.metadata?0!==(c=n.metadata.byteLength)?[3,1]:(a-=Je.Lengths.METADATA,s=ke.Buffer.allocUnsafe(0),[3,6]):[3,6];case 1:return d=0,i?(a-=Je.Lengths.METADATA+Je.Lengths.REQUEST,h=Math.min(c,d+a),s=n.metadata.slice(d,h),a-=s.byteLength,d=h,0!==a?[3,3]:(i=!1,[4,{type:e,flags:Je.Flags.FOLLOWS|Je.Flags.METADATA,data:void 0,requestN:t,metadata:s,streamId:l}])):[3,3];case 2:b.sent(),s=void 0,a=u,b.label=3;case 3:return d<c?(a-=Je.Lengths.METADATA,h=Math.min(c,d+a),s=n.metadata.slice(d,h),a-=s.byteLength,d=h,0!==a&&0!==o?[3,5]:[4,{type:Je.FrameTypes.PAYLOAD,flags:Je.Flags.NEXT|Je.Flags.METADATA|(d===c&&r&&0===o?Je.Flags.COMPLETE:Je.Flags.FOLLOWS),data:void 0,metadata:s,streamId:l}]):[3,6];case 4:b.sent(),s=void 0,a=u,b.label=5;case 5:return[3,3];case 6:return f=0,i?(a-=Je.Lengths.REQUEST,y=Math.min(o,f+a),p=n.data.slice(f,y),a-=p.byteLength,f=y,[4,{type:e,flags:Je.Flags.FOLLOWS|(s?Je.Flags.METADATA:Je.Flags.NONE),data:p,requestN:t,metadata:s,streamId:l}]):[3,8];case 7:b.sent(),s=void 0,p=void 0,a=u,b.label=8;case 8:return f<o?(y=Math.min(o,f+a),p=n.data.slice(f,y),a-=p.byteLength,f=y,[4,{type:Je.FrameTypes.PAYLOAD,flags:f===o?(r?Je.Flags.COMPLETE:Je.Flags.NONE)|Je.Flags.NEXT|(s?Je.Flags.METADATA:0):Je.Flags.FOLLOWS|Je.Flags.NEXT|(s?Je.Flags.METADATA:0),data:p,metadata:s,streamId:l}]):[3,10];case 9:return b.sent(),s=void 0,p=void 0,a=u,[3,8];case 10:return[2]}}))};var Ye={};Object.defineProperty(Ye,"__esModule",{value:!0}),Ye.cancel=Ye.reassemble=Ye.add=void 0,Ye.add=function(l,n,u){return l.hasFragments?(l.data=l.data?ke.Buffer.concat([l.data,n]):n,l.metadata&&u&&(l.metadata=ke.Buffer.concat([l.metadata,u])),!0):(l.hasFragments=!0,l.data=n,u&&(l.metadata=u),!0)},Ye.reassemble=function(l,n,u){l.hasFragments=!1;var e=l.data?ke.Buffer.concat([l.data,n]):n;if(l.data=void 0,l.metadata){var t=u?ke.Buffer.concat([l.metadata,u]):l.metadata;return l.metadata=void 0,{data:e,metadata:t}}return{data:e}},Ye.cancel=function(l){l.hasFragments=!1,l.data=void 0,l.metadata=void 0};var Xe=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),Ge=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),Ke=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&Xe(n,l,u);return Ge(n,l),n},Ze=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty($e,"__esModule",{value:!0}),$e.RequestChannelResponderStream=$e.RequestChannelRequesterStream=void 0;var lt=Be,nt=He,ut=Le,et=Ke(Ye),tt=function(){function l(l,n,u,e,t,r){this.payload=l,this.isComplete=n,this.receiver=u,this.fragmentSize=e,this.initialRequestN=t,this.leaseManager=r,this.streamType=ut.FrameTypes.REQUEST_CHANNEL}return l.prototype.handleReady=function(l,n){var u,e;if(this.outboundDone)return!1;this.streamId=l,this.stream=n,n.connect(this);var t=this.isComplete;if(t&&(this.outboundDone=t),(0,nt.isFragmentable)(this.payload,this.fragmentSize,ut.FrameTypes.REQUEST_CHANNEL))try{for(var r=Ze((0,nt.fragmentWithRequestN)(l,this.payload,this.fragmentSize,ut.FrameTypes.REQUEST_CHANNEL,this.initialRequestN,t)),o=r.next();!o.done;o=r.next()){var i=o.value;this.stream.send(i)}}catch(l){u={error:l}}finally{try{o&&!o.done&&(e=r.return)&&e.call(r)}finally{if(u)throw u.error}}else this.stream.send({type:ut.FrameTypes.REQUEST_CHANNEL,data:this.payload.data,metadata:this.payload.metadata,requestN:this.initialRequestN,flags:(void 0!==this.payload.metadata?ut.Flags.METADATA:ut.Flags.NONE)|(t?ut.Flags.COMPLETE:ut.Flags.NONE),streamId:l});return this.hasExtension&&this.stream.send({type:ut.FrameTypes.EXT,streamId:l,extendedContent:this.extendedContent,extendedType:this.extendedType,flags:this.flags}),!0},l.prototype.handleReject=function(l){this.inboundDone||(this.inboundDone=!0,this.outboundDone=!0,this.receiver.onError(l))},l.prototype.handle=function(l){var n,u=l.type;switch(u){case ut.FrameTypes.PAYLOAD:var e=ut.Flags.hasComplete(l.flags),t=ut.Flags.hasNext(l.flags);if(e||!ut.Flags.hasFollows(l.flags)){if(e&&(this.inboundDone=!0,this.outboundDone&&this.stream.disconnect(this),!t))return void this.receiver.onComplete();var r=this.hasFragments?et.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata};return void this.receiver.onNext(r,e)}if(et.add(this,l.data,l.metadata))return;n="Unexpected frame size";break;case ut.FrameTypes.CANCEL:if(this.outboundDone)return;return this.outboundDone=!0,this.inboundDone&&this.stream.disconnect(this),void this.receiver.cancel();case ut.FrameTypes.REQUEST_N:if(this.outboundDone)return;if(this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.request(l.requestN);case ut.FrameTypes.ERROR:var o=this.outboundDone;return this.inboundDone=!0,this.outboundDone=!0,this.stream.disconnect(this),et.cancel(this),o||this.receiver.cancel(),void this.receiver.onError(new lt.RSocketError(l.code,l.message));case ut.FrameTypes.EXT:return void this.receiver.onExtension(l.extendedType,l.extendedContent,ut.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.close(new lt.RSocketError(lt.ErrorCodes.CANCELED,n)),this.stream.send({type:ut.FrameTypes.CANCEL,streamId:this.streamId,flags:ut.Flags.NONE}),this.stream.disconnect(this)},l.prototype.request=function(l){this.inboundDone||(this.streamId?this.stream.send({type:ut.FrameTypes.REQUEST_N,flags:ut.Flags.NONE,requestN:l,streamId:this.streamId}):this.initialRequestN+=l)},l.prototype.cancel=function(){var l,n=this.inboundDone,u=this.outboundDone;n&&u||(this.inboundDone=!0,this.outboundDone=!0,u||this.receiver.cancel(),this.streamId?(this.stream.send({type:n?ut.FrameTypes.ERROR:ut.FrameTypes.CANCEL,flags:ut.Flags.NONE,streamId:this.streamId,code:lt.ErrorCodes.CANCELED,message:"Cancelled"}),this.stream.disconnect(this),et.cancel(this)):null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.onNext=function(l,n){var u,e;if(!this.outboundDone)if(n&&(this.outboundDone=!0,this.inboundDone&&this.stream.disconnect(this)),(0,nt.isFragmentable)(l,this.fragmentSize,ut.FrameTypes.PAYLOAD))try{for(var t=Ze((0,nt.fragment)(this.streamId,l,this.fragmentSize,ut.FrameTypes.PAYLOAD,n)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:ut.FrameTypes.PAYLOAD,streamId:this.streamId,flags:ut.Flags.NEXT|(l.metadata?ut.Flags.METADATA:ut.Flags.NONE)|(n?ut.Flags.COMPLETE:ut.Flags.NONE),data:l.data,metadata:l.metadata})},l.prototype.onComplete=function(){this.streamId?this.outboundDone||(this.outboundDone=!0,this.stream.send({type:ut.FrameTypes.PAYLOAD,streamId:this.streamId,flags:ut.Flags.COMPLETE,data:null,metadata:null}),this.inboundDone&&this.stream.disconnect(this)):this.isComplete=!0},l.prototype.onError=function(l){if(!this.outboundDone){var n=this.inboundDone;this.outboundDone=!0,this.inboundDone=!0,this.stream.send({type:ut.FrameTypes.ERROR,streamId:this.streamId,flags:ut.Flags.NONE,code:l instanceof lt.RSocketError?l.code:lt.ErrorCodes.APPLICATION_ERROR,message:l.message}),this.stream.disconnect(this),n||this.receiver.onError(l)}},l.prototype.onExtension=function(l,n,u){if(!this.outboundDone)return this.streamId?void this.stream.send({streamId:this.streamId,type:ut.FrameTypes.EXT,extendedType:l,extendedContent:n,flags:u?ut.Flags.IGNORE:ut.Flags.NONE}):(this.hasExtension=!0,this.extendedType=l,this.extendedContent=n,void(this.flags=u?ut.Flags.IGNORE:ut.Flags.NONE))},l.prototype.close=function(l){if(!this.inboundDone||!this.outboundDone){var n=this.inboundDone,u=this.outboundDone;this.inboundDone=!0,this.outboundDone=!0,et.cancel(this),u||this.receiver.cancel(),n||(l?this.receiver.onError(l):this.receiver.onComplete())}},l}();$e.RequestChannelRequesterStream=tt;var rt=function(){function l(l,n,u,e,t){if(this.streamId=l,this.stream=n,this.fragmentSize=u,this.handler=e,this.streamType=ut.FrameTypes.REQUEST_CHANNEL,n.connect(this),ut.Flags.hasFollows(t.flags))return et.add(this,t.data,t.metadata),this.initialRequestN=t.requestN,void(this.isComplete=ut.Flags.hasComplete(t.flags));var r={data:t.data,metadata:t.metadata},o=ut.Flags.hasComplete(t.flags);this.inboundDone=o;try{this.receiver=e(r,t.requestN,o,this),this.outboundDone&&this.defferedError&&this.receiver.onError(this.defferedError)}catch(l){this.outboundDone&&!this.inboundDone?this.cancel():this.inboundDone=!0,this.onError(l)}}return l.prototype.handle=function(l){var n,u=l.type;switch(u){case ut.FrameTypes.PAYLOAD:if(ut.Flags.hasFollows(l.flags)){if(et.add(this,l.data,l.metadata))return;n="Unexpected frame size";break}var e=this.hasFragments?et.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata},t=ut.Flags.hasComplete(l.flags);if(this.receiver){if(t&&(this.inboundDone=!0,this.outboundDone&&this.stream.disconnect(this),!ut.Flags.hasNext(l.flags)))return void this.receiver.onComplete();this.receiver.onNext(e,t)}else{(r=this.isComplete||t)&&(this.inboundDone=!0,this.outboundDone&&this.stream.disconnect(this));try{this.receiver=this.handler(e,this.initialRequestN,r,this),this.outboundDone&&this.defferedError}catch(i){this.outboundDone&&!this.inboundDone?this.cancel():this.inboundDone=!0,this.onError(i)}}return;case ut.FrameTypes.REQUEST_N:if(!this.receiver||this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.request(l.requestN);case ut.FrameTypes.ERROR:case ut.FrameTypes.CANCEL:var r=this.inboundDone,o=this.outboundDone;if(this.inboundDone=!0,this.outboundDone=!0,this.stream.disconnect(this),et.cancel(this),!this.receiver)return;if(o||this.receiver.cancel(),!r){var i=u===ut.FrameTypes.CANCEL?new lt.RSocketError(lt.ErrorCodes.CANCELED,"Cancelled"):new lt.RSocketError(l.code,l.message);this.receiver.onError(i)}return;case ut.FrameTypes.EXT:if(!this.receiver||this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.onExtension(l.extendedType,l.extendedContent,ut.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.stream.send({type:ut.FrameTypes.ERROR,flags:ut.Flags.NONE,code:lt.ErrorCodes.CANCELED,message:n,streamId:this.streamId}),this.stream.disconnect(this),this.close(new lt.RSocketError(lt.ErrorCodes.CANCELED,n))},l.prototype.onError=function(l){if(this.outboundDone)console.warn("Trying to error for the second time. ".concat(l?"Dropping error [".concat(l,"]."):""));else{var n=this.inboundDone;this.outboundDone=!0,this.inboundDone=!0,this.stream.send({type:ut.FrameTypes.ERROR,flags:ut.Flags.NONE,code:l instanceof lt.RSocketError?l.code:lt.ErrorCodes.APPLICATION_ERROR,message:l.message,streamId:this.streamId}),this.stream.disconnect(this),n||(this.receiver?this.receiver.onError(l):this.defferedError=l)}},l.prototype.onNext=function(l,n){var u,e;if(!this.outboundDone){if(n&&(this.outboundDone=!0),(0,nt.isFragmentable)(l,this.fragmentSize,ut.FrameTypes.PAYLOAD))try{for(var t=Ze((0,nt.fragment)(this.streamId,l,this.fragmentSize,ut.FrameTypes.PAYLOAD,n)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:ut.FrameTypes.PAYLOAD,flags:ut.Flags.NEXT|(n?ut.Flags.COMPLETE:ut.Flags.NONE)|(l.metadata?ut.Flags.METADATA:ut.Flags.NONE),data:l.data,metadata:l.metadata,streamId:this.streamId});n&&this.inboundDone&&this.stream.disconnect(this)}},l.prototype.onComplete=function(){this.outboundDone||(this.outboundDone=!0,this.stream.send({type:ut.FrameTypes.PAYLOAD,flags:ut.Flags.COMPLETE,streamId:this.streamId,data:null,metadata:null}),this.inboundDone&&this.stream.disconnect(this))},l.prototype.onExtension=function(l,n,u){this.outboundDone&&this.inboundDone||this.stream.send({type:ut.FrameTypes.EXT,streamId:this.streamId,flags:u?ut.Flags.IGNORE:ut.Flags.NONE,extendedType:l,extendedContent:n})},l.prototype.request=function(l){this.inboundDone||this.stream.send({type:ut.FrameTypes.REQUEST_N,flags:ut.Flags.NONE,streamId:this.streamId,requestN:l})},l.prototype.cancel=function(){this.inboundDone||(this.inboundDone=!0,this.stream.send({type:ut.FrameTypes.CANCEL,flags:ut.Flags.NONE,streamId:this.streamId}),this.outboundDone&&this.stream.disconnect(this))},l.prototype.close=function(l){if(this.inboundDone&&this.outboundDone)console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):""));else{var n=this.inboundDone,u=this.outboundDone;this.inboundDone=!0,this.outboundDone=!0,et.cancel(this);var e=this.receiver;e&&(u||e.cancel(),n||(l?e.onError(l):e.onComplete()))}},l}();$e.RequestChannelResponderStream=rt;var ot={},it=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),at=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),st=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&it(n,l,u);return at(n,l),n},ct=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(ot,"__esModule",{value:!0}),ot.RequestFnfResponderStream=ot.RequestFnFRequesterStream=void 0;var dt=Be,ht=He,ft=Le,pt=st(Ye),yt=function(){function l(l,n,u,e){this.payload=l,this.receiver=n,this.fragmentSize=u,this.leaseManager=e,this.streamType=ft.FrameTypes.REQUEST_FNF}return l.prototype.handleReady=function(l,n){var u,e;if(this.done)return!1;if(this.streamId=l,(0,ht.isFragmentable)(this.payload,this.fragmentSize,ft.FrameTypes.REQUEST_FNF))try{for(var t=ct((0,ht.fragment)(l,this.payload,this.fragmentSize,ft.FrameTypes.REQUEST_FNF)),r=t.next();!r.done;r=t.next()){var o=r.value;n.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else n.send({type:ft.FrameTypes.REQUEST_FNF,data:this.payload.data,metadata:this.payload.metadata,flags:this.payload.metadata?ft.Flags.METADATA:0,streamId:l});return this.done=!0,this.receiver.onComplete(),!0},l.prototype.handleReject=function(l){this.done||(this.done=!0,this.receiver.onError(l))},l.prototype.cancel=function(){var l;this.done||(this.done=!0,null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.handle=function(l){l.type!=ft.FrameTypes.ERROR?this.close(new dt.RSocketError(dt.ErrorCodes.CANCELED,"Received invalid frame")):this.close(new dt.RSocketError(l.code,l.message))},l.prototype.close=function(l){this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):l?this.receiver.onError(l):this.receiver.onComplete()},l}();ot.RequestFnFRequesterStream=yt;var mt=function(){function l(l,n,u,e){if(this.streamId=l,this.stream=n,this.handler=u,this.streamType=ft.FrameTypes.REQUEST_FNF,ft.Flags.hasFollows(e.flags))return pt.add(this,e.data,e.metadata),void n.connect(this);var t={data:e.data,metadata:e.metadata};try{this.cancellable=u(t,this)}catch(l){}}return l.prototype.handle=function(l){var n;if(l.type==ft.FrameTypes.PAYLOAD){if(!ft.Flags.hasFollows(l.flags)){this.stream.disconnect(this);var u=pt.reassemble(this,l.data,l.metadata);try{this.cancellable=this.handler(u,this)}catch(l){}return}if(pt.add(this,l.data,l.metadata))return;n="Unexpected fragment size"}else n="Unexpected frame type [".concat(l.type,"]");this.done=!0,l.type!=ft.FrameTypes.CANCEL&&l.type!=ft.FrameTypes.ERROR&&this.stream.send({type:ft.FrameTypes.ERROR,streamId:this.streamId,flags:ft.Flags.NONE,code:dt.ErrorCodes.CANCELED,message:n}),this.stream.disconnect(this),pt.cancel(this)},l.prototype.close=function(l){var n;this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(this.done=!0,pt.cancel(this),null===(n=this.cancellable)||void 0===n||n.cancel())},l.prototype.onError=function(l){},l.prototype.onComplete=function(){},l}();ot.RequestFnfResponderStream=mt;var gt={},bt=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),vt=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),Et=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&bt(n,l,u);return vt(n,l),n},wt=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(gt,"__esModule",{value:!0}),gt.RequestResponseResponderStream=gt.RequestResponseRequesterStream=void 0;var _t=Be,St=He,Tt=Le,Rt=Et(Ye),At=function(){function l(l,n,u,e){this.payload=l,this.receiver=n,this.fragmentSize=u,this.leaseManager=e,this.streamType=Tt.FrameTypes.REQUEST_RESPONSE}return l.prototype.handleReady=function(l,n){var u,e;if(this.done)return!1;if(this.streamId=l,this.stream=n,n.connect(this),(0,St.isFragmentable)(this.payload,this.fragmentSize,Tt.FrameTypes.REQUEST_RESPONSE))try{for(var t=wt((0,St.fragment)(l,this.payload,this.fragmentSize,Tt.FrameTypes.REQUEST_RESPONSE)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:Tt.FrameTypes.REQUEST_RESPONSE,data:this.payload.data,metadata:this.payload.metadata,flags:this.payload.metadata?Tt.Flags.METADATA:0,streamId:l});return this.hasExtension&&this.stream.send({type:Tt.FrameTypes.EXT,streamId:l,extendedContent:this.extendedContent,extendedType:this.extendedType,flags:this.flags}),!0},l.prototype.handleReject=function(l){this.done||(this.done=!0,this.receiver.onError(l))},l.prototype.handle=function(l){var n,u=l.type;switch(u){case Tt.FrameTypes.PAYLOAD:var e=Tt.Flags.hasComplete(l.flags),t=Tt.Flags.hasNext(l.flags);if(e||!Tt.Flags.hasFollows(l.flags)){if(this.done=!0,this.stream.disconnect(this),!t)return void this.receiver.onComplete();var r=this.hasFragments?Rt.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata};return void this.receiver.onNext(r,!0)}if(!Rt.add(this,l.data,l.metadata)){n="Unexpected fragment size";break}return;case Tt.FrameTypes.ERROR:return this.done=!0,this.stream.disconnect(this),Rt.cancel(this),void this.receiver.onError(new _t.RSocketError(l.code,l.message));case Tt.FrameTypes.EXT:if(this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.onExtension(l.extendedType,l.extendedContent,Tt.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.close(new _t.RSocketError(_t.ErrorCodes.CANCELED,n)),this.stream.send({type:Tt.FrameTypes.CANCEL,streamId:this.streamId,flags:Tt.Flags.NONE}),this.stream.disconnect(this)},l.prototype.cancel=function(){var l;this.done||(this.done=!0,this.streamId?(this.stream.send({type:Tt.FrameTypes.CANCEL,flags:Tt.Flags.NONE,streamId:this.streamId}),this.stream.disconnect(this),Rt.cancel(this)):null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.onExtension=function(l,n,u){if(!this.done)return this.streamId?void this.stream.send({streamId:this.streamId,type:Tt.FrameTypes.EXT,extendedType:l,extendedContent:n,flags:u?Tt.Flags.IGNORE:Tt.Flags.NONE}):(this.hasExtension=!0,this.extendedType=l,this.extendedContent=n,void(this.flags=u?Tt.Flags.IGNORE:Tt.Flags.NONE))},l.prototype.close=function(l){this.done||(this.done=!0,Rt.cancel(this),l?this.receiver.onError(l):this.receiver.onComplete())},l}();gt.RequestResponseRequesterStream=At;var Ot=function(){function l(l,n,u,e,t){if(this.streamId=l,this.stream=n,this.fragmentSize=u,this.handler=e,this.streamType=Tt.FrameTypes.REQUEST_RESPONSE,n.connect(this),Tt.Flags.hasFollows(t.flags))Rt.add(this,t.data,t.metadata);else{var r={data:t.data,metadata:t.metadata};try{this.receiver=e(r,this)}catch(l){this.onError(l)}}}return l.prototype.handle=function(l){var n,u;if(!this.receiver||this.hasFragments)if(l.type===Tt.FrameTypes.PAYLOAD){if(!Tt.Flags.hasFollows(l.flags)){var e=Rt.reassemble(this,l.data,l.metadata);try{this.receiver=this.handler(e,this)}catch(l){this.onError(l)}return}if(Rt.add(this,l.data,l.metadata))return;u="Unexpected fragment size"}else u="Unexpected frame type [".concat(l.type,"] during reassembly");else{if(l.type===Tt.FrameTypes.EXT)return void this.receiver.onExtension(l.extendedType,l.extendedContent,Tt.Flags.hasIgnore(l.flags));u="Unexpected frame type [".concat(l.type,"]")}this.done=!0,null===(n=this.receiver)||void 0===n||n.cancel(),l.type!==Tt.FrameTypes.CANCEL&&l.type!==Tt.FrameTypes.ERROR&&this.stream.send({type:Tt.FrameTypes.ERROR,flags:Tt.Flags.NONE,code:_t.ErrorCodes.CANCELED,message:u,streamId:this.streamId}),this.stream.disconnect(this),Rt.cancel(this)},l.prototype.onError=function(l){this.done?console.warn("Trying to error for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(this.done=!0,this.stream.send({type:Tt.FrameTypes.ERROR,flags:Tt.Flags.NONE,code:l instanceof _t.RSocketError?l.code:_t.ErrorCodes.APPLICATION_ERROR,message:l.message,streamId:this.streamId}),this.stream.disconnect(this))},l.prototype.onNext=function(l,n){var u,e;if(!this.done){if(this.done=!0,(0,St.isFragmentable)(l,this.fragmentSize,Tt.FrameTypes.PAYLOAD))try{for(var t=wt((0,St.fragment)(this.streamId,l,this.fragmentSize,Tt.FrameTypes.PAYLOAD,!0)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:Tt.FrameTypes.PAYLOAD,flags:Tt.Flags.NEXT|Tt.Flags.COMPLETE|(l.metadata?Tt.Flags.METADATA:0),data:l.data,metadata:l.metadata,streamId:this.streamId});this.stream.disconnect(this)}},l.prototype.onComplete=function(){this.done||(this.done=!0,this.stream.send({type:Tt.FrameTypes.PAYLOAD,flags:Tt.Flags.COMPLETE,streamId:this.streamId,data:null,metadata:null}),this.stream.disconnect(this))},l.prototype.onExtension=function(l,n,u){this.done||this.stream.send({type:Tt.FrameTypes.EXT,streamId:this.streamId,flags:u?Tt.Flags.IGNORE:Tt.Flags.NONE,extendedType:l,extendedContent:n})},l.prototype.close=function(l){var n;this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(Rt.cancel(this),null===(n=this.receiver)||void 0===n||n.cancel())},l}();gt.RequestResponseResponderStream=Ot;var Ct={},Ft=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),It=o&&o.__setModuleDefault||(Object.create?function(l,n){Object.defineProperty(l,"default",{enumerable:!0,value:n})}:function(l,n){l.default=n}),kt=o&&o.__importStar||function(l){if(l&&l.__esModule)return l;var n={};if(null!=l)for(var u in l)"default"!==u&&Object.prototype.hasOwnProperty.call(l,u)&&Ft(n,l,u);return It(n,l),n},Pt=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(Ct,"__esModule",{value:!0}),Ct.RequestStreamResponderStream=Ct.RequestStreamRequesterStream=void 0;var Lt=Be,Nt=He,xt=Le,Ut=kt(Ye),Dt=function(){function l(l,n,u,e,t){this.payload=l,this.receiver=n,this.fragmentSize=u,this.initialRequestN=e,this.leaseManager=t,this.streamType=xt.FrameTypes.REQUEST_STREAM}return l.prototype.handleReady=function(l,n){var u,e;if(this.done)return!1;if(this.streamId=l,this.stream=n,n.connect(this),(0,Nt.isFragmentable)(this.payload,this.fragmentSize,xt.FrameTypes.REQUEST_STREAM))try{for(var t=Pt((0,Nt.fragmentWithRequestN)(l,this.payload,this.fragmentSize,xt.FrameTypes.REQUEST_STREAM,this.initialRequestN)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:xt.FrameTypes.REQUEST_STREAM,data:this.payload.data,metadata:this.payload.metadata,requestN:this.initialRequestN,flags:void 0!==this.payload.metadata?xt.Flags.METADATA:0,streamId:l});return this.hasExtension&&this.stream.send({type:xt.FrameTypes.EXT,streamId:l,extendedContent:this.extendedContent,extendedType:this.extendedType,flags:this.flags}),!0},l.prototype.handleReject=function(l){this.done||(this.done=!0,this.receiver.onError(l))},l.prototype.handle=function(l){var n,u=l.type;switch(u){case xt.FrameTypes.PAYLOAD:var e=xt.Flags.hasComplete(l.flags),t=xt.Flags.hasNext(l.flags);if(e||!xt.Flags.hasFollows(l.flags)){if(e&&(this.done=!0,this.stream.disconnect(this),!t))return void this.receiver.onComplete();var r=this.hasFragments?Ut.reassemble(this,l.data,l.metadata):{data:l.data,metadata:l.metadata};return void this.receiver.onNext(r,e)}if(!Ut.add(this,l.data,l.metadata)){n="Unexpected fragment size";break}return;case xt.FrameTypes.ERROR:return this.done=!0,this.stream.disconnect(this),Ut.cancel(this),void this.receiver.onError(new Lt.RSocketError(l.code,l.message));case xt.FrameTypes.EXT:if(this.hasFragments){n="Unexpected frame type [".concat(u,"] during reassembly");break}return void this.receiver.onExtension(l.extendedType,l.extendedContent,xt.Flags.hasIgnore(l.flags));default:n="Unexpected frame type [".concat(u,"]")}this.close(new Lt.RSocketError(Lt.ErrorCodes.CANCELED,n)),this.stream.send({type:xt.FrameTypes.CANCEL,streamId:this.streamId,flags:xt.Flags.NONE}),this.stream.disconnect(this)},l.prototype.request=function(l){this.done||(this.streamId?this.stream.send({type:xt.FrameTypes.REQUEST_N,flags:xt.Flags.NONE,requestN:l,streamId:this.streamId}):this.initialRequestN+=l)},l.prototype.cancel=function(){var l;this.done||(this.done=!0,this.streamId?(this.stream.send({type:xt.FrameTypes.CANCEL,flags:xt.Flags.NONE,streamId:this.streamId}),this.stream.disconnect(this),Ut.cancel(this)):null===(l=this.leaseManager)||void 0===l||l.cancelRequest(this))},l.prototype.onExtension=function(l,n,u){if(!this.done)return this.streamId?void this.stream.send({streamId:this.streamId,type:xt.FrameTypes.EXT,extendedType:l,extendedContent:n,flags:u?xt.Flags.IGNORE:xt.Flags.NONE}):(this.hasExtension=!0,this.extendedType=l,this.extendedContent=n,void(this.flags=u?xt.Flags.IGNORE:xt.Flags.NONE))},l.prototype.close=function(l){this.done||(this.done=!0,Ut.cancel(this),l?this.receiver.onError(l):this.receiver.onComplete())},l}();Ct.RequestStreamRequesterStream=Dt;var Bt=function(){function l(l,n,u,e,t){if(this.streamId=l,this.stream=n,this.fragmentSize=u,this.handler=e,this.streamType=xt.FrameTypes.REQUEST_STREAM,n.connect(this),xt.Flags.hasFollows(t.flags))return this.initialRequestN=t.requestN,void Ut.add(this,t.data,t.metadata);var r={data:t.data,metadata:t.metadata};try{this.receiver=e(r,t.requestN,this)}catch(l){this.onError(l)}}return l.prototype.handle=function(l){var n,u;if(!this.receiver||this.hasFragments)if(l.type===xt.FrameTypes.PAYLOAD){if(!xt.Flags.hasFollows(l.flags)){var e=Ut.reassemble(this,l.data,l.metadata);try{this.receiver=this.handler(e,this.initialRequestN,this)}catch(l){this.onError(l)}return}if(Ut.add(this,l.data,l.metadata))return;u="Unexpected frame size"}else u="Unexpected frame type [".concat(l.type,"] during reassembly");else{if(l.type===xt.FrameTypes.REQUEST_N)return void this.receiver.request(l.requestN);if(l.type===xt.FrameTypes.EXT)return void this.receiver.onExtension(l.extendedType,l.extendedContent,xt.Flags.hasIgnore(l.flags));u="Unexpected frame type [".concat(l.type,"]")}this.done=!0,Ut.cancel(this),null===(n=this.receiver)||void 0===n||n.cancel(),l.type!==xt.FrameTypes.CANCEL&&l.type!==xt.FrameTypes.ERROR&&this.stream.send({type:xt.FrameTypes.ERROR,flags:xt.Flags.NONE,code:Lt.ErrorCodes.CANCELED,message:u,streamId:this.streamId}),this.stream.disconnect(this)},l.prototype.onError=function(l){this.done?console.warn("Trying to error for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(this.done=!0,this.stream.send({type:xt.FrameTypes.ERROR,flags:xt.Flags.NONE,code:l instanceof Lt.RSocketError?l.code:Lt.ErrorCodes.APPLICATION_ERROR,message:l.message,streamId:this.streamId}),this.stream.disconnect(this))},l.prototype.onNext=function(l,n){var u,e;if(!this.done){if(n&&(this.done=!0),(0,Nt.isFragmentable)(l,this.fragmentSize,xt.FrameTypes.PAYLOAD))try{for(var t=Pt((0,Nt.fragment)(this.streamId,l,this.fragmentSize,xt.FrameTypes.PAYLOAD,n)),r=t.next();!r.done;r=t.next()){var o=r.value;this.stream.send(o)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}else this.stream.send({type:xt.FrameTypes.PAYLOAD,flags:xt.Flags.NEXT|(n?xt.Flags.COMPLETE:xt.Flags.NONE)|(l.metadata?xt.Flags.METADATA:xt.Flags.NONE),data:l.data,metadata:l.metadata,streamId:this.streamId});n&&this.stream.disconnect(this)}},l.prototype.onComplete=function(){this.done||(this.done=!0,this.stream.send({type:xt.FrameTypes.PAYLOAD,flags:xt.Flags.COMPLETE,streamId:this.streamId,data:null,metadata:null}),this.stream.disconnect(this))},l.prototype.onExtension=function(l,n,u){this.done||this.stream.send({type:xt.FrameTypes.EXT,streamId:this.streamId,flags:u?xt.Flags.IGNORE:xt.Flags.NONE,extendedType:l,extendedContent:n})},l.prototype.close=function(l){var n;this.done?console.warn("Trying to close for the second time. ".concat(l?"Dropping error [".concat(l,"]."):"")):(Ut.cancel(this),null===(n=this.receiver)||void 0===n||n.cancel())},l}();Ct.RequestStreamResponderStream=Bt,Object.defineProperty(Qe,"__esModule",{value:!0}),Qe.KeepAliveSender=Qe.KeepAliveHandler=Qe.DefaultConnectionFrameHandler=Qe.DefaultStreamRequestHandler=Qe.LeaseHandler=Qe.RSocketRequester=void 0;var Mt=Be,qt=Le,jt=$e,Wt=ot,zt=gt,Qt=Ct,$t=function(){function l(l,n,u){this.connection=l,this.fragmentSize=n,this.leaseManager=u}return l.prototype.fireAndForget=function(l,n){var u=new Wt.RequestFnFRequesterStream(l,n,this.fragmentSize,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(u):this.connection.multiplexerDemultiplexer.createRequestStream(u),u},l.prototype.requestResponse=function(l,n){var u=new zt.RequestResponseRequesterStream(l,n,this.fragmentSize,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(u):this.connection.multiplexerDemultiplexer.createRequestStream(u),u},l.prototype.requestStream=function(l,n,u){var e=new Qt.RequestStreamRequesterStream(l,u,this.fragmentSize,n,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(e):this.connection.multiplexerDemultiplexer.createRequestStream(e),e},l.prototype.requestChannel=function(l,n,u,e){var t=new jt.RequestChannelRequesterStream(l,u,e,this.fragmentSize,n,this.leaseManager);return this.leaseManager?this.leaseManager.requestLease(t):this.connection.multiplexerDemultiplexer.createRequestStream(t),t},l.prototype.metadataPush=function(l,n){throw new Error("Method not implemented.")},l.prototype.close=function(l){this.connection.close(l)},l.prototype.onClose=function(l){this.connection.onClose(l)},l}();Qe.RSocketRequester=$t;var Ht=function(){function l(l,n){this.maxPendingRequests=l,this.multiplexer=n,this.pendingRequests=[],this.expirationTime=0,this.availableLease=0}return l.prototype.handle=function(l){for(this.expirationTime=l.ttl+Date.now(),this.availableLease=l.requestCount;this.availableLease>0&&this.pendingRequests.length>0;){var n=this.pendingRequests.shift();this.availableLease--,this.multiplexer.createRequestStream(n)}},l.prototype.requestLease=function(l){var n=this.availableLease;if(n>0&&Date.now()<this.expirationTime)return this.availableLease=n-1,void this.multiplexer.createRequestStream(l);this.pendingRequests.length>=this.maxPendingRequests?l.handleReject(new Mt.RSocketError(Mt.ErrorCodes.REJECTED,"No available lease given")):this.pendingRequests.push(l)},l.prototype.cancelRequest=function(l){var n=this.pendingRequests.indexOf(l);n>-1&&this.pendingRequests.splice(n,1)},l}();Qe.LeaseHandler=Ht;var Vt=function(){function l(l,n){this.rsocket=l,this.fragmentSize=n}return l.prototype.handle=function(l,n){switch(l.type){case qt.FrameTypes.REQUEST_FNF:return void(this.rsocket.fireAndForget&&new Wt.RequestFnfResponderStream(l.streamId,n,this.rsocket.fireAndForget.bind(this.rsocket),l));case qt.FrameTypes.REQUEST_RESPONSE:return this.rsocket.requestResponse?void new zt.RequestResponseResponderStream(l.streamId,n,this.fragmentSize,this.rsocket.requestResponse.bind(this.rsocket),l):void this.rejectRequest(l.streamId,n);case qt.FrameTypes.REQUEST_STREAM:return this.rsocket.requestStream?void new Qt.RequestStreamResponderStream(l.streamId,n,this.fragmentSize,this.rsocket.requestStream.bind(this.rsocket),l):void this.rejectRequest(l.streamId,n);case qt.FrameTypes.REQUEST_CHANNEL:return this.rsocket.requestChannel?void new jt.RequestChannelResponderStream(l.streamId,n,this.fragmentSize,this.rsocket.requestChannel.bind(this.rsocket),l):void this.rejectRequest(l.streamId,n)}},l.prototype.rejectRequest=function(l,n){n.send({type:qt.FrameTypes.ERROR,streamId:l,flags:qt.Flags.NONE,code:Mt.ErrorCodes.REJECTED,message:"No available handler found"})},l.prototype.close=function(){},l}();Qe.DefaultStreamRequestHandler=Vt;var Jt,Yt=function(){function l(l,n,u,e,t){this.connection=l,this.keepAliveHandler=n,this.keepAliveSender=u,this.leaseHandler=e,this.rsocket=t}return l.prototype.handle=function(l){switch(l.type){case qt.FrameTypes.KEEPALIVE:return void this.keepAliveHandler.handle(l);case qt.FrameTypes.LEASE:return this.leaseHandler?void this.leaseHandler.handle(l):void 0;case qt.FrameTypes.ERROR:return void this.connection.close(new Mt.RSocketError(l.code,l.message));case qt.FrameTypes.METADATA_PUSH:return void this.rsocket.metadataPush;default:this.connection.multiplexerDemultiplexer.connectionOutbound.send({type:qt.FrameTypes.ERROR,streamId:0,flags:qt.Flags.NONE,message:"Received unknown frame type",code:Mt.ErrorCodes.CONNECTION_ERROR})}},l.prototype.pause=function(){var l;this.keepAliveHandler.pause(),null===(l=this.keepAliveSender)||void 0===l||l.pause()},l.prototype.resume=function(){var l;this.keepAliveHandler.start(),null===(l=this.keepAliveSender)||void 0===l||l.start()},l.prototype.close=function(l){var n;this.keepAliveHandler.close(),null===(n=this.rsocket.close)||void 0===n||n.call(this.rsocket,l)},l}();Qe.DefaultConnectionFrameHandler=Yt,function(l){l[l.Paused=0]="Paused",l[l.Running=1]="Running",l[l.Closed=2]="Closed"}(Jt||(Jt={}));var Xt,Gt=function(){function l(l,n){this.connection=l,this.keepAliveTimeoutDuration=n,this.state=Jt.Paused,this.outbound=l.multiplexerDemultiplexer.connectionOutbound}return l.prototype.handle=function(l){this.keepAliveLastReceivedMillis=Date.now(),qt.Flags.hasRespond(l.flags)&&this.outbound.send({type:qt.FrameTypes.KEEPALIVE,streamId:0,data:l.data,flags:l.flags^qt.Flags.RESPOND,lastReceivedPosition:0})},l.prototype.start=function(){this.state===Jt.Paused&&(this.keepAliveLastReceivedMillis=Date.now(),this.state=Jt.Running,this.activeTimeout=setTimeout(this.timeoutCheck.bind(this),this.keepAliveTimeoutDuration))},l.prototype.pause=function(){this.state===Jt.Running&&(this.state=Jt.Paused,clearTimeout(this.activeTimeout))},l.prototype.close=function(){this.state=Jt.Closed,clearTimeout(this.activeTimeout)},l.prototype.timeoutCheck=function(){var l=Date.now()-this.keepAliveLastReceivedMillis;l>=this.keepAliveTimeoutDuration?this.connection.close(new Error("No keep-alive acks for ".concat(this.keepAliveTimeoutDuration," millis"))):this.activeTimeout=setTimeout(this.timeoutCheck.bind(this),Math.max(100,this.keepAliveTimeoutDuration-l))},l}();Qe.KeepAliveHandler=Gt,function(l){l[l.Paused=0]="Paused",l[l.Running=1]="Running",l[l.Closed=2]="Closed"}(Xt||(Xt={}));var Kt=function(){function l(l,n){this.outbound=l,this.keepAlivePeriodDuration=n,this.state=Xt.Paused}return l.prototype.sendKeepAlive=function(){this.outbound.send({type:qt.FrameTypes.KEEPALIVE,streamId:0,data:void 0,flags:qt.Flags.RESPOND,lastReceivedPosition:0})},l.prototype.start=function(){this.state===Xt.Paused&&(this.state=Xt.Running,this.activeInterval=setInterval(this.sendKeepAlive.bind(this),this.keepAlivePeriodDuration))},l.prototype.pause=function(){this.state===Xt.Running&&(this.state=Xt.Paused,clearInterval(this.activeInterval))},l.prototype.close=function(){this.state=Xt.Closed,clearInterval(this.activeInterval)},l}();Qe.KeepAliveSender=Kt;var Zt,lr,nr={};function ur(){if(Zt)return nr;Zt=1;var l=o&&o.__values||function(l){var n="function"==typeof Symbol&&Symbol.iterator,u=n&&l[n],e=0;if(u)return u.call(l);if(l&&"number"==typeof l.length)return{next:function(){return l&&e>=l.length&&(l=void 0),{value:l&&l[e++],done:!l}}};throw new TypeError(n?"Object is not iterable.":"Symbol.iterator is not defined.")};Object.defineProperty(nr,"__esModule",{value:!0}),nr.FrameStore=void 0;var n=sr(),u=Pe,e=function(){function e(){this.storedFrames=[],this._lastReceivedFramePosition=0,this._firstAvailableFramePosition=0,this._lastSentFramePosition=0}return Object.defineProperty(e.prototype,"lastReceivedFramePosition",{get:function(){return this._lastReceivedFramePosition},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"firstAvailableFramePosition",{get:function(){return this._firstAvailableFramePosition},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"lastSentFramePosition",{get:function(){return this._lastSentFramePosition},enumerable:!1,configurable:!0}),e.prototype.store=function(l){this._lastSentFramePosition+=(0,u.sizeOfFrame)(l),this.storedFrames.push(l)},e.prototype.record=function(l){this._lastReceivedFramePosition+=(0,u.sizeOfFrame)(l)},e.prototype.dropTo=function(l){for(var e=l-this._firstAvailableFramePosition;e>0&&this.storedFrames.length>0;){var t=this.storedFrames.shift();e-=(0,u.sizeOfFrame)(t)}if(0!==e)throw new n.RSocketError(n.ErrorCodes.CONNECTION_ERROR,"State inconsistency. Expected bytes to drop ".concat(l-this._firstAvailableFramePosition," but actual ").concat(e));this._firstAvailableFramePosition=l},e.prototype.drain=function(n){var u,e;try{for(var t=l(this.storedFrames),r=t.next();!r.done;r=t.next()){n(r.value)}}catch(l){u={error:l}}finally{try{r&&!r.done&&(e=t.return)&&e.call(t)}finally{if(u)throw u.error}}},e}();return nr.FrameStore=e,nr}function er(){if(lr)return je;lr=1;var l=o&&o.__awaiter||function(l,n,u,e){return new(u||(u=Promise))((function(t,r){function o(l){try{a(e.next(l))}catch(l){r(l)}}function i(l){try{a(e.throw(l))}catch(l){r(l)}}function a(l){var n;l.done?t(l.value):(n=l.value,n instanceof u?n:new u((function(l){l(n)}))).then(o,i)}a((e=e.apply(l,n||[])).next())}))},n=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(je,"__esModule",{value:!0}),je.RSocketConnector=void 0;var u=ze(),e=Le,t=Qe,r=ur(),i=function(){function o(l){this.config=l}return o.prototype.connect=function(){var o,i,a,s,c,d,h,f,p,y,m,g,b,v,E,w,_,S,T,R;return l(this,void 0,void 0,(function(){var A,O,C,F,I,k,P,L,N,x=this;return n(this,(function(U){switch(U.label){case 0:return A=this.config,O={type:e.FrameTypes.SETUP,dataMimeType:null!==(i=null===(o=A.setup)||void 0===o?void 0:o.dataMimeType)&&void 0!==i?i:"application/octet-stream",metadataMimeType:null!==(s=null===(a=A.setup)||void 0===a?void 0:a.metadataMimeType)&&void 0!==s?s:"application/octet-stream",keepAlive:null!==(d=null===(c=A.setup)||void 0===c?void 0:c.keepAlive)&&void 0!==d?d:6e4,lifetime:null!==(f=null===(h=A.setup)||void 0===h?void 0:h.lifetime)&&void 0!==f?f:3e5,metadata:null===(y=null===(p=A.setup)||void 0===p?void 0:p.payload)||void 0===y?void 0:y.metadata,data:null===(g=null===(m=A.setup)||void 0===m?void 0:m.payload)||void 0===g?void 0:g.data,resumeToken:null!==(v=null===(b=A.resume)||void 0===b?void 0:b.tokenGenerator())&&void 0!==v?v:null,streamId:0,majorVersion:1,minorVersion:0,flags:((null===(w=null===(E=A.setup)||void 0===E?void 0:E.payload)||void 0===w?void 0:w.metadata)?e.Flags.METADATA:e.Flags.NONE)|(A.lease?e.Flags.LEASE:e.Flags.NONE)|(A.resume?e.Flags.RESUME_ENABLE:e.Flags.NONE)},[4,A.transport.connect((function(t){return A.resume?new u.ResumableClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(-1),t,t,new r.FrameStore,O.resumeToken.toString(),(function(t,r){return l(x,void 0,void 0,(function(){var l,o,i;return n(this,(function(n){switch(n.label){case 0:return l=function(l){return l.send({type:e.FrameTypes.RESUME,streamId:0,flags:e.Flags.NONE,clientPosition:r.firstAvailableFramePosition,serverPosition:r.lastReceivedFramePosition,majorVersion:O.minorVersion,minorVersion:O.majorVersion,resumeToken:O.resumeToken}),new u.ResumeOkAwaitingResumableClientServerInputMultiplexerDemultiplexer(l,l,t)},o=-1,[4,(i=function(){return o++,A.resume.reconnectFunction(o).then((function(){return A.transport.connect(l).catch(i)}))})()];case 1:return n.sent(),[2]}}))}))})):new u.ClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(-1),t,t)}))];case 1:return C=U.sent(),F=new t.KeepAliveSender(C.multiplexerDemultiplexer.connectionOutbound,O.keepAlive),I=new t.KeepAliveHandler(C,O.lifetime),k=A.lease?new t.LeaseHandler(null!==(_=A.lease.maxPendingRequests)&&void 0!==_?_:256,C.multiplexerDemultiplexer):void 0,P=null!==(S=A.responder)&&void 0!==S?S:{},L=new t.DefaultConnectionFrameHandler(C,I,F,k,P),N=new t.DefaultStreamRequestHandler(P,0),C.onClose((function(l){F.close(),I.close(),L.close(l)})),C.multiplexerDemultiplexer.connectionInbound(L),C.multiplexerDemultiplexer.handleRequestStream(N),C.multiplexerDemultiplexer.connectionOutbound.send(O),I.start(),F.start(),[2,new t.RSocketRequester(C,null!==(R=null===(T=A.fragmentation)||void 0===T?void 0:T.maxOutboundFragmentSize)&&void 0!==R?R:0,k)]}}))}))},o}();return je.RSocketConnector=i,je}var tr,rr={};function or(){if(tr)return rr;tr=1;var l=o&&o.__awaiter||function(l,n,u,e){return new(u||(u=Promise))((function(t,r){function o(l){try{a(e.next(l))}catch(l){r(l)}}function i(l){try{a(e.throw(l))}catch(l){r(l)}}function a(l){var n;l.done?t(l.value):(n=l.value,n instanceof u?n:new u((function(l){l(n)}))).then(o,i)}a((e=e.apply(l,n||[])).next())}))},n=o&&o.__generator||function(l,n){var u,e,t,r,o={label:0,sent:function(){if(1&t[0])throw t[1];return t[1]},trys:[],ops:[]};return r={next:i(0),throw:i(1),return:i(2)},"function"==typeof Symbol&&(r[Symbol.iterator]=function(){return this}),r;function i(r){return function(i){return function(r){if(u)throw new TypeError("Generator is already executing.");for(;o;)try{if(u=1,e&&(t=2&r[0]?e.return:r[0]?e.throw||((t=e.return)&&t.call(e),0):e.next)&&!(t=t.call(e,r[1])).done)return t;switch(e=0,t&&(r=[2&r[0],t.value]),r[0]){case 0:case 1:t=r;break;case 4:return o.label++,{value:r[1],done:!1};case 5:o.label++,e=r[1],r=[0];continue;case 7:r=o.ops.pop(),o.trys.pop();continue;default:if(!(t=o.trys,(t=t.length>0&&t[t.length-1])||6!==r[0]&&2!==r[0])){o=0;continue}if(3===r[0]&&(!t||r[1]>t[0]&&r[1]<t[3])){o.label=r[1];break}if(6===r[0]&&o.label<t[1]){o.label=t[1],t=r;break}if(t&&o.label<t[2]){o.label=t[2],o.ops.push(r);break}t[2]&&o.ops.pop(),o.trys.pop();continue}r=n.call(l,o)}catch(l){r=[6,l],e=0}finally{u=t=0}if(5&r[0])throw r[1];return{value:r[0]?r[1]:void 0,done:!0}}([r,i])}}};Object.defineProperty(rr,"__esModule",{value:!0}),rr.RSocketServer=void 0;var u=ze(),e=Be,t=Le,r=Qe,i=ur(),a=function(){function o(l){var n,u;this.acceptor=l.acceptor,this.transport=l.transport,this.lease=l.lease,this.serverSideKeepAlive=l.serverSideKeepAlive,this.sessionStore=l.resume?{}:void 0,this.sessionTimeout=null!==(u=null===(n=l.resume)||void 0===n?void 0:n.sessionTimeout)&&void 0!==u?u:void 0}return o.prototype.bind=function(){return l(this,void 0,void 0,(function(){var o=this;return n(this,(function(a){switch(a.label){case 0:return[4,this.transport.bind((function(u,i){return l(o,void 0,void 0,(function(){var l,o,a,s,c,d,h,f,p,y,m,g,b;return n(this,(function(n){switch(n.label){case 0:switch(u.type){case t.FrameTypes.SETUP:return[3,1];case t.FrameTypes.RESUME:return[3,5]}return[3,6];case 1:return n.trys.push([1,3,,4]),this.lease&&!t.Flags.hasLease(u.flags)?(l=new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,"Lease has to be enabled"),i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,flags:t.Flags.NONE,code:l.code,message:l.message}),i.close(l),[2]):t.Flags.hasLease(u.flags)&&!this.lease?(l=new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,"Lease has to be disabled"),i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,flags:t.Flags.NONE,code:l.code,message:l.message}),i.close(l),[2]):(o=t.Flags.hasLease(u.flags)?new r.LeaseHandler(null!==(y=this.lease.maxPendingRequests)&&void 0!==y?y:256,i.multiplexerDemultiplexer):void 0,a=new r.RSocketRequester(i,null!==(g=null===(m=this.fragmentation)||void 0===m?void 0:m.maxOutboundFragmentSize)&&void 0!==g?g:0,o),[4,this.acceptor.accept({data:u.data,dataMimeType:u.dataMimeType,metadata:u.metadata,metadataMimeType:u.metadataMimeType,flags:u.flags,keepAliveMaxLifetime:u.lifetime,keepAliveInterval:u.keepAlive,resumeToken:u.resumeToken},a)]);case 2:return s=n.sent(),c=new r.KeepAliveHandler(i,u.lifetime),d=this.serverSideKeepAlive?new r.KeepAliveSender(i.multiplexerDemultiplexer.connectionOutbound,u.keepAlive):void 0,h=new r.DefaultConnectionFrameHandler(i,c,d,o,s),f=new r.DefaultStreamRequestHandler(s,0),i.onClose((function(l){null==d||d.close(),c.close(),h.close(l)})),i.multiplexerDemultiplexer.connectionInbound(h),i.multiplexerDemultiplexer.handleRequestStream(f),c.start(),null==d||d.start(),[3,4];case 3:return p=n.sent(),i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.REJECTED_SETUP,message:null!==(b=p.message)&&void 0!==b?b:"",flags:t.Flags.NONE}),i.close(p instanceof e.RSocketError?p:new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,p.message)),[3,4];case 4:case 5:return[2];case 6:i.multiplexerDemultiplexer.connectionOutbound.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.UNSUPPORTED_SETUP,message:"Unsupported setup",flags:t.Flags.NONE}),i.close(new e.RSocketError(e.ErrorCodes.UNSUPPORTED_SETUP)),n.label=7;case 7:return[2]}}))}))}),(function(l,n){if(l.type===t.FrameTypes.RESUME){if(o.sessionStore){var r=o.sessionStore[l.resumeToken.toString()];return r?(r.resume(l,n,n),r):(n.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.REJECTED_RESUME,message:"No session found for the given resume token",flags:t.Flags.NONE}),void n.close())}return n.send({type:t.FrameTypes.ERROR,streamId:0,code:e.ErrorCodes.REJECTED_RESUME,message:"Resume is not enabled",flags:t.Flags.NONE}),void n.close()}if(l.type===t.FrameTypes.SETUP&&t.Flags.hasResume(l.flags)){if(!o.sessionStore){var a=new e.RSocketError(e.ErrorCodes.REJECTED_SETUP,"No resume support");return n.send({type:t.FrameTypes.ERROR,streamId:0,flags:t.Flags.NONE,code:a.code,message:a.message}),void n.close(a)}var s=new u.ResumableClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(0),n,n,new i.FrameStore,l.resumeToken.toString(),o.sessionStore,o.sessionTimeout);return o.sessionStore[l.resumeToken.toString()]=s,s}return new u.ClientServerInputMultiplexerDemultiplexer(u.StreamIdGenerator.create(0),n,n)}))];case 1:return[2,a.sent()]}}))}))},o}();return rr.RSocketServer=a,rr}var ir,ar={};function sr(){return ir||(ir=1,function(l){var n=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),u=o&&o.__exportStar||function(l,u){for(var e in l)"default"===e||Object.prototype.hasOwnProperty.call(u,e)||n(u,l,e)};Object.defineProperty(l,"__esModule",{value:!0}),u(Pe,l),u(Ne,l),u(xe,l),u(Be,l),u(Le,l),u(Me,l),u(er(),l),u(or(),l),u(ar,l)}(Ie)),Ie}Object.defineProperty(ar,"__esModule",{value:!0});var cr,dr=sr(),hr={},fr={},pr={},yr=o&&o.__extends||(cr=function(l,n){return cr=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(l,n){l.__proto__=n}||function(l,n){for(var u in n)Object.prototype.hasOwnProperty.call(n,u)&&(l[u]=n[u])},cr(l,n)},function(l,n){if("function"!=typeof n&&null!==n)throw new TypeError("Class extends value "+String(n)+" is not a constructor or null");function u(){this.constructor=l}cr(l,n),l.prototype=null===n?Object.create(n):(u.prototype=n.prototype,new u)});Object.defineProperty(pr,"__esModule",{value:!0}),pr.WebsocketDuplexConnection=void 0;var mr=sr(),gr=function(l){function n(n,u,e){var t=l.call(this)||this;return t.websocket=n,t.deserializer=u,t.handleClosed=function(l){t.close(new Error(l.reason||"WebsocketDuplexConnection: Socket closed unexpectedly."))},t.handleError=function(l){t.close(l.error)},t.handleMessage=function(l){try{var n=ke.Buffer.from(l.data),u=t.deserializer.deserializeFrame(n);t.multiplexerDemultiplexer.handle(u)}catch(l){t.close(l)}},n.addEventListener("close",t.handleClosed),n.addEventListener("error",t.handleError),n.addEventListener("message",t.handleMessage),t.multiplexerDemultiplexer=e(t),t}return yr(n,l),Object.defineProperty(n.prototype,"availability",{get:function(){return this.done?0:1},enumerable:!1,configurable:!0}),n.prototype.close=function(n){this.done||(this.websocket.removeEventListener("close",this.handleClosed),this.websocket.removeEventListener("error",this.handleError),this.websocket.removeEventListener("message",this.handleMessage),this.websocket.close(),delete this.websocket),l.prototype.close.call(this,n)},n.prototype.send=function(l){if(!this.done){var n=(0,mr.serializeFrame)(l);this.websocket.send(n)}},n}(mr.Deferred);pr.WebsocketDuplexConnection=gr,Object.defineProperty(fr,"__esModule",{value:!0}),fr.WebsocketClientTransport=void 0;var br=sr(),vr=pr,Er=function(){function l(l){var n;this.url=l.url,this.factory=null!==(n=l.wsCreator)&&void 0!==n?n:function(l){return new WebSocket(l)}}return l.prototype.connect=function(l){var n=this;return new Promise((function(u,e){var t=n.factory(n.url);t.binaryType="arraybuffer";var r=function(){t.removeEventListener("open",r),t.removeEventListener("error",o),u(new vr.WebsocketDuplexConnection(t,new br.Deserializer,l))},o=function(l){t.removeEventListener("open",r),t.removeEventListener("error",o),e(l.error)};t.addEventListener("open",r),t.addEventListener("error",o)}))},l}();fr.WebsocketClientTransport=Er,function(l){var n=o&&o.__createBinding||(Object.create?function(l,n,u,e){void 0===e&&(e=u),Object.defineProperty(l,e,{enumerable:!0,get:function(){return n[u]}})}:function(l,n,u,e){void 0===e&&(e=u),l[e]=n[u]}),u=o&&o.__exportStar||function(l,u){for(var e in l)"default"===e||Object.prototype.hasOwnProperty.call(u,e)||n(u,l,e)};Object.defineProperty(l,"__esModule",{value:!0}),u(fr,l)}(hr);var wr="1.26.0";const _r={highWater:10,lowWater:0};class Sr extends v{options;dataQueue;isClosed;processingPromise;logger;constructor(n){if(super(),this.options=n,this.processingPromise=null,this.isClosed=!1,this.dataQueue=[],this.logger=n?.logger??js_logger__WEBPACK_IMPORTED_MODULE_0__.get("DataStream"),n?.closeOnError){const l=this.registerListener({error:n=>{l?.(),this.close()}})}}get highWatermark(){return this.options?.pressure?.highWaterMark??_r.highWater}get lowWatermark(){return this.options?.pressure?.lowWaterMark??_r.lowWater}get closed(){return this.isClosed}async close(){this.isClosed=!0,await this.processingPromise,this.iterateListeners((l=>l.closed?.())),this.dataQueue=[],this.listeners.clear()}enqueueData(l){if(this.isClosed)throw new Error("Cannot enqueue data into closed stream.");this.dataQueue.push(l),this.processQueue()}async read(){return this.closed?null:new Promise(((l,n)=>{const u=this.registerListener({data:async n=>{l(n),u?.()},closed:()=>{l(null),u?.()},error:l=>{n(l),u?.()}});this.processQueue()}))}forEach(l){return this.dataQueue.length<=this.lowWatermark&&this.iterateAsyncErrored((async l=>l.lowWater?.())),this.registerListener({data:l})}async processQueue(){if(!this.processingPromise)return this.dataQueue.length>=this.highWatermark&&await this.iterateAsyncErrored((async l=>l.highWater?.())),this.processingPromise=this._processQueue()}map(l){const n=new Sr(this.options),u=this.registerListener({data:async u=>{n.enqueueData(l(u))},closed:()=>{n.close(),u?.()}});return n}hasDataReader(){return Array.from(this.listeners.values()).some((l=>!!l.data))}async _processQueue(){if(!this.isClosed&&this.hasDataReader()){if(this.dataQueue.length){const l=this.dataQueue.shift();await this.iterateAsyncErrored((async n=>n.data?.(l)))}this.dataQueue.length<=this.lowWatermark&&await this.iterateAsyncErrored((async l=>l.lowWater?.())),this.processingPromise=null,this.dataQueue.length&&setTimeout((()=>this.processQueue()))}else Promise.resolve().then((()=>this.processingPromise=null))}async iterateAsyncErrored(l){for(let n of Array.from(this.listeners.values()))try{await l(n)}catch(l){this.logger.error(l),this.iterateListeners((n=>n.error?.(l)))}}}const Tr=/\/+$/,Rr=wr,Ar=js_logger__WEBPACK_IMPORTED_MODULE_0__.get("PowerSyncRemote");var Or;!function(l){l.Buffered="buffered",l.Sequential="sequential"}(Or||(Or={}));class Cr{getFetch(){throw new Error("Unspecified fetch implementation")}}const Fr={socketUrlTransformer:l=>l.replace(/^https?:\/\//,(function(l){return"https://"===l?"wss://":"ws://"})),fetchImplementation:new Cr};class Ir{connector;logger;credentials=null;options;constructor(l,n=Ar,u){this.connector=l,this.logger=n,this.options={...Fr,...u??{}}}get fetch(){const{fetchImplementation:l}=this.options;return l instanceof Cr?l.getFetch():l}async getCredentials(){const{expiresAt:l}=this.credentials??{};if(l&&l>new Date((new Date).valueOf()+3e4))return this.credentials;if(this.credentials=await this.connector.fetchCredentials(),this.credentials?.endpoint.match(Tr))throw new Error(`A trailing forward slash "/" was found in the fetchCredentials endpoint: "${this.credentials.endpoint}". Remove the trailing forward slash "/" to fix this error.`);return this.credentials}getUserAgent(){return`powersync-js/${Rr}`}async buildRequest(l){const n=await this.getCredentials();if(null!=n&&(null==n.endpoint||""==n.endpoint))throw new Error("PowerSync endpoint not configured");if(null==n?.token||""==n?.token){const l=new Error("Not signed in");throw l.status=401,l}const u=this.getUserAgent();return{url:n.endpoint+l,headers:{"content-type":"application/json",Authorization:`Token ${n.token}`,"x-user-agent":u}}}async post(l,n,u={}){const e=await this.buildRequest(l),t=await this.fetch(e.url,{method:"POST",headers:{...u,...e.headers},body:JSON.stringify(n)});if(!t.ok)throw new Error(`Received ${t.status} - ${t.statusText} when posting to ${l}: ${await t.text()}}`);return t.json()}async get(l,n){const u=await this.buildRequest(l),e=await this.fetch(u.url,{method:"GET",headers:{...n,...u.headers}});if(!e.ok)throw new Error(`Received ${e.status} - ${e.statusText} when getting from ${l}: ${await e.text()}}`);return e.json()}async postStreaming(l,n,u={},e){const t=await this.buildRequest(l),r=await this.fetch(t.url,{method:"POST",headers:{...u,...t.headers},body:JSON.stringify(n),signal:e,cache:"no-store"}).catch((n=>{throw this.logger.error(`Caught ex when POST streaming to ${l}`,n),n}));if(!r.ok){const n=await r.text();this.logger.error(`Could not POST streaming to ${l} - ${r.status} - ${r.statusText}: ${n}`);const u=new Error(`HTTP ${r.statusText}: ${n}`);throw u.status=r.status,u}return r}async socketStream(l){const{path:n,fetchStrategy:u=Or.Buffered}=l,e=u==Or.Buffered?10:1,t=await this.buildRequest(n),r=await this.getBSON(),o=this.getUserAgent(),i=new dr.RSocketConnector({transport:new hr.WebsocketClientTransport({url:this.options.socketUrlTransformer(t.url)}),setup:{keepAlive:2e4,lifetime:3e4,dataMimeType:"application/bson",metadataMimeType:"application/bson",payload:{data:null,metadata:fe.Buffer.from(r.serialize({token:t.headers.Authorization,user_agent:o}))}}});let a;try{a=await i.connect()}catch(l){throw new Error(`Could not connect to PowerSync instance: ${JSON.stringify(l)}`)}const s=new Sr({logger:this.logger,pressure:{lowWaterMark:5}});let c=!1;a.onClose((()=>c=!0));let d=e;const h=s.registerListener({closed:()=>{c||(c=!0,a.close()),h()}}),f=await new Promise(((u,t)=>{let o=!1;const i=a.requestStream({data:fe.Buffer.from(r.serialize(l.data)),metadata:fe.Buffer.from(r.serialize({path:n}))},e,{onError:l=>{"Closed. "!==l.message&&this.logger.error(l),s.close(),o||t(l)},onNext:l=>{o||(o=!0,u(i));const{data:n}=l;if(d--,!n)return;const e=r.deserialize(n);s.enqueueData(e)},onComplete:()=>{s.close()},onExtension:()=>{}})})),p=s.registerListener({lowWater:async()=>{e-d>0&&(f.request(e-d),d=e)},closed:()=>{p()}});return l.abortSignal?.aborted?s.close():l.abortSignal?.addEventListener("abort",(()=>{s.close()})),s}async postStream(l){const{data:n,path:u,headers:e,abortSignal:t}=l,r=await this.buildRequest(u),o=new AbortController;let i=!1;t?.addEventListener("abort",(()=>{i||o.abort(t.reason??new P("Cancelling network request before it resolves. Abort signal has been received."))}));const a=await this.fetch(r.url,{method:"POST",headers:{...e,...r.headers},body:JSON.stringify(n),signal:o.signal,cache:"no-store",...l.fetchOptions}).catch((l=>{if("AbortError"==l.name)throw new P(`Pending fetch request to ${r.url} has been aborted.`);throw l}));if(!a)throw new Error("Fetch request was aborted");if(i=!0,!a.ok||!a.body){const l=await a.text();this.logger.error(`Could not POST streaming to ${u} - ${a.status} - ${a.statusText}: ${l}`);const n=new Error(`HTTP ${a.statusText}: ${l}`);throw n.status=a.status,n}const s=a.body.getReader(),c=async()=>{try{await s.cancel()}catch(l){}s.releaseLock()};t?.addEventListener("abort",(()=>{c()}));const d=new Ku({start:l=>{(async()=>{for(;!t?.aborted;)try{const{done:n,value:u}=await s.read();if(n)break;l.enqueue(u)}catch(l){this.logger.error("Caught exception when reading sync stream",l);break}t?.aborted||await c(),l.close()})()}}),h=Fe(d),f=new Sr({logger:this.logger}),p=h.getReader(),y=f.registerListener({lowWater:async()=>{try{const{done:l,value:n}=await p.read();if(l)return f.close(),void y?.();f.enqueueData(n)}catch(l){throw f.close(),l}},closed:()=>{c(),y?.()}});return f}}function kr(l){return null!=l.data}function Pr(l){return null!=l.token_expires_in}function Lr(l){return null!=l.checkpoint}function Nr(l){return null!=l.checkpoint_complete}function xr(l){return null!=l.partial_checkpoint_complete}function Ur(l){return null!=l.checkpoint_diff}function Dr(l){return Array.isArray(l.buckets)&&"string"==typeof l.checkpoint_token}function Br(l){return"object"==typeof l.request_checkpoint}var Mr,qr;!function(l){l.CRUD="crud",l.SYNC="sync"}(Mr||(Mr={})),function(l){l.HTTP="http",l.WEB_SOCKET="web-socket"}(qr||(qr={}));const jr=1e3,Wr=5e3,zr={retryDelayMs:Wr,logger:js_logger__WEBPACK_IMPORTED_MODULE_0__.get("PowerSyncStream"),crudUploadThrottleMs:jr},Qr={connectionMethod:qr.WEB_SOCKET,fetchStrategy:Or.Buffered,params:{}};class $r extends v{_lastSyncedAt;options;abortController;crudUpdateListener;streamingSyncPromise;syncStatus;triggerCrudUpload;constructor(l){super(),this.options={...zr,...l},this.syncStatus=new g({connected:!1,connecting:!1,lastSyncedAt:void 0,dataFlow:{uploading:!1,downloading:!1}}),this.abortController=null,this.triggerCrudUpload=function(l,n){let u=null,e=0;const t=()=>{l(),e=Date.now(),u=null};return function(){const l=Date.now(),r=n-(l-e);r<=0?t():u||(u=setTimeout(t,r))}}((()=>{this.syncStatus.connected&&!this.syncStatus.dataFlowStatus.uploading&&this._uploadAllCrud()}),this.options.crudUploadThrottleMs)}async waitForReady(){}waitForStatus(l){return this.waitUntilStatusMatches((n=>{const u=(l,n)=>Object.entries(l).every((([l,e])=>{const t=n[l];return"object"==typeof e&&"object"==typeof t?u(e,t):e==t}));return u(l,n)}))}waitUntilStatusMatches(l){return new Promise((n=>{if(l(this.syncStatus))return void n();const u=this.registerListener({statusChanged:e=>{l(e)&&(n(),u?.())}})}))}get lastSyncedAt(){const l=this.syncStatus.lastSyncedAt;return l&&new Date(l)}get isConnected(){return this.syncStatus.connected}get logger(){return this.options.logger}async dispose(){this.crudUpdateListener?.(),this.crudUpdateListener=void 0}async hasCompletedSync(){return this.options.adapter.hasCompletedSync()}async getWriteCheckpoint(){let l=`/write-checkpoint2.json?client_id=${await this.options.adapter.getClientId()}`;return(await this.options.remote.get(l)).data.write_checkpoint}async _uploadAllCrud(){return this.obtainLock({type:Mr.CRUD,callback:async()=>{let l;for(;;){this.updateSyncStatus({dataFlow:{uploading:!0}});try{const n=await this.options.adapter.nextCrudItem();if(!n){await this.options.adapter.updateLocalTarget((()=>this.getWriteCheckpoint()));break}if(n.clientId==l?.clientId)throw this.logger.warn("Potentially previously uploaded CRUD entries are still present in the upload queue.\nMake sure to handle uploads and complete CRUD transactions or batches by calling and awaiting their [.complete()] method.\nThe next upload iteration will be delayed."),new Error("Delaying due to previously encountered CRUD item.");l=n,await this.options.uploadCrud()}catch(n){if(l=void 0,this.updateSyncStatus({dataFlow:{uploading:!1}}),await this.delayRetry(),!this.isConnected)break;this.logger.debug(`Caught exception when uploading. Upload will retry after a delay. Exception: ${n.message}`)}finally{this.updateSyncStatus({dataFlow:{uploading:!1}})}}}})}async connect(l){return this.abortController&&await this.disconnect(),this.abortController=new AbortController,this.streamingSyncPromise=this.streamingSync(this.abortController.signal,l),new Promise((l=>{const n=this.registerListener({statusUpdated:u=>{void 0!==u.connected&&(0==u.connected&&this.logger.warn("Initial connect attempt did not successfully connect to server"),l(),n())}})}))}async disconnect(){if(this.abortController){this.abortController.signal.aborted||this.abortController.abort(new P("Disconnect has been requested"));try{await this.streamingSyncPromise}catch(l){this.logger.warn(l)}this.streamingSyncPromise=void 0,this.abortController=null,this.updateSyncStatus({connected:!1,connecting:!1})}}async streamingSync(l,n){l||(this.abortController=new AbortController,l=this.abortController.signal),this.crudUpdateListener=this.options.adapter.registerListener({crudUpdate:()=>this.triggerCrudUpload()});let u=new AbortController;for(l.addEventListener("abort",(()=>{u.abort(l?.reason??new P("Received command to disconnect from upstream")),this.crudUpdateListener?.(),this.crudUpdateListener=void 0,this.updateSyncStatus({connected:!1,connecting:!1,dataFlow:{downloading:!1}})}));;){this.updateSyncStatus({connecting:!0});try{if(l?.aborted)break;const{retry:e}=await this.streamingSyncIteration(u.signal,n);if(!e)break}catch(l){l instanceof P?this.logger.warn(l):this.logger.error(l),await this.delayRetry()}finally{l.aborted||(u.abort(new P("Closing sync stream network requests before retry.")),u=new AbortController),this.updateSyncStatus({connected:!1,connecting:!0})}}this.updateSyncStatus({connected:!1,connecting:!1})}async collectLocalBucketState(){const l=await this.options.adapter.getBucketStates(),n=l.map((l=>({name:l.bucket,after:l.op_id}))),u=new Map;for(const n of l)u.set(n.bucket,null);return[n,u]}async streamingSyncIteration(l,n){return await this.obtainLock({type:Mr.SYNC,signal:l,callback:async()=>{const u={...Qr,...n??{}};this.logger.debug("Streaming sync iteration started"),this.options.adapter.startSession();let[e,t]=await this.collectLocalBucketState(),r=null,o=null,i=null;const a=await this.options.adapter.getClientId();this.logger.debug("Requesting stream from server");const s={path:"/sync/stream",abortSignal:l,data:{buckets:e,include_checksum:!0,raw_data:!0,parameters:u.params,client_id:a}};let c;for(c=u?.connectionMethod==qr.HTTP?await this.options.remote.postStream(s):await this.options.remote.socketStream({...s,fetchStrategy:u.fetchStrategy}),this.logger.debug("Stream established. Processing events");!c.closed;){const l=await c.read();if(!l)return{retry:!0};if(this.syncStatus.connected||(Promise.resolve().then((()=>this.triggerCrudUpload())),this.updateSyncStatus({connected:!0})),Lr(l)){r=l.checkpoint;const n=new Set(t.keys()),u=new Map;for(const e of l.checkpoint.buckets)u.set(e.bucket,{name:e.bucket,priority:e.priority??3}),n.delete(e.bucket);n.size>0&&this.logger.debug("Removing buckets",[...n]),t=u,await this.options.adapter.removeBuckets([...n]),await this.options.adapter.setTargetCheckpoint(r)}else if(Nr(l)){this.logger.debug("Checkpoint complete",r);const l=await this.options.adapter.syncLocalDatabase(r);if(!l.checkpointValid)return await new Promise((l=>setTimeout(l,50))),{retry:!0};l.ready&&(i=r,this.logger.debug("validated checkpoint",i),this.updateSyncStatus({connected:!0,lastSyncedAt:new Date,dataFlow:{downloading:!1}})),o=r}else if(xr(l)){const n=l.partial_checkpoint_complete.priority;this.logger.debug("Partial checkpoint complete",n);const u=await this.options.adapter.syncLocalDatabase(r,n);if(!u.checkpointValid)return await new Promise((l=>setTimeout(l,50))),{retry:!0};if(u.ready){this.logger.debug("partial checkpoint validation succeeded");const l=this.syncStatus.priorityStatusEntries.filter((l=>l.priority<=n));l.push({priority:n,lastSyncedAt:new Date,hasSynced:!0}),this.updateSyncStatus({connected:!0,priorityStatusEntries:l})}else;}else if(Ur(l)){if(null==r)throw new Error("Checkpoint diff without previous checkpoint");const n=l.checkpoint_diff,u=new Map;for(const l of r.buckets)u.set(l.bucket,l);for(const l of n.updated_buckets)u.set(l.bucket,l);for(const l of n.removed_buckets)u.delete(l);r={last_op_id:n.last_op_id,buckets:[...u.values()],write_checkpoint:n.write_checkpoint},t=new Map,u.forEach(((l,n)=>t.set(n,{name:l.bucket,priority:l.priority??3})));const e=n.removed_buckets;e.length>0&&this.logger.debug("Remove buckets",e),await this.options.adapter.removeBuckets(e),await this.options.adapter.setTargetCheckpoint(r)}else if(kr(l)){const{data:n}=l;this.updateSyncStatus({dataFlow:{downloading:!0}}),await this.options.adapter.saveSyncData({buckets:[x.fromRow(n)]})}else if(Pr(l)){if(0==l.token_expires_in)return this.logger.debug("Token expiring; reconnect"),await this.delayRetry(),{retry:!0};this.triggerCrudUpload()}else if(this.logger.debug("Sync complete"),r===i)this.updateSyncStatus({connected:!0,lastSyncedAt:new Date,priorityStatusEntries:[]});else if(o===r){const l=await this.options.adapter.syncLocalDatabase(r);if(!l.checkpointValid)return await new Promise((l=>setTimeout(l,50))),{retry:!1};l.ready&&(i=r,this.updateSyncStatus({connected:!0,lastSyncedAt:new Date,priorityStatusEntries:[],dataFlow:{downloading:!1}}))}}return this.logger.debug("Stream input empty"),{retry:!0}}})}updateSyncStatus(l){const n=new g({connected:l.connected??this.syncStatus.connected,connecting:!l.connected&&(l.connecting??this.syncStatus.connecting),lastSyncedAt:l.lastSyncedAt??this.syncStatus.lastSyncedAt,dataFlow:{...this.syncStatus.dataFlowStatus,...l.dataFlow},priorityStatusEntries:l.priorityStatusEntries??this.syncStatus.priorityStatusEntries});this.syncStatus.isEqual(n)||(this.syncStatus=n,this.iterateListeners((l=>l.statusChanged?.(n)))),this.iterateListeners((n=>n.statusUpdated?.(l)))}async delayRetry(){return new Promise((l=>setTimeout(l,this.options.retryDelayMs)))}}const Hr=/(^ps_data__|^ps_data_local__)/,Vr={clearLocal:!0},Jr={disconnect:!0},Yr=30,Xr={retryDelayMs:5e3,logger:js_logger__WEBPACK_IMPORTED_MODULE_0__.get("PowerSyncDatabase"),crudUploadThrottleMs:jr},Gr=100,Kr=12e4,Zr=l=>"object"==typeof l&&_(l.database);class lo extends v{options;static transactionMutex=new r;closed;ready;currentStatus;syncStreamImplementation;sdkVersion;bucketStorageAdapter;syncStatusListenerDisposer;_isReadyPromise;_schema;_database;constructor(l){super(),this.options=l;const{database:n,schema:u}=l;if("function"!=typeof u?.toJSON)throw new Error("The `schema` option should be provided and should be an instance of `Schema`.");if(T(n))this._database=n;else if(S(n))this._database=n.openDB();else{if(!Zr(l))throw new Error("The provided `database` option is invalid.");this._database=this.openDBAdapter(l)}this.bucketStorageAdapter=this.generateBucketStorageAdapter(),this.closed=!1,this.currentStatus=new g({}),this.options={...Xr,...l},this._schema=u,this.ready=!1,this.sdkVersion="",this._isReadyPromise=this.initialize()}get schema(){return this._schema}get database(){return this._database}get connected(){return this.currentStatus?.connected||!1}get connecting(){return this.currentStatus?.connecting||!1}async waitForReady(){this.ready||await this._isReadyPromise}async waitForFirstSync(l){const n=l instanceof AbortSignal?l:l?.signal,u=l&&"priority"in l?l.priority:void 0,e=void 0===u?l=>l.hasSynced:l=>l.statusForPriority(u).hasSynced;if(!e(this.currentStatus))return new Promise((l=>{const u=this.registerListener({statusChanged:n=>{e(n)&&(u(),l())}});n?.addEventListener("abort",(()=>{u(),l()}))}))}async initialize(){await this._initialize(),await this.bucketStorageAdapter.init(),await this._loadVersion(),await this.updateSchema(this.options.schema),await this.updateHasSynced(),await this.database.execute("PRAGMA RECURSIVE_TRIGGERS=TRUE"),this.ready=!0,this.iterateListeners((l=>l.initialized?.()))}async _loadVersion(){try{const{version:l}=await this.database.get("SELECT powersync_rs_version() as version");this.sdkVersion=l}catch(l){throw new Error(`The powersync extension is not loaded correctly. Details: ${l.message}`)}let l;try{l=this.sdkVersion.split(/[.\/]/).slice(0,3).map((l=>parseInt(l)))}catch(l){throw new Error(`Unsupported powersync extension version. Need >=0.3.11 <1.0.0, got: ${this.sdkVersion}. Details: ${l.message}`)}if(0!=l[0]||l[1]<3||3==l[1]&&l[2]<11)throw new Error(`Unsupported powersync extension version. Need >=0.3.11 <1.0.0, got: ${this.sdkVersion}`)}async updateHasSynced(){const l=await this.database.getAll("SELECT priority, last_synced_at FROM ps_sync_state ORDER BY priority DESC");let n;const u=[];for(const{priority:e,last_synced_at:t}of l){const l=new Date(t+"Z");2147483647==e?n=l:u.push({priority:e,hasSynced:!0,lastSyncedAt:l})}const e=null!=n,t=new g({...this.currentStatus.toJSON(),hasSynced:e,priorityStatusEntries:u,lastSyncedAt:n});t.isEqual(this.currentStatus)||(this.currentStatus=t,this.iterateListeners((l=>l.statusChanged?.(this.currentStatus))))}async updateSchema(l){if(this.syncStreamImplementation)throw new Error("Cannot update schema while connected");try{l.validate()}catch(l){this.options.logger?.warn("Schema validation failed. Unexpected behaviour could occur",l)}this._schema=l,await this.database.execute("SELECT powersync_replace_schema(?)",[JSON.stringify(this.schema.toJSON())]),await this.database.refreshSchema(),this.iterateListeners((async n=>n.schemaChanged?.(l)))}async init(){return this.waitForReady()}resolvedConnectionOptions(l){return{retryDelayMs:l?.retryDelayMs??this.options.retryDelayMs??this.options.retryDelay??Wr,crudUploadThrottleMs:l?.crudUploadThrottleMs??this.options.crudUploadThrottleMs??jr}}async connect(l,n){if(await this.waitForReady(),await this.disconnect(),this.closed)throw new Error("Cannot connect using a closed client");const{retryDelayMs:u,crudUploadThrottleMs:e}=this.resolvedConnectionOptions(n);this.syncStreamImplementation=this.generateSyncStreamImplementation(l,{retryDelayMs:u,crudUploadThrottleMs:e}),this.syncStatusListenerDisposer=this.syncStreamImplementation.registerListener({statusChanged:l=>{this.currentStatus=new g({...l.toJSON(),hasSynced:this.currentStatus?.hasSynced||!!l.lastSyncedAt}),this.iterateListeners((l=>l.statusChanged?.(this.currentStatus)))}}),await this.syncStreamImplementation.waitForReady(),this.syncStreamImplementation.triggerCrudUpload(),await this.syncStreamImplementation.connect(n)}async disconnect(){await this.waitForReady(),await(this.syncStreamImplementation?.disconnect()),this.syncStatusListenerDisposer?.(),await(this.syncStreamImplementation?.dispose()),this.syncStreamImplementation=void 0}async disconnectAndClear(l=Vr){await this.disconnect(),await this.waitForReady();const{clearLocal:n}=l;await this.database.writeTransaction((async l=>{await l.execute("SELECT powersync_clear(?)",[n?1:0])})),this.currentStatus=new g({}),this.iterateListeners((l=>l.statusChanged?.(this.currentStatus)))}async close(l=Jr){if(await this.waitForReady(),this.closed)return;const{disconnect:n}=l;n&&await this.disconnect(),await(this.syncStreamImplementation?.dispose()),await this.database.close(),this.closed=!0}async getUploadQueueStats(l){return this.readTransaction((async n=>{if(l){const l=(await n.execute(`SELECT SUM(cast(data as blob) + 20) as size, count(*) as count FROM ${A.CRUD}`)).rows.item(0);return new b(l?.count??0,l?.size??0)}{const l=(await n.execute(`SELECT count(*) as count FROM ${A.CRUD}`)).rows.item(0);return new b(l?.count??0)}}))}async getCrudBatch(l=100){const n=(await this.getAll(`SELECT id, tx_id, data FROM ${A.CRUD} ORDER BY id ASC LIMIT ?`,[l+1])).map((l=>I.fromRow(l)))??[];let u=!1;if(n.length>l&&(n.pop(),u=!0),0==n.length)return null;const e=n[n.length-1];return new F(n,u,(async l=>this.handleCrudCheckpoint(e.clientId,l)))}async getNextCrudTransaction(){return await this.readTransaction((async l=>{const n=await l.getOptional(`SELECT id, tx_id, data FROM ${A.CRUD} ORDER BY id ASC LIMIT 1`);if(!n)return null;const u=n.tx_id;let e;if(u){e=(await l.getAll(`SELECT id, tx_id, data FROM ${A.CRUD} WHERE tx_id = ? ORDER BY id ASC`,[u])).map((l=>I.fromRow(l)))}else e=[I.fromRow(n)];const t=e[e.length-1];return new k(e,(async l=>this.handleCrudCheckpoint(t.clientId,l)),u)}))}async getClientId(){return this.bucketStorageAdapter.getClientId()}async handleCrudCheckpoint(l,n){return this.writeTransaction((async u=>{if(await u.execute(`DELETE FROM ${A.CRUD} WHERE id <= ?`,[l]),n){const l=await u.execute(`SELECT 1 FROM ${A.CRUD} LIMIT 1`);l.rows?.length||await u.execute(`UPDATE ${A.BUCKETS} SET target_op = CAST(? as INTEGER) WHERE name='$local'`,[n])}else await u.execute(`UPDATE ${A.BUCKETS} SET target_op = CAST(? as INTEGER) WHERE name='$local'`,[this.bucketStorageAdapter.getMaxOpId()])}))}async execute(l,n){return await this.waitForReady(),this.database.execute(l,n)}async executeRaw(l,n){return await this.waitForReady(),this.database.executeRaw(l,n)}async executeBatch(l,n){return await this.waitForReady(),this.database.executeBatch(l,n)}async getAll(l,n){return await this.waitForReady(),this.database.getAll(l,n)}async getOptional(l,n){return await this.waitForReady(),this.database.getOptional(l,n)}async get(l,n){return await this.waitForReady(),this.database.get(l,n)}async readLock(l){return await this.waitForReady(),w(lo.transactionMutex,(()=>l(this.database)))}async writeLock(l){return await this.waitForReady(),w(lo.transactionMutex,(async()=>await l(this.database)))}async readTransaction(l,n=12e4){return await this.waitForReady(),this.database.readTransaction((async n=>{const u=await l({...n});return await n.rollback(),u}),{timeoutMs:n})}async writeTransaction(l,n=12e4){return await this.waitForReady(),this.database.writeTransaction((async n=>{const u=await l(n);return await n.commit(),u}),{timeoutMs:n})}watch(l,n,u,e){if(u&&"object"==typeof u&&"onResult"in u){const t=u,r=e;return this.watchWithCallback(l,n,t,r)}const t=u;return this.watchWithAsyncGenerator(l,n,t)}watchWithCallback(l,n,u,e){const{onResult:t,onError:r=l=>this.options.logger?.error(l)}=u??{};if(!t)throw new Error("onResult is required");R((async u=>{try{const o=await this.resolveTables(l,n,e),i=await this.executeReadOnly(l,n);t(i),this.onChangeWithCallback({onChange:async()=>{try{const u=await this.executeReadOnly(l,n);t(u)}catch(l){r?.(l)}},onError:r},{...e??{},tables:o,signal:u})}catch(l){r?.(l)}}),this,e)}watchWithAsyncGenerator(l,n,u){return new p((e=>{const t={onResult:l=>{e.push(l)},onError:l=>{e.fail(l)}};this.watchWithCallback(l,n,t,u),u?.signal?.addEventListener("abort",(()=>{e.stop()}))}))}async resolveTables(l,n,u){const e=u?.tables?[...u.tables]:[];if(!u?.tables){const u=(await this.getAll(`EXPLAIN ${l}`,n)).filter((l=>"OpenRead"==l.opcode&&0==l.p3&&"number"==typeof l.p2)).map((l=>l.p2)),t=await this.getAll("SELECT DISTINCT tbl_name FROM sqlite_master WHERE rootpage IN (SELECT json_each.value FROM json_each(?))",[JSON.stringify(u)]);for(const l of t)e.push(l.tbl_name.replace(Hr,""))}return e}onChange(l,n){if(l&&"object"==typeof l&&"onChange"in l){const u=l,e=n;return this.onChangeWithCallback(u,e)}const u=l;return this.onChangeWithAsyncGenerator(u)}onChangeWithCallback(l,n){const{onChange:u,onError:e=l=>this.options.logger?.error(l)}=l??{};if(!u)throw new Error("onChange is required");const t=n??{},r=new Set((t?.tables??[]).flatMap((l=>[l,`ps_data__${l}`,`ps_data_local__${l}`]))),o=new Set,i=t.throttleMs??30,a=new E((async l=>{await u(l)})),s=function(l,n){let u=null;const e=()=>{l(),u=null};return function(){null==u&&(u=setTimeout(e,n))}}((()=>this.handleTableChanges(o,r,(l=>{t?.signal?.aborted||a.schedule({changedTables:l})}))),i),c=this.database.registerListener({tablesUpdated:async l=>{try{this.processTableUpdates(l,o),s()}catch(l){e?.(l)}}});return t.signal?.addEventListener("abort",(()=>{a.dispose(),c()})),()=>c()}onChangeWithAsyncGenerator(l){const n=l??{};return new p((u=>{const e=this.onChangeWithCallback({onChange:l=>{u.push(l)},onError:l=>{u.fail(l)}},l);return n.signal?.addEventListener("abort",(()=>{u.stop()})),()=>e()}))}handleTableChanges(l,n,u){if(l.size>0){const e=Array.from(l.values()).filter((l=>n.has(l)));e.length&&u(e)}l.clear()}processTableUpdates(l,n){const u=y(l)?l.tables:[l.table];for(const l of u)n.add(l)}async executeReadOnly(l,n){return await this.waitForReady(),this.database.readLock((u=>u.execute(l,n)))}}class no{options;constructor(n){this.options=n,n.logger=n.logger??js_logger__WEBPACK_IMPORTED_MODULE_0__.get(`PowerSync ${this.options.dbFilename}`)}get schema(){return this.options.schema}generateOptions(){return{database:this.openDB(),...this.options}}getInstance(){const l=this.generateOptions();return this.generateInstance(l)}}function uo(l,n,u,e){const{onResult:t,onError:r=l=>{}}=u??{};if(!t)throw new Error("onResult is required");R((async u=>{try{const o=n.compile(),i=await l.resolveTables(o.sql,o.parameters,e),a=await n.execute();t(a),l.onChangeWithCallback({onChange:async()=>{try{const l=await n.execute();t(l)}catch(l){r(l)}},onError:r},{...e??{},tables:i,signal:u})}catch(l){r(l)}}),l,e)}const eo="9223372036854775807",to=1e3;class ro extends v{db;mutex;logger;tableNames;pendingBucketDeletes;_hasCompletedSync;updateListener;_clientId;compactCounter=to;constructor(n,u,e=js_logger__WEBPACK_IMPORTED_MODULE_0__.get("SqliteBucketStorage")){super(),this.db=n,this.mutex=u,this.logger=e,this._hasCompletedSync=!1,this.pendingBucketDeletes=!0,this.tableNames=new Set,this.updateListener=n.registerListener({tablesUpdated:l=>{m(l).includes(A.CRUD)&&this.iterateListeners((l=>l.crudUpdate?.()))}})}async init(){this._hasCompletedSync=!1;const l=await this.db.getAll("SELECT name FROM sqlite_master WHERE type='table' AND name GLOB 'ps_data_*'");for(const n of l??[])this.tableNames.add(n.name)}async dispose(){this.updateListener?.()}async _getClientId(){return(await this.db.get("SELECT powersync_client_id() as client_id")).client_id}getClientId(){return null==this._clientId&&(this._clientId=this._getClientId()),this._clientId}getMaxOpId(){return eo}startSession(){}async getBucketStates(){return await this.db.getAll("SELECT name as bucket, cast(last_op as TEXT) as op_id FROM ps_buckets WHERE pending_delete = 0 AND name != '$local'")}async saveSyncData(l){await this.writeTransaction((async n=>{let u=0;for(const e of l.buckets){const l=await n.execute("INSERT INTO powersync_operations(op, data) VALUES(?, ?)",["save",JSON.stringify({buckets:[e.toJSON()]})]);this.logger.debug("saveSyncData",JSON.stringify(l)),u+=e.data.length}this.compactCounter+=u}))}async removeBuckets(l){for(const n of l)await this.deleteBucket(n)}async deleteBucket(l){await this.writeTransaction((async n=>{await n.execute("INSERT INTO powersync_operations(op, data) VALUES(?, ?)",["delete_bucket",l])})),this.logger.debug("done deleting bucket"),this.pendingBucketDeletes=!0}async hasCompletedSync(){if(this._hasCompletedSync)return!0;const l=null!=(await this.db.get("SELECT powersync_last_synced_at() as synced_at")).synced_at;return l&&(this._hasCompletedSync=!0),l}async syncLocalDatabase(l,n){const u=await this.validateChecksums(l,n);if(!u.checkpointValid){this.logger.error("Checksums failed for",u.checkpointFailures);for(const l of u.checkpointFailures??[])await this.deleteBucket(l);return{ready:!1,checkpointValid:!1,checkpointFailures:u.checkpointFailures}}const e=l.buckets;void 0!==n&&e.filter((l=>oo(n,l)));const t=e.map((l=>l.bucket));await this.writeTransaction((async u=>{await u.execute("UPDATE ps_buckets SET last_op = ? WHERE name IN (SELECT json_each.value FROM json_each(?))",[l.last_op_id,JSON.stringify(t)]),null==n&&l.write_checkpoint&&await u.execute("UPDATE ps_buckets SET last_op = ? WHERE name = '$local'",[l.write_checkpoint])}));return await this.updateObjectsFromBuckets(l,n)?(await this.forceCompact(),{ready:!0,checkpointValid:!0}):(this.logger.debug("Not at a consistent checkpoint - cannot update local db"),{ready:!1,checkpointValid:!0})}async updateObjectsFromBuckets(l,n){let u="";if(void 0!==n){const e=[];for(const u of l.buckets)oo(n,u)&&e.push(u.bucket);u=JSON.stringify({priority:n,buckets:e})}return this.writeTransaction((async l=>{const{insertId:n}=await l.execute("INSERT INTO powersync_operations(op, data) VALUES(?, ?)",["sync_local",u]);return 1==n}))}async validateChecksums(l,n){if(void 0!==n){const u=l.buckets.filter((l=>oo(n,l)));l={...l,buckets:u}}const u=await this.db.execute("SELECT powersync_validate_checkpoint(?) as result",[JSON.stringify({...l})]),e=u.rows?.item(0);if(this.logger.debug("validateChecksums priority, checkpoint, result item",n,l,e),!e)return{checkpointValid:!1,ready:!1,checkpointFailures:[]};const t=JSON.parse(e.result);return t.valid?{ready:!0,checkpointValid:!0}:{checkpointValid:!1,ready:!1,checkpointFailures:t.failed_buckets}}async forceCompact(){this.compactCounter=to,this.pendingBucketDeletes=!0,await this.autoCompact()}async autoCompact(){await this.deletePendingBuckets(),await this.clearRemoveOps()}async deletePendingBuckets(){!1!==this.pendingBucketDeletes&&(await this.writeTransaction((async l=>{await l.execute("INSERT INTO powersync_operations(op, data) VALUES (?, ?)",["delete_pending_buckets",""])})),this.pendingBucketDeletes=!1)}async clearRemoveOps(){this.compactCounter<to||(await this.writeTransaction((async l=>{await l.execute("INSERT INTO powersync_operations(op, data) VALUES (?, ?)",["clear_remove_ops",""])})),this.compactCounter=0)}async updateLocalTarget(l){if(!(await this.db.getAll("SELECT target_op FROM ps_buckets WHERE name = '$local' AND target_op = CAST(? as INTEGER)",[eo])).length)return!1;const n=await this.db.getAll("SELECT seq FROM sqlite_sequence WHERE name = 'ps_crud'");if(!n.length)return!1;const u=n[0].seq,e=await l();return this.logger.debug(`[updateLocalTarget] Updating target to checkpoint ${e}`),this.writeTransaction((async l=>{const n=await l.execute("SELECT 1 FROM ps_crud LIMIT 1");if(n.rows?.length)return this.logger.debug("updateLocalTarget","ps crud is not empty"),!1;const t=await l.execute("SELECT seq FROM sqlite_sequence WHERE name = 'ps_crud'");if(!t.rows?.length)throw new Error("SQlite Sequence should not be empty");const r=t.rows?.item(0).seq;if(this.logger.debug("seqAfter",JSON.stringify(t.rows?.item(0))),r!=u)return this.logger.debug("seqAfter != seqBefore",r,u),!1;const o=await l.execute("UPDATE ps_buckets SET target_op = CAST(? as INTEGER) WHERE name='$local'",[e]);return this.logger.debug(["[updateLocalTarget] Response from updating target_op ",JSON.stringify(o)]),!0}))}async nextCrudItem(){const l=await this.db.getOptional("SELECT * FROM ps_crud ORDER BY id ASC LIMIT 1");if(l)return I.fromRow(l)}async hasCrud(){return!!await this.db.getOptional("SELECT 1 FROM ps_crud LIMIT 1")}async getCrudBatch(l=100){if(!await this.hasCrud())return null;const n=await this.db.getAll("SELECT * FROM ps_crud ORDER BY id ASC LIMIT ?",[l]),u=[];for(const l of n)u.push(I.fromRow(l));if(0===u.length)return null;const e=u[u.length-1];return{crud:u,haveMore:!0,complete:async l=>this.writeTransaction((async n=>{if(await n.execute("DELETE FROM ps_crud WHERE id <= ?",[e.clientId]),l){const u=await n.execute("SELECT 1 FROM ps_crud LIMIT 1");u.rows?.length&&await n.execute("UPDATE ps_buckets SET target_op = CAST(? as INTEGER) WHERE name='$local'",[l])}else await n.execute("UPDATE ps_buckets SET target_op = CAST(? as INTEGER) WHERE name='$local'",[this.getMaxOpId()])}))}}async writeTransaction(l,n){return this.db.writeTransaction(l,n)}async setTargetCheckpoint(l){}}function oo(l,n){return null!=n.priority&&n.priority<=l}class io{buckets;static fromJSON(l){return new io(l.buckets.map((l=>x.fromRow(l))))}constructor(l){this.buckets=l}}var ao;!function(l){l.TEXT="TEXT",l.INTEGER="INTEGER",l.REAL="REAL"}(ao||(ao={}));const so={type:ao.TEXT},co={type:ao.INTEGER},ho={type:ao.REAL},fo=1999,po={text:so,integer:co,real:ho};class yo{options;constructor(l){this.options=l}get name(){return this.options.name}get type(){return this.options.type}toJSON(){return{name:this.name,type:this.type}}}const mo={ascending:!0};class go{options;static createAscending(l){return new go({name:l,ascending:!0})}constructor(l){this.options={...mo,...l}}get name(){return this.options.name}get ascending(){return this.options.ascending}toJSON(l){return{name:this.name,ascending:this.ascending,type:l.columns.find((l=>l.name===this.name))?.type??ao.TEXT}}}const bo={columns:[]};class vo{options;static createAscending(l,n){return new vo({...l,columns:n.map((l=>go.createAscending(l)))})}constructor(l){this.options=l,this.options={...bo,...l}}get name(){return this.options.name}get columns(){return this.options.columns??[]}toJSON(l){return{name:this.name,columns:this.columns.map((n=>n.toJSON(l)))}}}const Eo={indexes:[],insertOnly:!1,localOnly:!1},wo=/["'%,.#\s[\]]/;class _o{options;_mappedColumns;static createLocalOnly(l){return new _o({...l,localOnly:!0,insertOnly:!1})}static createInsertOnly(l){return new _o({...l,localOnly:!1,insertOnly:!0})}static createTable(l,n){return new _o({name:l,columns:n.columns,indexes:n.indexes,localOnly:n.options.localOnly,insertOnly:n.options.insertOnly,viewName:n.options.viewName})}constructor(l,n){this.isTableV1(l)?this.initTableV1(l):this.initTableV2(l,n)}isTableV1(l){return"columns"in l&&Array.isArray(l.columns)}initTableV1(l){this.options={...l,indexes:l.indexes||[],insertOnly:l.insertOnly??Eo.insertOnly,localOnly:l.localOnly??Eo.localOnly}}initTableV2(l,n){const u=Object.entries(l).map((([l,n])=>new yo({name:l,type:n.type}))),e=Object.entries(n?.indexes??{}).map((([l,n])=>new vo({name:l,columns:n.map((l=>new go({name:l.replace(/^-/,""),ascending:!l.startsWith("-")})))})));this.options={name:"",columns:u,indexes:e,insertOnly:n?.insertOnly??Eo.insertOnly,localOnly:n?.localOnly??Eo.localOnly,viewName:n?.viewName},this._mappedColumns=l}get name(){return this.options.name}get viewNameOverride(){return this.options.viewName}get viewName(){return this.viewNameOverride??this.name}get columns(){return this.options.columns}get columnMap(){return this._mappedColumns??this.columns.reduce(((l,n)=>(l[n.name]={type:n.type??ao.TEXT},l)),{})}get indexes(){return this.options.indexes??[]}get localOnly(){return this.options.localOnly??!1}get insertOnly(){return this.options.insertOnly??!1}get internalName(){return this.options.localOnly?`ps_data_local__${this.name}`:`ps_data__${this.name}`}get validName(){return!wo.test(this.name)&&(null==this.viewNameOverride||!wo.test(this.viewNameOverride))}validate(){if(wo.test(this.name))throw new Error(`Invalid characters in table name: ${this.name}`);if(this.viewNameOverride&&wo.test(this.viewNameOverride))throw new Error(`Invalid characters in view name: ${this.viewNameOverride}`);if(this.columns.length>fo)throw new Error("Table has too many columns. The maximum number of columns is 1999.");const l=new Set;l.add("id");for(const n of this.columns){const{name:u}=n;if("id"===n.name)throw new Error("An id column is automatically added, custom id columns are not supported");if(l.has(u))throw new Error(`Duplicate column ${u}`);if(wo.test(u))throw new Error(`Invalid characters in column name: ${n.name}`);l.add(u)}const n=new Set;for(const u of this.indexes){if(n.has(u.name))throw new Error(`Duplicate index ${u.name}`);if(wo.test(u.name))throw new Error(`Invalid characters in index name: ${u.name}`);for(const n of u.columns)if(!l.has(n.name))throw new Error(`Column ${n.name} not found for index ${u.name}`);n.add(u.name)}}toJSON(){return{name:this.name,view_name:this.viewName,local_only:this.localOnly,insert_only:this.insertOnly,columns:this.columns.map((l=>l.toJSON())),indexes:this.indexes.map((l=>l.toJSON(this)))}}}class So{types;props;tables;constructor(l){if(Array.isArray(l)){for(const n of l)if(""===n.name)throw new Error("It appears you are trying to create a new Schema with an array instead of an object. Passing in an object instead of an array into 'new Schema()' may resolve your issue.");this.tables=l}else this.props=l,this.tables=this.convertToClassicTables(this.props)}validate(){for(const l of this.tables)l.validate()}toJSON(){return{tables:this.tables.map((l=>l.toJSON()))}}convertToClassicTables(l){return Object.entries(l).map((([l,n])=>new _o({name:l,columns:n.columns,indexes:n.indexes,localOnly:n.localOnly,insertOnly:n.insertOnly,viewName:n.viewNameOverride||l})))}}class To extends _o{}const Ro=(l,n)=>{let u;if("string"==typeof l)u=l;else{if(n.length>0)throw new Error("You cannot pass parameters to a compiled query.");const e=l.compile();u=e.sql,n=e.parameters}return{sqlStatement:u,parameters:n}};
|
|
3116
3132
|
|
|
3117
3133
|
|
|
3118
3134
|
/***/ })
|
|
@@ -3303,6 +3319,7 @@ const openWorkerConnection = async (options) => {
|
|
|
3303
3319
|
getConfig: comlink__WEBPACK_IMPORTED_MODULE_3__.proxy(() => connection.getConfig()),
|
|
3304
3320
|
close: comlink__WEBPACK_IMPORTED_MODULE_3__.proxy(() => connection.close()),
|
|
3305
3321
|
execute: comlink__WEBPACK_IMPORTED_MODULE_3__.proxy(async (sql, params) => connection.execute(sql, params)),
|
|
3322
|
+
executeRaw: comlink__WEBPACK_IMPORTED_MODULE_3__.proxy(async (sql, params) => connection.executeRaw(sql, params)),
|
|
3306
3323
|
executeBatch: comlink__WEBPACK_IMPORTED_MODULE_3__.proxy(async (sql, params) => connection.executeBatch(sql, params)),
|
|
3307
3324
|
registerOnTableChange: comlink__WEBPACK_IMPORTED_MODULE_3__.proxy(async (callback) => {
|
|
3308
3325
|
// Proxy the callback remove function
|